diff --git a/README.md b/README.md index 2a11ee8..9633ddf 100644 --- a/README.md +++ b/README.md @@ -8,19 +8,43 @@ As of version 2.0, currencies whose number is `0` will no longer be displayed, p However, the entire history for the Coinbase account remains. +# Coinbase V3 API + +Coinbase has released their new Advanced Trade API, which can be accessed at the endpoint: [https://api.coinbase.com/api/v3/brokerage/](https://api.coinbase.com/api/v3/brokerage/). The API documentation can be found here: [https://docs.cdp.coinbase.com/advanced-trade/docs/welcome](https://docs.cdp.coinbase.com/advanced-trade/docs/welcome). + +The main challenge in developing this extension was implementing their new authentication method, which is based on JWT tokens. The JWT token is generated by the extension and sent to the API in the header of each request. JWT signing is done using Elliptic Curve Cryptography (ECC) with the `prime256v1` curve. Therefore, the extension makes use of some undocumented `MM` functions to sign the JWT token. The token is generated using the key name and private key provided by the user. + +To avoid disrupting users who are still using the old API, this extension is created as a new extension and explicitly called `Coinbase V3`. + +**Important:** + +1. This extension will only work with the new Advanced Trade API and not with the old V2 API. +2. You must provide your credentials as a key name and a private key. In MoneyMoney, you need to enter the **key name** as the **username** and the **private key** as the **password**. + +If you download your API credentials from Coinbase in JSON format, they will look like this: + +```json +{ + "name": "organizations/.../apiKeys/...", + "privateKey": "-----BEGIN EC PRIVATE KEY-----\nM...9\nA...e\nu...==\n-----END EC PRIVATE KEY-----\n" +} +``` + +Use the name as the key name and the privateKey as the private key. Do not change anything, and make sure to copy the entire key, including the `-----BEGIN EC PRIVATE KEY-----` and `-----END EC PRIVATE KEY-----` lines. Ensure that you do not include any accidental whitespace at the beginning or end of the key. + ## Extension Setup You can get a signed version of this extension from * the `dist` directory in this repository -Once downloaded, move `Coinbase.lua` to your MoneyMoney Extensions folder. +Once downloaded, move `Coinbase.lua` for V2 or `CoinbaseV3.lua` for V3 to your MoneyMoney Extensions folder. **Note:** This extension requires MoneyMoney Version 2.2.18 (288) or newer. ## Account Setup -### Coinbase +### Coinbase V2 API 1. Log in to your Coinbase account 2. Go to Settings → API @@ -29,6 +53,17 @@ Once downloaded, move `Coinbase.lua` to your MoneyMoney Extensions folder. 5. Under "API v2 Permissions", check "wallet:user:read" and "wallet:accounts:read" (the others aren’t needed) 5. Click "Create" +### Coinbase V3 API + +1. Log in to the developer portal at https://portal.cdp.coinbase.com/ +2. Create or select a project +3. Go to API Keys +3. Click "Create API Key" +4. Give the key a name, e.g. "MoneyMoney" +5. Make sure that only `View (read-only)` is selected (we don't need to trade) +5. Click "Create & download" + + ### MoneyMoney Add a new account (type "Coinbase Account") and use your Coinbase API key as username and your Coinbase API secret as password. diff --git a/src/CoinbaseV3.lua b/src/CoinbaseV3.lua new file mode 100644 index 0000000..4bcae75 --- /dev/null +++ b/src/CoinbaseV3.lua @@ -0,0 +1,243 @@ +-- Inofficial Coinbase Extension (www.coinbase.com) for MoneyMoney +-- Fetches balances from Coinbase API V3 and returns them as securities +-- +-- Username: Coinbase Key Name +-- Password: Coinbase Private Key +-- +-- Copyright (c) 2024 Felix Nensa +-- Copyright (c) 2020-2022 Martin Wilhelmi +-- Copyright (c) 2017 Nico Lindemann +-- +-- Permission is hereby granted, free of charge, to any person obtaining a copy +-- of this software and associated documentation files (the "Software"), to deal +-- in the Software without restriction, including without limitation the rights +-- to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +-- copies of the Software, and to permit persons to whom the Software is +-- furnished to do so, subject to the following conditions: +-- +-- The above copyright notice and this permission notice shall be included in all +-- copies or substantial portions of the Software. +-- +-- THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +-- IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +-- FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +-- AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +-- LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +-- OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +-- SOFTWARE. + +WebBanking { + version = 3.0, + url = "https://api.coinbase.com", + description = "Fetch balances from Coinbase API V3 and list them as securities", + services = { "Coinbase Account" } +} + +local apiKey +local apiSecret +local currency +local balances +local prices +local api_host = "api.coinbase.com" +local api_path = "/api/v3/brokerage/" +local market = "Coinbase" +local accountNumber = "Main" + +function SupportsBank (protocol, bankCode) + return protocol == ProtocolWebBanking and bankCode == "Coinbase Account" +end + +function InitializeSession (protocol, bankCode, username, username2, password, username3) + apiKey = username + apiSecret = password + -- Take currency of first fiat account, ignores pagination limit (default: 49) + -- See: https://docs.cdp.coinbase.com/advanced-trade/reference/retailbrokerageapi_getaccounts/ + -- default to EUR if no fiat account is found + currency = "EUR" + local accounts = queryPrivate("accounts") + local size = accounts["size"] + for i = 1, size do + local account = accounts["accounts"][i] + if account["type"] == "ACCOUNT_TYPE_FIAT" then + currency = account["currency"] + break + end + end +end + +function ListAccounts (knownAccounts_notused) + local account = { + name = market, + accountNumber = accountNumber, + currency = currency, + portfolio = true, + type = "AccountTypePortfolio" + } + return {account} +end + +function RefreshAccount(account_notused, since_notused) + local s = {} + local accounts = queryPrivate("accounts") + + local size = accounts["size"] + for i = 1, size do + local account = accounts["accounts"][i] + local available_balance = tonumber(account["available_balance"]["value"]) + if abs(available_balance) > 0 then + if account["type"] == "ACCOUNT_TYPE_FIAT" then + s[#s+1] = { + name = account["name"], + market = market, + currency = account["currency"], + amount = available_balance + } + else + local prices = queryPrivate("market/products/" .. account["currency"] .. "-" .. currency) + if prices ~= nil and prices["error"] == nil then + s[#s+1] = { + name = account["name"], + market = market, + quantity = available_balance, + amount = available_balance * tonumber(prices["price"]), + price = tonumber(prices["price"]) + } + end + end + end + end + + return {securities = s} +end + +function EndSession () +end + +-------------------- Helper functions -------------------- + +-- Define a local abs() function +function abs(x) + if x ~= nil then + return (x < 0) and -x or x + end + return nil +end + +-- Replace all "\n" with actual line breaks +local function replace_newlines(str) + return str:gsub("\\n", "\n") +end + +-- Function to pad a byte string to a specific length with leading zeros +local function pad_to_length(data, length) + if #data < length then + data = string.rep("\0", length - #data) .. data + elseif #data > length then + data = data:sub(-length) -- Trim to the required length if longer + end + return data +end + +-- Function to convert a DER-encoded signature to concatenated r || s format +-- Based on https://stackoverflow.com/a/69109085/5347900 +local function der_to_concat_rs(der_signature) + local pos = 1 + assert(der_signature:byte(pos) == 0x30, "Expected SEQUENCE") + pos = pos + 1 -- Skip SEQUENCE tag + + local length = der_signature:byte(pos) + pos = pos + 1 + + -- Extract r value + assert(der_signature:byte(pos) == 0x02, "Expected INTEGER for r") + pos = pos + 1 + local r_len = der_signature:byte(pos) + pos = pos + 1 + local r = der_signature:sub(pos, pos + r_len - 1) + pos = pos + r_len + + -- Extract s value + assert(der_signature:byte(pos) == 0x02, "Expected INTEGER for s") + pos = pos + 1 + local s_len = der_signature:byte(pos) + pos = pos + 1 + local s = der_signature:sub(pos, pos + s_len - 1) + pos = pos + s_len + + -- Ensure r and s are 32 bytes by adding leading zeros if necessary + r = pad_to_length(r, 32) + s = pad_to_length(s, 32) + + -- Concatenate r || s + return r .. s +end + +-- Function to create JWT token using ES256 and MM helper functions +function create_jwt(apiSecret, header, payload) + local json_header = JSON():set(header):json() + local json_payload = JSON():set(payload):json() + + -- Ensure header and payload are BASE64 encoded + local encoded_header = MM.base64urlencode(json_header) + local encoded_payload = MM.base64urlencode(json_payload) + + local signature_input = encoded_header .. "." .. encoded_payload + + -- Load and parse the EC private key + local key = apiSecret + key = replace_newlines(key) -- Replace "\n" with actual line breaks + key = string.match(key, "BEGIN EC PRIVATE KEY%-%-%-%-%-%s*(.*)%-%-%-%-%-END EC PRIVATE KEY") + key = string.gsub(key, "%s+", "") + key = MM.base64decode(key) + + local der = MM.derdecode(MM.derdecode(key)[1][2]) + local d = der[2][2] + local p = MM.derdecode(der[4][2])[1][2] + local x = string.sub(p, string.len(p) - 63, string.len(p) - 32) + local y = string.sub(p, string.len(p) - 31) + + -- Sign the data using MM.ecSign + local signature = MM.ecSign({curve="prime256v1", d=d, x=x, y=y}, signature_input, "ecdsa sha256") + local rs_signature = der_to_concat_rs(signature) + local encoded_signature = MM.base64urlencode(rs_signature) + + -- Construct and return the JWT + return encoded_header .. "." .. encoded_payload .. "." .. encoded_signature +end + +-- Generate a hexadecimal nonce +local function generate_hex_nonce(length) + local res = {} + local hex_chars = '0123456789abcdef' + + for i = 1, length do + local rand_index = math.random(1, #hex_chars) + table.insert(res, hex_chars:sub(rand_index, rand_index)) + end + + return table.concat(res) +end + +-- Query the advanced trade API with a private method +-- See: https://docs.cdp.coinbase.com/advanced-trade/reference/ +function queryPrivate(method) + local request_method = "GET" + local nonce = generate_hex_nonce(64) + local uri = request_method .. " " .. api_host .. api_path .. method + local nbf = os.time() + local exp = nbf + 120 + local header = {alg = "ES256", kid = apiKey, nonce = nonce, typ = "JWT"} + local payload = {sub = apiKey, iss = "cdp", nbf = nbf, exp = exp, uri = uri} + local jwt_token = create_jwt(apiSecret, header, payload) + + local path = api_path .. method + local headers = {} + headers["Accept"] = "application/json" + headers["Authorization"] = "Bearer " .. jwt_token + + local connection = Connection() + local content = connection:request("GET", url .. path, nil, nil, headers) + + local json = JSON(content) + return json:dictionary() +end \ No newline at end of file