Scrap Gold Calculator (Karat, Tola, Gram, Ounce) Guide
Scrap Gold Calculator (Karat, Tola, Gram, Ounce) Guide
Focus Keyword: Scrap Gold Calculator (Karat, Tola, Gram, Ounce) Guide
Introduction: The Tool That Stops You Getting Ripped Off
I want to tell you something that took me years of building financial calculators to fully appreciate: the scrap gold market is one of the most information-asymmetric transactions that ordinary people face. On one side of the counter sits a professional gold dealer who calculates scrap gold value dozens of times per day. On the other side sits someone who inherited a jewelry box, found an old chain, or needs quick cash — someone who almost never knows what their gold is actually worth.
That information gap costs people hundreds, sometimes thousands of dollars per transaction.
I started building scrap gold calculators after a close friend sold a collection of old jewelry at a pawn shop for PKR 45,000. When I ran the pieces through my own calculator tool — the same logic I use across a range of precision tools, from a one rep max calculator for strength athletes to a passport photo generator for document processing — the scrap melt value came out to PKR 118,000. She had received less than 40% of the gold's actual intrinsic value.
That experience became the motivation behind building the most precise, user-friendly scrap gold calculator I could create — one that handles every unit used in every major gold market: karats for purity, tolas for South Asian transactions, grams for international jewelry retail, and troy ounces for global bullion pricing. A tool that works for a jeweler in Lahore, a pawn shop owner in London, a gold investor in Dubai, and a seller in New York equally well.
This guide is the complete manual for that tool. By the time you finish reading, you will know exactly how to calculate the scrap gold value of any piece, in any unit, at any karat level — and you'll never walk into a gold transaction uninformed again.
What Is Scrap Gold and Why Does It Have Value?
Scrap gold is any gold-containing item whose value lies primarily in its gold content rather than its form, craftsmanship, or collectibility. This includes:
- Old or broken jewelry (rings, chains, earrings, bangles, bracelets)
- Dental gold (crowns, bridges, inlays)
- Gold coins sold for melt value rather than numismatic premium
- Industrial gold components (connectors, contacts, circuit board elements)
- Gold-filled items (where sufficient gold content justifies refining)
- Unwanted or unfashionable jewelry where melt value exceeds resale value
The value of scrap gold is derived entirely from its melt value — the theoretical worth of the pure gold content if the item were melted and refined back to fine gold. This calculation is the core function of a scrap gold calculator.
Gold retains its value across all forms because it is chemically inert — it does not corrode, oxidize, or degrade. A gold bracelet from the 1970s has the same gold content today as when it was made. The spot price may have changed dramatically (it has — gold has risen from around $200/ozt in the 1970s to over $2,600/ozt in 2026), but the gold itself is unchanged. That permanence is what makes scrap gold trading possible and profitable.
The Scrap Gold Calculator Formula — Complete Technical Breakdown
The scrap gold calculation is built on one formula applied with precision across varying inputs. Here it is in full:
Scrap Gold Value = Weight in Grams × Purity Decimal × Spot Price per Gram
Where:
- Weight in Grams = your item's weight converted to grams from whatever unit you're using
- Purity Decimal = the gold purity fraction (e.g., 0.75 for 18K, 0.9167 for 22K)
- Spot Price per Gram = current gold spot price per troy ounce ÷ 31.1035
Let me show you this as a complete, production-ready calculation engine:
/**
* Scrap Gold Calculator — Complete Implementation
* Handles: grams, troy ounces, tolas, pennyweights, baht, chi, avoirdupois oz
* Supports: all standard karats + custom purity percentage
*/
const TROY_OZ_TO_GRAMS = 31.1035;
// Weight unit conversion factors (multiplier → grams)
const WEIGHT_UNITS = {
gram: 1.000000,
kilogram: 1000.000000,
troy_ounce: 31.103500,
pennyweight: 1.555170,
tola: 11.663800, // 1 tola = 11.6638g (precise)
baht: 15.244000, // Thai gold unit
chi: 3.750000, // Vietnamese gold unit
mace: 3.779936, // Hong Kong/Chinese unit
oz_avoirdupois: 28.349500 // Standard US ounce (NOT troy)
};
// Karat purity values (mathematically precise)
const KARAT_PURITY = {
24: 0.999900, // 24K = 99.99% pure
23: 0.958300, // 23K = 95.83%
22: 0.916700, // 22K = 91.67% (Indian/Middle Eastern standard)
21: 0.875000, // 21K = 87.50% (Gulf region standard)
20: 0.833300, // 20K = 83.33%
18: 0.750000, // 18K = 75.00% (European/international standard)
16: 0.666700, // 16K = 66.67%
15: 0.625000, // 15K = 62.50%
14: 0.583300, // 14K = 58.33% (US standard)
13: 0.541700, // 13K = 54.17%
12: 0.500000, // 12K = 50.00%
10: 0.416700, // 10K = 41.67% (minimum US legal standard)
9: 0.375000, // 9K = 37.50% (UK/Australian standard)
8: 0.333300 // 8K = 33.33%
};
function calculateScrapGold({
weight, // Numeric weight value
weightUnit, // Key from WEIGHT_UNITS
karat, // Karat number OR null if using customPurity
customPurity, // Optional: purity as percentage (e.g., 75.5 for 75.5%)
spotPriceUSD, // Current gold spot price in USD per troy ounce
currency, // Target currency code (e.g., 'USD', 'PKR', 'INR')
fxRate // Exchange rate: 1 USD = X units of currency
}) {
// Step 1: Convert weight to grams
const weightInGrams = weight * WEIGHT_UNITS[weightUnit];
// Step 2: Determine purity
const purity = customPurity
? customPurity / 100
: KARAT_PURITY[karat];
if (!purity) throw new Error(`Invalid karat: ${karat}`);
// Step 3: Calculate pure gold weight
const pureGoldGrams = weightInGrams * purity;
// Step 4: Convert spot price to per gram
const spotPerGram = spotPriceUSD / TROY_OZ_TO_GRAMS;
// Step 5: Calculate melt value in USD
const meltValueUSD = pureGoldGrams * spotPerGram;
// Step 6: Convert to target currency
const meltValueLocal = meltValueUSD * fxRate;
// Step 7: Calculate dealer offer ranges
const dealerOffers = {
pawnShop: { min: meltValueLocal * 0.35, max: meltValueLocal * 0.55 },
cashForGold: { min: meltValueLocal * 0.45, max: meltValueLocal * 0.65 },
goldDealer: { min: meltValueLocal * 0.70, max: meltValueLocal * 0.85 },
refinery: { min: meltValueLocal * 0.82, max: meltValueLocal * 0.95 },
peerToPeer: { min: meltValueLocal * 0.90, max: meltValueLocal * 1.00 }
};
return {
// Input summary
weightGrams: +weightInGrams.toFixed(4),
pureGoldGrams: +pureGoldGrams.toFixed(4),
purityPercent: +(purity * 100).toFixed(3),
karat: karat || 'custom',
// Value outputs
spotPerGram: +spotPerGram.toFixed(4),
meltValueUSD: +meltValueUSD.toFixed(2),
meltValueLocal: +meltValueLocal.toFixed(2),
currency: currency,
// Dealer range guide
dealerOffers: dealerOffers,
// Percentage outputs
spotUsed: +spotPriceUSD.toFixed(2),
calculatedAt: new Date().toISOString()
};
}
This is the complete engine. Notice that I include dealer offer ranges as a standard output — because melt value without context is only half the answer. Knowing your melt value AND knowing what percentage of it different buyer types typically offer transforms a calculation into a negotiation tool.
Karat Guide — Complete Purity Reference for Scrap Gold Calculation
Understanding karats is the most important prerequisite for accurate scrap gold calculation. Karat (abbreviated K or kt) measures the proportion of pure gold in an alloy, expressed as parts per 24.
Complete Karat-to-Purity Conversion Table
| Karat | Purity % | Decimal | Millesimal Fineness | Common Markets |
|---|---|---|---|---|
| 24K | 99.99% | 0.9999 | 999 | Bullion, investment bars, Chinese jewelry |
| 22K | 91.67% | 0.9167 | 916/917 | India, Pakistan, Middle East, UK Sovereigns |
| 21K | 87.50% | 0.8750 | 875 | Gulf countries (UAE, Saudi Arabia, Kuwait) |
| 20K | 83.33% | 0.8333 | 833 | Rare, some Middle Eastern regions |
| 18K | 75.00% | 0.7500 | 750 | Europe, USA, international fine jewelry |
| 16K | 66.67% | 0.6667 | 667 | Rare, some antique pieces |
| 14K | 58.33% | 0.5833 | 583/585 | USA, Eastern Europe, Canada |
| 12K | 50.00% | 0.5000 | 500 | Some vintage pieces, uncommon |
| 10K | 41.67% | 0.4167 | 417 | USA minimum legal standard |
| 9K | 37.50% | 0.3750 | 375 | UK, Australia, Ireland |
| 8K | 33.33% | 0.3333 | 333 | Germany, some European antiques |
Reading Gold Hallmarks for Scrap Calculation
Hallmarks are the stamped purity marks on gold items. Knowing how to read them is critical for scrap gold calculation because the purity you input directly determines the calculated value.
Numeric hallmarks (millesimal fineness):
- 999 or 9999 → 24K gold
- 916 or 917 → 22K gold
- 875 → 21K gold
- 750 → 18K gold
- 585 or 583 → 14K gold
- 417 → 10K gold
- 375 → 9K gold
- 333 → 8K gold
Letter hallmarks (karat marking):
- 24K, 22K, 18K, 14K, 10K, 9K → direct karat indication
- GF → Gold Filled (NOT solid gold — very different melt value calculation)
- GP or GEP → Gold Plated (negligible melt value)
- GV or V → Gold Vermeil (gold-plated silver, minimal gold melt value)
- HGE → Heavy Gold Electroplate (plated, not solid)
- RGP → Rolled Gold Plate (thin layer, not solid)
Critical warning: GF (gold-filled) and GP (gold-plated) items have drastically lower scrap gold value than solid gold. A 14K gold-filled bracelet weighing 15 grams has approximately 5% of the melt value of a solid 14K bracelet of the same weight (gold-filled is only ~5% gold by weight by US FTC standards). Never input these into a solid gold scrap calculator without adjusting for actual gold content.
Weight Units Explained — Tola, Gram, Ounce, and More
One of the defining features of a professional scrap gold calculator is its ability to handle all regional weight units accurately. I've dealt with support requests from users in Pakistan confused by troy vs. avoirdupois ounces, Indian dealers working in tolas, Thai jewelers using baht, and Vietnamese traders using chi. Here is the complete reference:
Troy Ounce vs. Avoirdupois Ounce — The Critical Distinction
This is the single most expensive unit confusion in the scrap gold market.
| Unit | Grams | Used For |
|---|---|---|
| Troy Ounce (ozt) | 31.1035g | ALL precious metals pricing globally |
| Avoirdupois Ounce (oz) | 28.3495g | General US/UK commercial weight |
| Difference | 2.754g | 9.7% error if confused |
Gold spot price is always quoted per troy ounce. If you divide spot price by 28.35 instead of 31.10, your per-gram price is inflated by 9.7% — meaning your scrap value calculation is overstated by nearly 10%. On a $1,000 transaction, that's a $100 error.
Every professional scrap gold calculator must use 31.1035 grams per troy ounce. No exceptions.
Tola — The South Asian Standard
The tola is the dominant gold weight unit in Pakistan, India, Bangladesh, Nepal, and much of the Middle East. It is deeply embedded in the regional gold trade:
- 1 tola = 11.6638 grams (precise value)
- 1 tola ≈ 3/8 troy ounce (approximate)
- 10 tolas ≈ 116.638 grams ≈ 3.75 troy ounces
Many online calculators use the rounded 11.66g instead of the precise 11.6638g. The difference: 0.0038g per tola. On a 100-tola gold lot (a common commercial quantity in South Asian markets), that's a 0.38g discrepancy — worth approximately PKR 2,000–3,000 at 2026 prices. For commercial operations processing multiple lots daily, this error compounds significantly.
My scrap gold calculators always use 11.6638g for tola. It matters.
Complete Weight Unit Conversion Reference
| Unit | Exact Grams | Primarily Used In | Notes |
|---|---|---|---|
| Gram (g) | 1.000000 | Universal | Global standard for jewelry |
| Kilogram (kg) | 1000.000000 | Large lots | Refineries, institutional |
| Troy Ounce (ozt) | 31.103500 | Global metals | ALWAYS use for spot price |
| Pennyweight (dwt) | 1.555170 | North America | Jewelry industry standard |
| Tola | 11.663800 | S. Asia, Middle East | Pakistan, India, UAE |
| Baht | 15.244000 | Thailand | Thai gold trade |
| Chi | 3.750000 | Vietnam | Vietnamese jewelry trade |
| Mace | 3.779936 | Hong Kong, China | Chinese jewelry trade |
| Avoirdupois Oz | 28.349500 | General US/UK | NOT for gold pricing |
Scrap Gold Calculation by Weight Unit — Worked Examples
Let me walk through complete scrap gold calculations for each major weight unit, using a realistic 2026 gold spot price of $2,700 per troy ounce ($86.80 per gram).
Calculation in Grams
Item: 18K gold bracelet, 14.5 grams
Spot per gram = $2,700 ÷ 31.1035 = $86.80/g
Purity (18K) = 0.75
Pure gold weight = 14.5 × 0.75 = 10.875g
Melt value = 10.875 × $86.80 = $943.95 USD
Calculation in Tolas (Pakistan/India)
Item: 22K gold bangle, 3 tolas
Weight in grams = 3 × 11.6638 = 34.9914g
Purity (22K) = 0.9167
Pure gold weight = 34.9914 × 0.9167 = 32.085g
Spot per gram = $86.80/g
Melt value = 32.085 × $86.80 = $2,784.98 USD
In PKR (at ~280 PKR/USD) = PKR 780,000 (approx.)
Calculation in Troy Ounces
Item: 24K gold bar, 0.5 troy ounces
Weight in grams = 0.5 × 31.1035 = 15.5518g
Purity (24K) = 0.9999
Pure gold weight = 15.5518 × 0.9999 = 15.5502g
Spot per gram = $86.80/g
Melt value = 15.5502 × $86.80 = $1,349.76 USD
Calculation in Pennyweights (North American Jewelry)
Item: 14K gold ring, 4.5 pennyweights
Weight in grams = 4.5 × 1.55517 = 6.998g
Purity (14K) = 0.5833
Pure gold weight = 6.998 × 0.5833 = 4.082g
Spot per gram = $86.80/g
Melt value = 4.082 × $86.80 = $354.32 USD
Calculation in Baht (Thailand)
Item: 96.5% pure Thai gold chain (Thai standard), 2 baht
Weight in grams = 2 × 15.244 = 30.488g
Purity (Thai 96.5%) = 0.965
Pure gold weight = 30.488 × 0.965 = 29.421g
Spot per gram = $86.80/g
Melt value = 29.421 × $86.80 = $2,553.74 USD
Note: Thai gold (called "Baht gold") is a unique standard at 96.5% purity — between 23K and 24K. My calculator includes Thai gold as a dedicated purity option, not just a karat-based selection.
Scrap Gold Value in Local Currencies — PKR, INR, AED, GBP, EUR
For international users, melt value in USD must be converted to local currency for the number to be practically useful. Here's how currency conversion works in a professional scrap gold calculator — and why it matters more in some markets than others.
Currency Conversion Formula
Local Currency Value = Melt Value USD × Current FX Rate
Example: Melt value = $500 USD
At 280 PKR/USD → PKR 140,000
At 83 INR/USD → INR 41,500
At 3.67 AED/USD → AED 1,835
At 0.79 GBP/USD → GBP 395
At 0.92 EUR/USD → EUR 460
Why Currency Matters Especially for PKR and INR Users
For gold investors and sellers in Pakistan and India, the local currency value of scrap gold is doubly interesting:
Double appreciation effect: When gold rises in USD terms AND when PKR weakens against USD (as it has persistently over recent years), scrap gold value in PKR appreciates much faster than the USD spot price movement alone.
Example:
- 2020: Gold at $1,800/ozt, USD/PKR = 165 → 1 ozt gold = PKR 297,000
- 2026: Gold at $2,700/ozt, USD/PKR = 280 → 1 ozt gold = PKR 756,000
- Increase in PKR terms: +155% vs. +50% in USD terms
A scrap gold calculator that shows both USD and PKR values simultaneously lets South Asian users see the full picture of their gold's appreciation.
Live Currency Rates in the Calculator
Professional scrap gold calculators integrate live FX rate APIs alongside gold spot price APIs:
async function getLivePriceData(targetCurrency = 'PKR') {
// Fetch gold spot price
const goldResponse = await fetch('https://www.goldapi.io/api/XAU/USD', {
headers: { 'x-access-token': process.env.GOLD_API_KEY }
});
const goldData = await goldResponse.json();
const spotUSD = goldData.price;
// Fetch live FX rate
const fxResponse = await fetch(
`https://api.exchangerate-api.com/v4/latest/USD`
);
const fxData = await fxResponse.json();
const fxRate = fxData.rates[targetCurrency];
return {
spotUSD,
spotLocal: spotUSD * fxRate,
fxRate,
currency: targetCurrency,
spotPerGramUSD: spotUSD / 31.1035,
spotPerGramLocal: (spotUSD / 31.1035) * fxRate,
lastUpdated: new Date().toISOString()
};
}
With this setup, the calculator auto-populates both spot price and exchange rate on load — the user only needs to enter weight and select karat.
Scrap Gold Lot Calculator — Multi-Item Batch Valuation
In professional scrap gold operations — pawn shops, gold dealers, estate buyers, refineries — valuing multiple items simultaneously is the daily reality. A single-item calculator is insufficient. Here's how batch scrap gold calculation works:
Multi-Item Lot Calculation
function calculateScrapGoldLot(items, spotPriceUSD) {
const spotPerGram = spotPriceUSD / 31.1035;
let totalMeltValue = 0;
let totalWeightGrams = 0;
let totalPureGoldGrams = 0;
const itemResults = items.map((item, index) => {
const weightGrams = item.weight * WEIGHT_UNITS[item.unit];
const purity = item.customPurity
? item.customPurity / 100
: KARAT_PURITY[item.karat];
const pureGoldGrams = weightGrams * purity;
const meltValue = pureGoldGrams * spotPerGram;
totalWeightGrams += weightGrams;
totalPureGoldGrams += pureGoldGrams;
totalMeltValue += meltValue;
return {
item: index + 1,
description: item.description || `Item ${index + 1}`,
weightGrams: +weightGrams.toFixed(4),
karat: item.karat || 'custom',
purityPercent: +(purity * 100).toFixed(2),
pureGoldGrams: +pureGoldGrams.toFixed(4),
meltValueUSD: +meltValue.toFixed(2)
};
});
// Effective karat of the entire lot
const effectivePurity = totalPureGoldGrams / totalWeightGrams;
const effectiveKarat = (effectivePurity * 24).toFixed(2);
return {
items: itemResults,
totalWeightGrams: +totalWeightGrams.toFixed(4),
totalPureGoldGrams: +totalPureGoldGrams.toFixed(4),
totalMeltValueUSD: +totalMeltValue.toFixed(2),
effectivePurity: +(effectivePurity * 100).toFixed(3),
effectiveKarat: +effectiveKarat,
spotUsed: spotPriceUSD
};
}
Real Lot Calculation Example
A pawn shop receives the following items from one customer:
| Item | Weight | Unit | Karat | Pure Gold | Melt Value |
|---|---|---|---|---|---|
| Gold ring | 4.2g | gram | 14K | 2.450g | $212.66 |
| Bangle | 2.5 tola | tola | 22K | 26.810g | $2,327.59 |
| Chain | 8.7g | gram | 18K | 6.525g | $566.37 |
| Earrings | 3.1g | gram | 10K | 1.292g | $112.17 |
| Ring | 1.8g | gram | 24K | 1.800g | $156.24 |
| TOTAL | 38.877g | $3,375.03 |
At spot = $86.80/g:
- Total lot melt value: $3,375.03 USD
- Effective lot purity: 71.4% = approx. 17.1K blended
- Fair dealer offer (80% of melt): $2,700
- Pawn shop lowball (40% of melt): $1,350
The difference between knowing your melt value and not knowing it: $1,350 vs. $2,700. That's the value of the scrap gold calculator.
Scrap Gold Purity Testing — Before You Calculate
The most accurate scrap gold calculator in the world is useless if you input the wrong karat. Purity verification is the prerequisite to calculation. Here are the methods, from least to most precise:
Method 1: Hallmark Reading (Free, Immediate)
Look for the stamp. This is always the first step. Under a jeweler's loupe or 10x magnifier, stamps are readable on almost all post-1900 jewelry. See the hallmark guide in the previous section for interpretation.
Reliability: High for modern jewelry from regulated markets (UK, EU, US). Lower for vintage pieces, some Asian jewelry where stamps may be approximate, or pieces where the stamp is worn.
Method 2: Acid Test Kit ($20–$50)
Acid test kits contain bottles of nitric acid solutions at concentrations corresponding to different karat levels (8K, 10K, 14K, 18K, 22K). A small scratch of the gold is touched to a test stone, acid applied, and the reaction color indicates purity.
Reliability: Good for go/no-go testing. Can distinguish broad karat categories (10K vs 18K) but less reliable at distinguishing close karats (14K vs 18K). Slightly destructive (micro-scratch required). Error range ±1–2K.
Best for: Quick field verification by pawn shop buyers, individual sellers confirming unlabeled pieces.
Method 3: Electronic Gold Tester ($200–$500)
Electronic testers use conductivity measurement to estimate gold purity. Non-destructive and fast (2–5 seconds per reading).
Reliability: Moderate. Good for bulk screening but affected by alloy composition, plating, and surface condition. Error range ±1–3K. Not suitable for precision commercial transactions.
Best for: High-volume scrap buyers doing rapid preliminary screening before XRF verification.
Method 4: XRF (X-Ray Fluorescence) Analysis ($15,000–$40,000 equipment, or $10–$30 per test at service)
XRF shoots X-rays at the gold sample and analyzes the fluorescent energy spectrum to determine elemental composition. It identifies every metal present (gold, silver, copper, zinc, nickel, etc.) to three decimal places.
Reliability: The gold standard (appropriately) for scrap purity testing. Error range ±0.1%. Non-destructive. Results in 10–30 seconds.
Best for: Any commercial scrap gold operation, refinery intake, or situation where the transaction value makes testing cost-effective (which is most situations over $500).
Method 5: Fire Assay (Definitive, Destructive)
The most precise purity testing method in existence. A small sample is melted, treated with acid, and the resulting pure gold is weighed precisely. Accurate to 0.01% purity.
Best for: Refinery verification of large lots, dispute resolution, assay certification of gold bars.
Scrap Gold Buyer Types — Who Pays What Percentage of Melt Value
Understanding buyer behavior is as important as the calculation itself. Every scrap gold buyer discounts from melt value — the question is by how much. Here is my field-verified guide:
Pawn Shops
Typical offer: 35–55% of melt value
Pawn shops are not gold specialists. They buy gold alongside electronics, instruments, and general merchandise. Their gold buyers often use simplified (sometimes incorrect) calculators, and their business model requires high margins to cover risk, operational costs, and inventory financing.
When to use them: Only as a last resort for immediate cash. Never as a benchmark for gold's value.
Negotiation tip: Show them your melt value calculation. Even if they can't match it, demonstrating knowledge of the melt value often improves their offer by 10–15%.
Cash-for-Gold Services
Typical offer: 45–65% of melt value
Dedicated gold buying operations (storefronts and mail-in services) do better than pawn shops but still maintain substantial margins. Mail-in services often quote 50–60% initially with the ability to negotiate up to 65–70%.
Warning: Mailed gold is difficult to retrieve if you're unsatisfied with the offer. Always use insured, tracked shipping and confirm the return policy before sending.
Local Gold Dealers / Jewelers
Typical offer: 70–85% of melt value
Specialized gold dealers and jewelers who buy scrap for resale or refinement typically offer better rates. They have lower overhead than retail pawn shops and more accurate pricing tools.
Best approach: Get quotes from 2–3 local dealers. Show the melt value calculation to each. Competition between buyers drives prices up.
Online Gold Refiners
Typical offer: 80–95% of melt value
Online precious metal refiners (companies that actually smelt and refine gold) offer the highest percentages because they have the lowest overhead and the most efficient processing. Examples include established refiners in the UK, USA, and UAE that accept mail-in scrap lots.
Best for: Larger lots (50g+ of pure gold equivalent) where the refining economics favor the refiner paying high percentages.
Peer-to-Peer Sales
Potential return: 90–100% of melt value (or above, if sold as jewelry)
Selling directly to another individual — via local gold groups, marketplace platforms, or community networks — eliminates dealer margin entirely. You receive melt value or above.
Risks: Requires trust verification, payment security, and may attract buyers attempting to pay less than melt for "jewelry premium" deductions.
Summary Table: Scrap Gold Buyer Comparison
| Buyer Type | % of Melt Value | Best For | Avoid When |
|---|---|---|---|
| Pawn shop | 35–55% | Emergency cash only | Anything else |
| Cash-for-gold | 45–65% | Convenience | Large lots |
| Local dealer | 70–85% | Moderate lots | You have time to compare |
| Online refiner | 80–95% | Larger lots | Small quantities |
| Peer-to-peer | 90–100% | Jewelry with resale value | Scrap with no form value |
Scrap Gold Prices Today — Market Context for 2026
To use a scrap gold calculator effectively, understanding the current market context is essential. Here's where things stand as we move through 2026:
Gold has maintained historically elevated prices, trading above $2,600/ozt through late 2025 and into 2026, supported by:
Central bank demand: Global central banks — particularly China's People's Bank, Reserve Bank of India, and several Eastern European central banks — have been net buyers of gold for multiple consecutive years. This institutional demand provides a structural floor under prices.
Geopolitical risk premium: Ongoing global tensions have sustained gold's safe-haven premium. Historically, geopolitical uncertainty adds $50–$150/ozt to gold's price above what macro-economic models would predict.
Inflation dynamics: While inflation has moderated from 2022–2023 peaks in most developed economies, gold's role as a long-term purchasing power preserver continues to attract investment demand.
Dollar correlation: Gold is priced in USD, so USD weakness typically boosts gold prices in USD terms. The dollar's long-term trajectory remains a key driver of gold price.
Practical implication for scrap gold calculation: At $2,700/ozt ($86.80/gram), scrap gold values are at or near historical highs. This is an excellent time to sell scrap gold you've been holding. A piece worth $400 at $1,800/ozt spot is now worth $600 at $2,700/ozt — a 50% increase in scrap value with no change to the physical gold.
Always use a live spot price in your calculator. Today's calculation can differ from yesterday's by $10–$30 per gram in volatile markets.
Special Scrap Gold Categories — Dental Gold, Electronics, Gold-Filled
Not all scrap gold is jewelry. Here's how to handle special categories in the scrap gold calculator:
Dental Gold
Dental alloys contain gold in concentrations ranging from approximately 40% (low-gold dental alloys) to 80%+ (high-gold casting alloys). They also typically contain palladium, silver, copper, and other metals.
How to calculate:
- Without assay: Use estimated purity of 50–60% (10K–14K equivalent) as a conservative estimate
- With assay certificate: Use the stated gold percentage directly as the custom purity input
- XRF testing at a dental gold refiner gives precise results and the best prices
Where to sell dental gold: Specialist dental gold refiners offer 80–90% of the gold melt value on verified lots. General pawn shops typically offer far less because they can't accurately assess dental alloy purity.
Electronics Scrap (E-waste Gold)
Circuit boards, CPU processors, gold-plated connectors, and other electronics contain trace quantities of gold — far less per gram of material than jewelry, but the economics can work at scale.
Important: A basic scrap gold calculator is NOT the right tool for e-waste gold calculation. The gold content in electronics is measured in parts per million (PPM) or milligrams per unit, not as a percentage of total weight. E-waste requires specialized recovery calculators and professional assaying.
Rough reference: 1 ton of smartphones contains approximately 300–400 grams of recoverable gold. 1 ton of standard motherboards contains approximately 150–250 grams. These require industrial-scale processing.
Gold-Filled Items
Gold-filled (GF) jewelry has a mechanically bonded layer of gold alloy that by US FTC standards must constitute at least 1/20th (5%) of the item's total weight. The karat of the gold layer is typically 12K or 14K.
Calculation for 12K gold-filled, 20g item:
Gold content = 20g × 5% = 1g of 12K alloy
Pure gold weight = 1g × 0.50 = 0.5g pure gold
Melt value at $86.80/g = $43.40 USD
Compare to solid 12K: 20g × 0.50 × $86.80 = $868 USD
The difference is stark. Gold-filled melt value is roughly 1/20th of the equivalent solid gold piece. Many buyers incorrectly calculate gold-filled items as if they were solid gold — either through error or deliberately. Know the distinction.
Gold Vermeil
Gold vermeil (pronounced "ver-may") is sterling silver (92.5% silver) plated with gold to a minimum thickness of 2.5 microns. The gold content is minimal — typically 0.1–0.5% of total weight.
Scrap calculation: Calculate the silver melt value using the silver spot price and 92.5% purity, plus the negligible gold layer. The silver content is the primary scrap value driver for vermeil pieces.
Building a Scrap Gold Calculator for WordPress — Developer Guide
For developers and bloggers building scrap gold calculator tools on WordPress, here is the complete technical implementation I use:
WordPress Plugin Structure
scrap-gold-calculator/
├── scrap-gold-calculator.php (main plugin file)
├── includes/
│ ├── calculator-engine.php (PHP calculation logic)
│ └── api-handler.php (spot price API integration)
├── assets/
│ ├── js/
│ │ └── calculator.js (frontend calculation)
│ └── css/
│ └── calculator.css (styling)
└── templates/
└── calculator.html (calculator UI template)
Main Plugin File
<?php
/**
* Plugin Name: Scrap Gold Calculator
* Description: Professional scrap gold melt value calculator
* Version: 2.0.0
*/
// Prevent direct access
defined('ABSPATH') || exit;
class ScrapGoldCalculator {
public function __construct() {
add_action('wp_enqueue_scripts', [$this, 'enqueue_assets']);
add_shortcode('scrap_gold_calculator', [$this, 'render_calculator']);
add_action('wp_ajax_get_gold_spot', [$this, 'get_gold_spot']);
add_action('wp_ajax_nopriv_get_gold_spot', [$this, 'get_gold_spot']);
}
public function enqueue_assets() {
wp_enqueue_script(
'scrap-gold-calculator',
plugin_dir_url(__FILE__) . 'assets/js/calculator.js',
['jquery'],
'2.0.0',
true
);
wp_localize_script('scrap-gold-calculator', 'sgcAjax', [
'ajaxUrl' => admin_url('admin-ajax.php'),
'nonce' => wp_create_nonce('sgc_nonce')
]);
}
public function get_gold_spot() {
check_ajax_referer('sgc_nonce', 'nonce');
// Cache spot price for 60 seconds
$cached = get_transient('sgc_gold_spot');
if ($cached) {
wp_send_json_success($cached);
return;
}
$api_key = get_option('sgc_gold_api_key', '');
$response = wp_remote_get(
'https://www.goldapi.io/api/XAU/USD',
['headers' => ['x-access-token' => $api_key]]
);
if (is_wp_error($response)) {
wp_send_json_error('Failed to fetch spot price');
return;
}
$data = json_decode(wp_remote_retrieve_body($response), true);
$spot_data = [
'price' => $data['price'],
'per_gram' => $data['price'] / 31.1035,
'updated' => date('H:i:s')
];
set_transient('sgc_gold_spot', $spot_data, 60);
wp_send_json_success($spot_data);
}
public function render_calculator($atts) {
$atts = shortcode_atts([
'theme' => 'light',
'default_unit' => 'gram',
'default_karat' => '18',
'show_dealer_guide' => 'true',
'currencies' => 'USD,PKR,INR,GBP,AED,EUR'
], $atts);
ob_start();
include plugin_dir_path(__FILE__) . 'templates/calculator.html';
return ob_get_clean();
}
}
new ScrapGoldCalculator();
Usage in WordPress pages or posts:
[scrap_gold_calculator default_unit="tola" default_karat="22" currencies="PKR,USD,AED"]
This renders a fully functional, live-priced scrap gold calculator with South Asian defaults — ideal for Pakistani and Indian gold market sites.
Frequently Asked Questions (FAQs)
What is a scrap gold calculator?
A scrap gold calculator computes the intrinsic melt value of gold-containing items based on three inputs: weight (in grams, tolas, troy ounces, or other units), karat purity (9K, 10K, 14K, 18K, 22K, 24K, etc.), and the current live gold spot price per troy ounce. It gives you the theoretical value of the pure gold content — your baseline for any gold selling transaction.
How do I calculate scrap gold value in tola?
Multiply the tola weight by 11.6638 to convert to grams. Then multiply by the karat purity decimal (e.g., 0.9167 for 22K). Then multiply by the current spot price per gram (spot per troy oz ÷ 31.1035). For 22K gold at 2 tolas with $2,700/ozt spot: (2 × 11.6638) × 0.9167 × ($2,700 ÷ 31.1035) = 23.328 × 0.9167 × $86.80 = $1,857.09 USD.
What percentage of melt value do scrap gold buyers pay?
It varies widely by buyer type: pawn shops pay 35–55% of melt value; cash-for-gold services pay 45–65%; local gold dealers pay 70–85%; online refiners pay 80–95%; peer-to-peer sales can reach 90–100%. Always calculate melt value first so you can evaluate any offer against the theoretical maximum.
What karat is most common in scrap gold?
It varies by region. In the USA, 14K and 10K dominate jewelry scrap. In the UK, 9K is most common. In Pakistan, India, and the Middle East, 22K and 21K are predominant. In China, 24K (999 gold) jewelry is the standard. A comprehensive scrap gold calculator handles all karat levels.
How do I verify the karat of scrap gold without a hallmark?
Without a visible hallmark, use an acid test kit for quick field verification (±1–2K accuracy), an electronic gold tester for non-destructive screening (±1–3K accuracy), or XRF analysis at a jewelry store or refinery for precise results (±0.1%). Never rely on appearance alone — gold plating, gold-filled construction, and solid gold look similar but have dramatically different melt values.
Is gold-filled worth calculating as scrap gold?
Gold-filled items have some scrap value but far less than solid gold. By US FTC standards, gold-filled must be at least 5% gold by weight. A 20-gram 14K gold-filled item contains only 1 gram of 14K alloy = 0.583 grams of pure gold ≈ $50 in melt value, vs. $868 for solid 14K of the same weight. Always identify gold-filled (GF stamp) before calculating.
Does scrap gold value change daily?
Yes, continuously. Gold spot price moves every second during trading hours on COMEX (New York) and LBMA (London). A price movement of $50/ozt changes the melt value of a 10-gram 18K piece by approximately $12. For commercial transactions, always use a live spot price from the day of the transaction — never a price from yesterday or earlier.
What is the best way to sell scrap gold?
For maximum return: (1) calculate your melt value using a live spot price, (2) get quotes from at least 3 buyers — include at least one online refiner, (3) compare all offers as a percentage of your calculated melt value, (4) choose the highest. For lots over $500 in melt value, online refiners typically offer the best rates. For amounts under $200, a local gold dealer may be most practical after accounting for shipping and insurance costs.
What is the difference between scrap gold and bullion gold?
Scrap gold refers to gold items (typically jewelry, dental gold, or industrial components) sold for their metal content. Bullion gold refers to gold bars and coins produced specifically as investment vehicles with certified purity and weight. Bullion trades at spot price or a small premium above it; scrap gold is purchased by dealers at a discount below melt value (because they need to cover refining and operational costs).
How much is 1 tola of 22K gold worth in 2026?
At $2,700/ozt spot (approximate 2026 level): 1 tola = 11.6638g, 22K purity = 0.9167, spot per gram = $86.80. Melt value = 11.6638 × 0.9167 × $86.80 = $928.38 USD. In PKR at 280 PKR/USD = approximately PKR 259,946. This changes daily with spot price movements — always use a live calculator for current values.
Conclusion: Your Scrap Gold Is Worth More Than They're Offering
After years of building scrap gold calculators and watching how the market treats uninformed sellers, I have one core message: know your melt value before you walk into any gold transaction.
The scrap gold calculator is the tool that eliminates information asymmetry. It takes the same calculation that every professional gold buyer runs before making you an offer — the same math they use to determine how much margin they can capture from you — and puts it in your hands, for free, before the negotiation begins.
A pawn shop offering you 40% of melt value on a $1,000 piece is offering you $400. That same piece at a reputable gold dealer gets you $800. The difference is $400. The calculation takes 30 seconds. That is the most valuable 30 seconds in any gold transaction.
Calculate your melt value. Know your karat. Use the right weight unit for your region — tola, gram, or troy ounce. Verify your purity. Then compare offers against your calculated baseline, not against your intuition.
The gold in your drawer has real, calculable value. Make sure you receive it.
Last Updated: 2026 | Categories: Scrap Gold Calculator, Gold Melt Value, Karat Guide, Tola Calculator, Gold Price Tools, Precious Metals
Related Tools: One Rep Max Calculator | Passport Photo Tool | Ramadan Quotes in Urdu
Comments
Post a Comment