From 0ba704ca1074c4c689241f33500c1b06e3341dcd Mon Sep 17 00:00:00 2001 From: mapachurro Date: Mon, 22 Jul 2024 11:34:01 -0400 Subject: [PATCH] i18n WORKING. It's all improvements from here. --- index.html | 30 +- package-lock.json | 6 + package.json | 1 + src/App.jsx | 38 +- src/EntryPage.css | 14 + src/EntryPage.jsx | 22 +- src/Home.jsx | 4 +- src/components/Navbar.jsx | 53 +- src/components/Search.jsx | 22 +- src/terms.json | 3040 +++++++++++++++--------------- src/utils/linkTerms.js | 18 +- src/utils/linked-definitions.jsx | 1189 ------------ src/utils/terms_linked.js | 82 - tsconfig.json | 2 +- vite.config.js | 23 +- 15 files changed, 1666 insertions(+), 2878 deletions(-) create mode 100644 src/EntryPage.css delete mode 100644 src/utils/linked-definitions.jsx delete mode 100644 src/utils/terms_linked.js diff --git a/index.html b/index.html index be4d37d..709518f 100644 --- a/index.html +++ b/index.html @@ -1,35 +1,13 @@ - - - - - - - - - - The Education DAO Glossary + + + Education DAO Glossary + -
- diff --git a/package-lock.json b/package-lock.json index fb818e5..0a69048 100644 --- a/package-lock.json +++ b/package-lock.json @@ -13,6 +13,7 @@ "@testing-library/user-event": "^14.4.3", "@vitejs/plugin-react-swc": "^3.6.0", "csv-parser": "^3.0.0", + "dompurify": "^3.1.6", "fs": "^0.0.1-security", "i18next": "^23.10.0", "lunr": "^2.3.9", @@ -5483,6 +5484,11 @@ "url": "https://github.com/fb55/domhandler?sponsor=1" } }, + "node_modules/dompurify": { + "version": "3.1.6", + "resolved": "https://registry.npmjs.org/dompurify/-/dompurify-3.1.6.tgz", + "integrity": "sha512-cTOAhc36AalkjtBpfG6O8JimdTMWNXjiePT2xQH/ppBGi/4uIpmj8eKyIkMJErXWARyINV/sB38yf8JCLF5pbQ==" + }, "node_modules/domutils": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/domutils/-/domutils-3.1.0.tgz", diff --git a/package.json b/package.json index a4afd5b..857f2e2 100644 --- a/package.json +++ b/package.json @@ -8,6 +8,7 @@ "@testing-library/user-event": "^14.4.3", "@vitejs/plugin-react-swc": "^3.6.0", "csv-parser": "^3.0.0", + "dompurify": "^3.1.6", "fs": "^0.0.1-security", "i18next": "^23.10.0", "lunr": "^2.3.9", diff --git a/src/App.jsx b/src/App.jsx index 1c7272f..799e238 100644 --- a/src/App.jsx +++ b/src/App.jsx @@ -5,6 +5,7 @@ import index from './searchIndex'; import terms from './terms.json'; import EntryPage from './EntryPage'; import Navbar from './components/Navbar'; +import Home from './Home'; import { useTranslation } from 'react-i18next'; function App() { @@ -25,6 +26,16 @@ function App() { const allTerms = Object.keys(terms[0].terms); + const handleLogoClick = () => { + setSearchResults([]); + navigate('/'); + }; + + const handleNewSearch = () => { + setSearchResults([]); + navigate('/'); + }; + useEffect(() => { if (searchResults.length > 0) { const query = searchResults[0].term; // Reuse the last search query @@ -34,31 +45,10 @@ function App() { return (
- -
-

{t('Search the Education DAO Glossary:')}

-
- + - - {searchResults.map((result) => ( -
  • navigate(`/term/${encodeURIComponent(result.term)}`)} - style={{ - cursor: allTerms.includes(result.term) ? 'pointer' : 'default', - }} - > - {result.term} -
  • - ))} - - } - /> - } /> + } /> + } />
    ); diff --git a/src/EntryPage.css b/src/EntryPage.css new file mode 100644 index 0000000..5995894 --- /dev/null +++ b/src/EntryPage.css @@ -0,0 +1,14 @@ +.new-search-button { + background-color: #6a0dad; /* Same purple as the navbar */ + color: white; + border: none; + padding: 10px 20px; + cursor: pointer; + margin-top: 20px; + border-radius: 4px; + } + + .new-search-button:hover { + background-color: #5b0ca8; /* Slightly darker shade for hover effect */ + } + \ No newline at end of file diff --git a/src/EntryPage.jsx b/src/EntryPage.jsx index 55e8cdd..021f6c9 100644 --- a/src/EntryPage.jsx +++ b/src/EntryPage.jsx @@ -1,30 +1,38 @@ -// src/EntryPage.jsx - import React from 'react'; -import { useParams } from 'react-router-dom'; +import { useParams, useNavigate } from 'react-router-dom'; import terms from './terms.json'; import { linkTermsInDefinition } from './utils/linkTerms'; +import { useTranslation } from 'react-i18next'; +import './EntryPage.css'; // Ensure you have this CSS file for styling -const EntryPage = () => { +const EntryPage = ({ onNewSearch }) => { const { termKey } = useParams(); + const navigate = useNavigate(); + const { t } = useTranslation(); console.log("Term Key:", termKey); const termData = terms[0]?.terms[termKey]; console.log("Term Data:", termData); if (!termData) { - return
    Term not found
    ; + return
    {t('Term not found')}
    ; } const linkedDefinition = linkTermsInDefinition(termData.definition, terms[0].terms); console.log("Linked Definition:", linkedDefinition); + const handleNewSearch = () => { + onNewSearch(); // Clear search history + navigate('/'); + }; + return (
    -

    {termData.term}

    +

    {t(termData.term)}

    {termData.phonetic}

    -

    Category: {termData.termCategory}

    +

    {t('Category')}: {t(termData.termCategory)}

    +
    ); }; diff --git a/src/Home.jsx b/src/Home.jsx index 807ea66..ee77aed 100644 --- a/src/Home.jsx +++ b/src/Home.jsx @@ -5,7 +5,7 @@ import index from './searchIndex'; import terms from './terms.json'; import { useTranslation } from 'react-i18next'; -function Home() { +function Home({ onSearch }) { const [searchResults, setSearchResults] = useState([]); const navigate = useNavigate(); const { t } = useTranslation(); @@ -21,7 +21,7 @@ function Home() { console.log('Updated searchResults:', formattedResults); }; - const allTerms = Object.keys(terms["0"]["terms"]); + const allTerms = Object.keys(terms[0].terms); return (
    diff --git a/src/components/Navbar.jsx b/src/components/Navbar.jsx index 168f372..107de86 100644 --- a/src/components/Navbar.jsx +++ b/src/components/Navbar.jsx @@ -1,15 +1,47 @@ import React from 'react'; -import { Link } from 'react-router-dom'; -import LanguageSwitcher from './LanguageSwitcher'; +import { useNavigate } from 'react-router-dom'; +import { useTranslation } from 'react-i18next'; + +const Navbar = ({ onLogoClick }) => { + const navigate = useNavigate(); + const { i18n } = useTranslation(); + + const handleLogoClick = () => { + onLogoClick(); // Clear search history + navigate('/'); + }; + + const handleLanguageChange = (e) => { + i18n.changeLanguage(e.target.value); + }; -const Navbar = () => { return ( ); }; @@ -21,18 +53,25 @@ const styles = { color: '#fff', display: 'flex', alignItems: 'center', - justifyContent: 'space-between', // Adjust to space items + justifyContent: 'space-between', }, logo: { textDecoration: 'none', color: '#fff', display: 'flex', alignItems: 'center', + cursor: 'pointer', }, logoImage: { marginRight: '0.5rem', height: '40px', }, + languageSelector: { + backgroundColor: '#333', + color: '#fff', + border: 'none', + padding: '5px', + }, }; export default Navbar; diff --git a/src/components/Search.jsx b/src/components/Search.jsx index 09f005a..53317a7 100644 --- a/src/components/Search.jsx +++ b/src/components/Search.jsx @@ -1,30 +1,34 @@ -// src/components/Search.jsx - import React, { useState } from 'react'; -import { useTranslation } from 'react-i18next'; const Search = ({ onSearch }) => { - const { t } = useTranslation(); const [query, setQuery] = useState(''); const handleInputChange = (e) => { setQuery(e.target.value); }; - const handleSearch = () => { + const handleKeyDown = (e) => { + if (e.key === 'Enter') { + onSearch(query); + } + }; + + const handleSubmit = (e) => { + e.preventDefault(); onSearch(query); }; return ( -
    +
    - {/* Use translation for button text */} -
    + + ); }; diff --git a/src/terms.json b/src/terms.json index 346de49..c93f4ad 100644 --- a/src/terms.json +++ b/src/terms.json @@ -1,1525 +1,1525 @@ [ { - "terms": { - "51% attack": { - "term": "51% attack", - "phonetic": "/ˈfɪfti wʌn pərˈsɛnt əˈtæk/", - "partOfSpeech": "noun", - "definition": "If more than half the computer power or mining hash rate on a network is run by a single person or a single group of people, then a 51% attack is in operation. This means that this entity has full control of the network and can negatively affect a cryptocurrency by taking over mining operations, stopping or changing transactions, and double-spending coins.", - "termCategory": "decentralized web" - }, - "account": { - "term": "account", - "phonetic": "/əˈkaʊnt/", - "partOfSpeech": "noun", - "definition": "Accounts are records or statements of financial expenditure and receipts that relate to a particular period or purpose. In the world of crypto, this is referred to as a cryptocurrency account. It gives you certain benefits, and it is a requirement in order to use just about any cryptocurrency exchange. A cryptocurrency account gives you access to hot wallets, which allow you to quickly buy, sell and trade cryptocurrencies, and it gives you an identity or a way through which you can hold onto your public keys when it comes to the aforementioned process.", - "termCategory": "decentralized web" - }, - "address": { - "term": "address", - "phonetic": "/ˈæd.rɛs/ \"ˈpʌblɪk ˈæd.rɛs\"", - "partOfSpeech": "noun", - "definition": "Synonymous with \"public address\", \"wallet address\". Used to send and receive transactions on a blockchain network, and to identify different users; also referred to as a 'public key'. An address is an alphanumeric character string, which can also be represented as a scannable QR code. In Ethereum, the address begins with 0x. For example: 0x06A85356DCb5b307096726FB86A78c59D38e08ee", - "termCategory": "decentralized web" - }, - "aggregator": { - "term": "aggregator", - "phonetic": "/ˈæɡrɪˌɡeɪtər/", - "partOfSpeech": "noun", - "definition": "An aggregator is a platform that aggregates liquidity from multiple decentralized exchanges (DEXs) or other sources of liquidity to provide users with the best prices and the most efficient execution for their trades.", - "termCategory": "decentralized web" - }, - "air-gapping": { - "term": "air-gapping", - "phonetic": "/ˈɛrˌɡæpɪŋ/", - "partOfSpeech": "verb", - "definition": "A method for securing computers in which the device does not connect to the internet or any other open networks. Many hardware wallets use air-gapping as a security mechanism to keep users' private keys or Secret Recovery Phrase offline, and thus safer from any kind of attack.", - "termCategory": "decentralized web" - }, - "airdrop": { - "term": "airdrop", - "phonetic": "/ˈɛrˌdrɑp/", - "partOfSpeech": "noun", - "definition": "A token distribution method used to send cryptocurrency or tokens to wallet addresses. Sometimes airdrops are used for marketing purposes in exchange for simple tasks like reshares, referrals, or app downloads.", - "termCategory": "decentralized web" - }, - "altcoin": { - "term": "altcoin", - "phonetic": "/ˈɔltˌkɔɪn/", - "partOfSpeech": "noun", - "definition": "As Bitcoin was the first cryptocurrency, the term 'altcoin' was created to refer to 'any cryptocurrency other than Bitcoin'. The term is less used in Ethereum or smart contract-enabled blockchain communities. Many altcoins are forks of Bitcoin with minor changes (e.g., Litecoin). See also 'fork'.", - "termCategory": "decentralized web" - }, - "appchain": { - "term": "appchain", - "phonetic": "/ˈæpˌtʃeɪn/", - "partOfSpeech": "noun", - "definition": "A blockchain network custom-made and optimized for a specific application's needs. An appchain is generally not a full-blown blockchain, but offers an optimized execution environment for the application, while still relying on an underlying blockchain for consensus. See also: 'blockchain trilemma', 'modular blockchain', 'Layer 2', 'Layer 3'.", - "termCategory": "decentralized web" - }, - "asset provenance": { - "term": "asset provenance", - "phonetic": "/ˈæsɛt ˈprɑvənəns/", - "partOfSpeech": "noun", - "definition": "Asset provenance refers to the origin, history, and ownership of a particular digital asset on the blockchain. In the crypto context, asset provenance refers to the ability to trace the ownership and transfer of a specific cryptocurrency or token from its creation or minting to its current holder.", - "termCategory": "decentralized web" - }, - "attestation": { - "term": "attestation", - "phonetic": "/ˌætɪˈsteɪʃən/", - "partOfSpeech": "noun", - "definition": "Attestation in crypto refers to the process of verifying the authenticity or validity of a piece of information or a transaction on a blockchain network. Attestation is an important aspect of blockchain technology, as it helps to ensure the integrity and security of the network. In general, attestation involves a trusted third-party, or attester, verifying the authenticity of a transaction or piece of information. This can include verifying the identity of users on the network, verifying the accuracy of data, or validating the authenticity of a digital signature. One example of attestation in crypto is the use of digital signatures to authenticate transactions on a blockchain network. Digital signatures use public key cryptography to verify the identity of the sender and ensure that the transaction has not been tampered with. Another example of attestation in crypto is the use of Proof of Stake (PoS) consensus mechanisms, which rely on validators to attest to the validity of transactions on the network. Validators are responsible for verifying transactions and adding new blocks to the blockchain, and they are rewarded with cryptocurrency for their efforts. For more info, see Attestation in Ethereum.", - "termCategory": "decentralized web" - }, - "base fee": { - "term": "base fee", - "phonetic": "/ˈbeɪs fiː/", - "partOfSpeech": "noun", - "definition": "Every block has a reserve price known as the 'base fee'. It is the minimum gas fee a user must pay to include a transaction in the next block.", - "termCategory": "decentralized web" - }, - "block": { - "term": "block", - "phonetic": "/blɑk/", - "partOfSpeech": "noun", - "definition": "If we think of a blockchain as consisting of a ledger that is being constantly synced between any number of different nodes (indeed, 'distributed ledger technology' is another phrase used to describe it), imagine that after a certain number of transactions have been added to the ledger and consensus has been reached among the nodes that the transactions are valid, then they are cryptographically locked into a 'block' and officially recorded; this 'block' forms the basis for the next one; in this way, they are all linked together in a chain, hence--blockchain.", - "termCategory": "decentralized web" - }, - "block explorer": { - "term": "block explorer", - "phonetic": "/blɑk ɪkˈsplɔrər/", - "partOfSpeech": "noun", - "definition": "A blockchain explorer is an application, most often a website along with a corresponding API, that displays information about blockchain activity in a more human-friendly way. While a blockchain is designed to keep information forever, and be “readable by anyone”, finding the specific information you’re interested in may require indexing data off the blockchain–that is, sorting it according to given categories (sender address, token type, etc) into a separate database which can then be queried by the user; this essential function is provided by blockchain explorers. A prominent example is etherscan, which also offers explorers on a number of other networks.", - "termCategory": "decentralized web" - }, - "block height": { - "term": "block height", - "phonetic": "/blɑk haɪt/", - "partOfSpeech": "noun", - "definition": "The number of blocks connected together in the blockchain. For example, Height 0 would be the very first block, which is also called the Genesis Block.", - "termCategory": "decentralized web" - }, - "block reward": { - "term": "block reward", - "phonetic": "/blɑk rɪˈwɔrd/", - "partOfSpeech": "noun", - "definition": "The reward given to a miner or validator after it has successfully hashed a transaction block. Block rewards can be a mixture of coins and transaction fees. The composition depends on the policy used by the cryptocurrency in question, and whether all of the coins have already been successfully mined. The current block reward for the Bitcoin network is 12.5 bitcoins per block.", - "termCategory": "decentralized web" - }, - "block time": { - "term": "block time", - "phonetic": "/blɑk taɪm/", - "partOfSpeech": "noun", - "definition": "When we talk about 'block time', we're referring to how long it takes for a block of transactions (see 'block') to be confirmed by the network, either by miners under PoW or by validators under PoS. See also 'Proof of Work', 'Proof of Stake'.", - "termCategory": "decentralized web" - }, - "blockchain": { - "term": "blockchain", - "phonetic": "/ˈblɑkˌtʃeɪn/", - "partOfSpeech": "noun", - "definition": "A digital ledger comprised of unchangeable, digitally recorded data in packages called blocks. Each block is ‘chained’ to the next block using a cryptographic signature. Ethereum is a public blockchain, open to the world; its digital ledger is distributed, or synced, between many nodes; these nodes arrive at consensus regarding whether a transaction is valid before encrypting it, along with a number of other valid transactions, into a block. For more on blockchain technology, see here. See also 'block'.", - "termCategory": "decentralized web" - }, - "blockchain explorer": { - "term": "blockchain explorer", - "phonetic": "/ˈblɑkˌtʃeɪn ɪkˈsplɔrər/", - "partOfSpeech": "noun", - "definition": "A blockchain explorer is an application, most often a website along with a corresponding API, that displays information about blockchain activity in a more human-friendly way. While a blockchain is designed to keep information forever, and be 'readable by anyone', finding the specific information you're interested in may require indexing data off the blockchain--that is, sorting it according to given categories (sender address, token type, etc) into a separate database which can then be queried by the user; this essential function is provided by blockchain explorers. A prominent example is etherscan, which also offers explorers on a number of other networks.", - "termCategory": "decentralized web" - }, - "blockchain trilemma": { - "term": "blockchain trilemma", - "phonetic": "/ˈblɑkˌtʃeɪn traɪˈlɛmə/", - "partOfSpeech": "noun", - "definition": "Tradeoffs facing those building public blockchain networks vis-a-vis three elements: decentralization, security, and scalability (or speed). These three elements are either necessary or desireable in public distributed networks, and often, designing a system that optimizes for one compromises on another.", - "termCategory": "decentralized web" - }, - "brain wallet": { - "term": "brain wallet", - "phonetic": "/breɪn ˈwɔlɪt/", - "partOfSpeech": "noun", - "definition": "A blockchain account generated from a seed phrase or password or passphrase of your choosing. Humans are not capable of generating enough entropy, or randomness, and therefore the wallets derived from these phrases are insecure; brain wallets can be brute forced by super fast computers. For this reason, brain wallet are insecure and should not be used. See also 'Seed phrase / Secret Recovery Phrase'.", - "termCategory": "decentralized web" - }, - "bridge": { - "term": "bridge", - "phonetic": "/brɪdʒ/", - "partOfSpeech": "noun", - "definition": "A bridge is a tool built to move assets from one network to another. It’s also a verb, used to describe that action: “I bridged my ETH from Ethereum mainnet to Arbitrum.” Not all bridges are created equal, and you should be informed about what you’re doing before you use one. See also MetaMask Bridge", - "termCategory": "decentralized web" - }, - "buidl": { - "term": "buidl", - "phonetic": "/ˈbɪdl/", - "partOfSpeech": "noun", - "definition": "Ostensibly coined (see what we did there) by Gitcoin's Kevin Owocki. It reflects the Ethereum-focused mindset of not just investing in a cryptocurrency as a store of value, but rather investing in it as an ecosystem and a platform for public goods and software; it complements, in this sense, the now-infamous HODL.", - "termCategory": "decentralized web" - }, - "Byzantium fork": { - "term": "Byzantium fork", - "phonetic": "/bɪˈzæn.ti.əm fɔːrk/", - "partOfSpeech": "noun", - "definition": "A 'hard fork' in the Ethereum network that occurred in October of 2017. For detailled information, see here; see also 'hard fork'.", - "termCategory": "decentralized web" - }, - "centralized exchange": { - "term": "centralized exchange", - "phonetic": "/ˌsɛntrəˈlaɪzd ɪkˈstʃeɪndʒ/, /ˈsiːˈɛks/", - "partOfSpeech": "noun", - "definition": "A centralized exchange (CEX) is a cryptocurrency exchange that is operated and controlled by a centralized entity. In a CEX, the exchange company or organization acts as an intermediary between buyers and sellers, holding and managing the assets on behalf of its users.Centralized exchanges typically offer a wide range of trading pairs, with many popular cryptocurrencies available for trade. They also usually have high liquidity and offer advanced trading features such as margin trading, order types, and charting tools. However, centralized exchanges also have several drawbacks. They are often targeted by hackers, as the centralized nature of the exchange makes them a single point of failure. They also require users to trust the exchange to hold their funds securely and execute trades fairly, which can be a source of concern for some users.", - "termCategory": "decentralized web" - }, - "CEX": { - "term": "CEX", - "phonetic": "/ˈsiːˈɛks/", - "partOfSpeech": "noun", - "definition": "Acronym; see 'Centralized Exchange'.", - "termCategory": "decentralized web" - }, - "chain ID": { - "term": "chain ID", - "phonetic": "/tʃeɪn ˈaɪˈdiː/", - "partOfSpeech": "noun", - "definition": "A chain ID is a unique identifier that represents a blockchain network. We use it to distinguish different blockchain networks from each other and to ensure that transactions and messages are sent to the correct network. Ethereum networks have two identifiers, a network ID and a chain ID. Although they often have the same value, they have different uses. Peer-to-peer communication between nodes uses the network ID, while the transaction signature process uses the chain ID", - "termCategory": "decentralized web" - }, - "client": { - "term": "client", - "phonetic": "/ˈklaɪənt/, /ɪˈθiːriəm ɔːr ˈʌðər kəmˈpætəbl ˈblɒkˌtʃeɪn/", - "partOfSpeech": "noun", - "definition": "In computing in general, a 'client' is a program, running on a local computer, that is accessing data made available by a remote computer. In public blockchain networks, a 'client' is the software that actually does the work of syncing block data, confirming transactions, participating in network consensus, and running any virtual machine or logic processes, if applicable. A client usually includes a cryptocurrency software wallet.", - "termCategory": "decentralized web" - }, - "coin": { - "term": "coin", - "phonetic": "/kɔɪn/", - "partOfSpeech": "noun", - "definition": "The term 'coin' has some nuances. Strictly speaking, a 'coin' could be defined as: A fungible token (all of them identical) issued on a blockchain, either as the network's transactional token, or through a smart contract deployed to that network. Some people may use 'coins' as shorthand for 'bitcoin'; the immortal aphorism 'not your keys, not your coins' refers to bitcoins. Another thing to keep in mind is that, while coins are put forward as some sort of representation of value, that value can vary wildly from one 'coin' to another. A coin may represent the value of the computational resources of the network, or it may be 'pegged' to represent fiat currency value, or it may float according to the value placed on immaterial resources like NFTs, membership, or digital goods, to name a few.", - "termCategory": "decentralized web" - }, - "cold storage": { - "term": "cold storage", - "phonetic": "/koʊld ˈstɔrɪdʒ/", - "partOfSpeech": "noun", - "definition": "cold wallet/cold storage: An offline wallet that is never connected to the internet. These wallets protect cryptocurrencies from getting hacked online.", - "termCategory": "decentralized web" - }, - "Hardware Wallet": { - "term": "Hardware Wallet Hub\"\r\ncold wallet,noun,decentralized web,/koʊld ˈwɔlɪt/ /koʊld ˈstɔrɪdʒ/,\"An offline wallet that is never connected to the internet. These are often referred to as \"airgapped\" or \"cold storage\" wallets; the usage of temperature as a metaphor is to indicate both the ease with which the assets held in accounts by the wallet can be used on a network, as well as an indicator of risk. The idea here is that a \"hot\" wallet, connected to the Internet, is \"ready to use on chain\", and also has a higher risk of being compromised by bad actors. Cold storage wallets, therefore, offer much greater protection for crypto-held assets and tokens.\"\r\nconfirmation,noun,decentralized web,/ˌkɒnfərˈmeɪʃən/,\"A confirmation happens when a network has verified a blockchain transaction. Under a Proof of Work (PoW) consensus mechanism, this happens through a process known as mining; under Proof of Stake (PoS), the process is known as validation. Once a transaction is successfully confirmed, it theoretically cannot be reversed or double spent. The more confirmations a transaction has, the harder it becomes to perform a double spend attack.\"\r\nconsensus,noun,decentralized web,/kənˈsɛnsəs/,\"The process used by a group of peers, or nodes, on a blockchain network to agree on the validity of transactions submitted to the network. The consensus layer is responsible for validating and verifying transactions and blocks, and for coordinating communication between nodes to achieve consensus. In a blockchain network, the consensus layer is implemented by the consensus protocol or algorithm that defines how new blocks are added to the chain and how the network reaches agreement on the current state of the ledger. There are various types of consensus mechanisms used in blockchain networks, including proof of work (PoW), proof of stake (PoS), and delegated proof of stake (DPoS). The consensus client implements the specific consensus mechanism used by the network and ensures that all nodes follow the rules and reach agreement on the current state of the blockchain.\"\r\nconsensus client,noun,decentralized web,/kənˈsɛnsəs ˈklaɪənt/,\"A consensus client is a component of a blockchain node that is responsible for validating and verifying transactions and blocks in the network. It communicates with other nodes to reach consensus on the current state of the blockchain and to ensure that all nodes have a consistent copy of the ledger. See also: \"consensus mechanism\".\"\r\nconsensus mechanism,noun,decentralized web,/kənˈsɛnsəs ˈleɪər/,Consensus mechanisms (also known as consensus protocols or consensus algorithms) allow distributed systems (networks of computers) to work together and stay secure.\r\nConstantinople fork,noun,decentralized web,/ˌkɒnstænˈtɪnəpl fɔːrk/,\"One of the 'hard forks' made to the Ethereum network, in February 2019. For more detailed information, see here; see also 'hard fork'.\"\r\ncontract,noun,decentralized web,/ˈkɒntrækt/,See smart contract\r\ncontract account,noun,decentralized web,/ˈkɒntrækt əˈkaʊnt/,An account containing code that executes whenever it receives a transaction from another account (EOA or contract).\r\ncrypto asset,noun,decentralized web,/ˈkrɪptoʊ ˈæsɛt/,\"A useful blanket term that covers on-chain assets: cryptocurrencies, NFTs, and other, still emerging, products.\"\r\ncrypto bounties,noun,decentralized web,/ˈkrɪptoʊ ˈbaʊntiz/,\"Crypto bounties are an important rewards mechanism that blockchain projects utilize in order to secure the successful accomplishments of certain tasks required by the network. Initially, bounties were intended as a marketing tool to attract users to participate in performing validation services for blockchain projects. Today, crypto bounties have developed significantly beyond the purpose of a simple marketing tool. crypto bounties \"\r\ncrypto fund,noun,decentralized web,/ˈkrɪptoʊ fʌnd/,A crypto fund is a type of investment fund that focuses on investing in cryptocurrencies or companies involved in the cryptocurrency industry. These funds are designed to give investors exposure to the crypto market without the need for them to directly buy and hold cryptocurrencies themselves.\r\ncrypto wallet,noun,decentralized web,/ˈkrɪptoʊ ˈwɔlɪt/,\"A crypto wallet is a device, physical medium, program or a service which stores the public and/or private keys for cryptocurrency transactions. Crypto wallets come in different forms, including software wallets, hardware wallets, and paper wallets.\"\r\ncrypto-,noun,decentralized web,/ˈkrɪptoʊ-/,\"Even though this prefix is originally Greek, our current usage comes from cryptography. Technologies that are referred to with the blanket term of 'crypto' tech are underlain by cryptographic tools and processes (such as public/private key pairs) that enable innovative functionality and security. Of course, 'cryptocurrency' often gets shortened to simply 'crypto', so this emerging field is full of instances where something 'crypto' is being added to or shortened. With the emergence of the term 'Web3', arguably a distinction has begun to be made between 'crypto', referring to DeFi and other financial use cases of the technology, while 'Web3' refers to the transition of Internet-based activities to more decentralized practices and platforms.\"\r\ncrypto-compliance,noun,decentralized web,/ˈkrɪptoʊ-kəmˈplaɪəns/,A blanket term used to refer to ensuring crypto projects conform with applicable regulations and laws.\r\ncryptoassets,noun,decentralized web,/ˈkrɪptoʊˌæsɛts/,\"A useful blanket term that covers on-chain assets: cryptocurrencies, NFTs, and other, still emerging, products.\"\r\ncryptocurrency,noun,decentralized web,/ˌkrɪptəˈkɜrənsi/,\"Digital currency that is based on mathematics and uses encryption techniques to regulate the creation of units of currency as well as verifying the transfer of funds. Cryptocurrencies operate independently of a central bank, and are kept track of through distributed ledger technology.\"\r\ncryptoeconomics,noun,decentralized web,/ˌkrɪptoʊɪˈkɒnəmɪks/,\"The economic analysis of decentralized finance; notably, the MIT Cryptoeconomics Lab.\"\r\ncryptography,noun,decentralized web,/krɪpˈtɒɡrəfi/,\"In its broadest sense, cryptography is the art of 'hidden writing' -- using some sort of code to encrypt writing. In modern times, it often refers to the application of this concept within computing, communication, and data transfer through computers and computer networks. Cryptography has been protected as free speech in the United States, and provides the technological foundation that allows blockchain networks to be public: despite the ledger being open and accessible by all, control over the state of the ledger and the ability to move assets on it is mediated through cryptographic tools, such as the Secret Recovery Phrase.\"\r\nDAO,noun,decentralized web,/daʊ/,Acronym; see 'Decentralized Autonomous Organization'.\r\ndapp,noun,decentralized web,/dæp/,Acronym; see 'decentralized application'\r\ndecentralization,noun,decentralized web,/ˌdiːsɛntrəlɪˈzeɪʃən/,\"The transfer of authority and responsibility from a centralized organization, government, or party to a distributed network.\"\r\ndecentralized application,noun,decentralized web,/ˌdiːsɛntrəlaɪzd ˌæplɪˈkeɪʃən/,\"An open-source software application with backend (not user-facing) code running on a decentralized peer-to-peer network, rather than a centralized server. You may see alternate spellings: dApps, DApps, Dapps, and Đapps.\"\r\nDecentralized Autonomous Organization,noun,decentralized web,\"/ˌdiːsɛntrəlaɪzd ɔːˈtɒnəməs ˌɔrɡənaɪˈzeɪʃən/, /daʊ/\"", - "phonetic": "\r\ndenominations", - "partOfSpeech": "A Digital Decentralized Autonomous Organization (DAO, pronounced like the Chinese concept) is a powerful and very flexible organizational structure built on a blockchain. Alternatively, the first known example of a DAO is referred to as The DAO. The DAO served as a form of investor-directed venture capital fund, which sought to provide enterprises with new decentralized business models. Ethereum-based, The DAO’s code was open source. The organization set the record for the most crowdfunded project in 2016. Those funds were partially stolen by hackers. The hack caused an Ethereum hard-fork which lead to the creation of Ethereum Classic.\"\r\ndecentralized exchange,noun,decentralized web,\"/ˌdiːsɛntrəˈlaɪzd ɪkˈstʃeɪndʒ/, /ˈdɛks/", - "definition": "noun", - "termCategory": "A decentralized exchange (DEX) is a platform for exchanging cryptocurrencies based on functionality programmed on the blockchain (i.e., in smart contracts). If cryptocurrency is web3’s monetary system, its financial system is DeFi. This includes familiar concepts like loans and interest-bearing financial instruments, as well as so-called “DeFi primitives”, novel solutions like token swapping and liquidity pools. The trading is peer-to-peer, or between pools of liquidity. This is in contrast with a centralized exchange, which is more akin to a bank or investment firm that specializes in cryptocurrencies. Additionally, there are so-called on-ramp providers, who could be compared to currency brokers, exchanging traditional “fiat” money for cryptocurrencies, and do not hold customer’s funds “on deposit” the way a centralized exchange does. There are important technical and regulatory differences between these, which are constantly evolving.\"\r\ndecentralized web,noun,decentralized web,/ˌdiːsɛntrəˈlaɪzd wɛb/,\"The decentralized web, also known as web3, is a concept that refers to a new type of internet architecture that aims to provide a more open, secure, and privacy-preserving internet experience by removing the need for centralized intermediaries and giving users more control over their data. In contrast to the current centralized web, where most online activities are controlled by a few large corporations and their servers, the decentralized web relies on a network of distributed nodes and peer-to-peer protocols to store and transmit data. This means that there is no central authority controlling the internet, and users can interact directly with each other without the need for intermediaries.\"\r\nDeFi,noun,decentralized web,/ˈdiːˌfaɪ/,\r\nDelegated proof of stake (DPoS),noun,decentralized web,\"/dɪˈlɛɡeɪtɪd pruːf əv steɪk/, /ˌdiːˌpiːˈoʊˈɛs/" - }, - "sidechain": { - "term": "sidechain", - "phonetic": "/ˈsaɪdˌtʃeɪn/", - "partOfSpeech": "noun", - "definition": "A ‘sidechain’ refers to a chain that is connected to another (most often, to Ethereum) through a bridge, allowing assets to be transferred between them. In contrast to a Layer 2 network or a rollup, a sidechain is a full blockchain network in and of itself, and does not rely on Ethereum for consensus. It therefore must be evaluated independently in terms of its security, stability, and other features. See also “blockchain trilemma”, “modular blockchain”. Note: Bridges exist for good reason; sending tokens from a sidechain to Ethereum mainnet or vice versa would result in token loss.", - "termCategory": "decentralized web" - }, - "signature": { - "term": "signature", - "phonetic": "/ˈsɪɡnətʃər/, /ˌkrɪptəˈɡræfɪk/", - "partOfSpeech": "noun", - "definition": "In the context of public blockchain networks, a \"signature\" is generally a cryptographic signature, generated by a public-private key pair. See 'Digital signature'", - "termCategory": "decentralized web" - }, - "slashing condition": { - "term": "slashing condition", - "phonetic": "/ˈslæʃɪŋ kənˈdɪʃən/", - "partOfSpeech": "noun", - "definition": "Under a Proof of Stake (PoS) consensus mechanism, a slashing condition is one that causes the validator's deposit to be destroyed when they trigger it. See also 'Proof of Stake'.", - "termCategory": "decentralized web" - }, - "slippage": { - "term": "slippage", - "phonetic": "/ˈslɪpɪdʒ/", - "partOfSpeech": "noun", - "definition": "Slippage is the expected percentage difference between a quoted and an executed price. ", - "termCategory": "decentralized web" - }, - "slot": { - "term": "slot", - "phonetic": "/slɒt/", - "partOfSpeech": "noun", - "definition": "In Proof of Stake consensus in Ethereum, a 'slot' is a period of time equivalent to 12 seconds; 32 slots make up an 'epoch'. Slots are significant in that for each slot, a different validator node is randomly chosen to propose blocks to the network, and a different committee of validators are chosen to vote on whether each block is valid", - "termCategory": "decentralized web" - }, - "smart contract": { - "term": "smart contract", - "phonetic": "/smɑːrt ˈkɒntrækt/", - "partOfSpeech": "noun", - "definition": "Smart contracts are programs that have been published on a public blockchain, and can be used by anyone. While they often contain agreements or sets of actions between parties that emulate a traditional legal contract, they are not, in and of themselves, legal documents. Smart contracts are automated actions that can be coded and executed once a set of conditions is met, and are the dominant form of programming on the Ethereum Virtual Machine.", - "termCategory": "decentralized web" - }, - "soft fork": { - "term": "soft fork", - "phonetic": "/sɒft fɔrk/", - "partOfSpeech": "noun", - "definition": "A change to the blockchain protocol resulting in only previously valid blocks and transactions being made invalid. Since old nodes will recognize the new blocks as valid, a soft fork is backward-compatible. However, this can result in a potential divide in the blockchain, as the old software generates blocks that read as invalid according to the new rules. Contrast with 'hard fork'; for more basic information regarding forks, see 'fork'.", - "termCategory": "decentralized web" - }, - "stablecoin": { - "term": "stablecoin", - "phonetic": "/ˈsteɪblˌkɔɪn/", - "partOfSpeech": "noun", - "definition": "A cryptocurrency whose value has been ‘pegged’ to that of something considered a ‘stable’ asset, like fiat currency or gold. It theoretically remains stable in price, as it is measured against a known amount of an asset which should be less subject to fluctuation. Always spelled as one word. User Guide: Tokens ", - "termCategory": "decentralized web" - }, - "staking": { - "term": "staking", - "phonetic": "/ˈsteɪkɪŋ/", - "partOfSpeech": "noun", - "definition": "On the Ethereum Proof of Stake network, those wishing to participate in consensus must first lock up, or ‘stake’, 32 ETH into a smart contract; this ETH may be ‘slashed’ (taken from them and ‘burned’, put out of circulation) in the event that their validator behaves maliciously or does not meet performance requirements. Similar Proof of Stake mechanisms are in operation on other networks, as well. Although this is the canonical meaning of the word, similar actions taken at the level of a decentralized exchange (DEX) or another dapp are often called ‘staking’, though it would probably be more accurate and descriptive to just call this ‘locking up tokens’.", - "termCategory": "decentralized web" - }, - "state": { - "term": "state", - "phonetic": "/steɪt/", - "partOfSpeech": "noun", - "definition": "The set of data that a blockchain network strictly needs to keep track of, and that represents data currently relevant to applications on the chain.", - "termCategory": "decentralized web" - }, - "state channels": { - "term": "state channels", - "phonetic": "/steɪt ˈtʃænəlz/", - "partOfSpeech": "noun", - "definition": "State channels are part of the set of tools and platforms involved in scaling Ethereum. While a complex topic, state channels are essentially methods through which the current 'state' of the blockchain can be exported, and then based on that, any given number of transactions can take place off-chain, and then be moved back onto the main Ethereum chain.", - "termCategory": "decentralized web" - }, - "streaming": { - "term": "streaming", - "phonetic": "/ˈstriːmɪŋ/", - "partOfSpeech": "noun", - "definition": "Money streaming represents the idea of continuous payments over time. Block numbers are used to measure time in the blockchain and continuously update the balances of the parties in the contract.", - "termCategory": "decentralized web" - }, - "swap": { - "term": "swap", - "phonetic": "/swɒp/", - "partOfSpeech": "verb", - "definition": "As the number of different blockchain projects and tokens has proliferated, the system by which users exchange one token for another has come to be known as 'swapping', and the individual action, 'a swap', or in the verb form, 'to swap.' This form is lowercase. Capitalization (except at the beginning of a word or in a title) indicates reference to a particular platform for swapping, e.g. MetaMask Swaps.", - "termCategory": "decentralized web" - }, - "szabo": { - "term": "szabo", - "phonetic": "/ˈsæboʊ/", - "partOfSpeech": "noun", - "definition": "A denomination of ETH. See also 'ether (denominations)'.", - "termCategory": "decentralized web" - }, - "Consensys": { - "term": "Consensys", - "phonetic": "/kənˈsɛnsɪs/", - "partOfSpeech": "noun", - "definition": "Short for Consensus Systems, fka ConsenSys. Launched alongside the founding of the Ethereum network by Joseph Lubin, Consensys was a sort of incubator, seeking to discover, nurture, and develop software, tooling, and use cases for programmable public blockchain networks. Consensys Mesh continues to serve in this broader \"incubator\" role, while Consensys Software Inc. is a for-profit company, maintaining and producing the MetaMask wallet, the Infura and DeFura blockchain data access protocols, the Linea zkEVM Layer 2 network, and the Diligence smart contract auditing service, amongst many other products.", - "termCategory": "project or product" - }, - "Infura": { - "term": "Infura", - "phonetic": "/ɪnˈfjʊərə/", - "partOfSpeech": "noun", - "definition": "Part of Consensys, Infura offers backend access to the Ethereum network over established HTTP and WebSockets technology. Prior to Infura, developers were obligated to run their own nodes of the networks with which they wanted to interact; Infura provides that access through a set of APIs. This enables developers of dapps and websites seeking to interact with the Ethereum blockchain to do so, and at scale.", - "termCategory": "project or product " - }, - "Linea": { - "term": "Linea", - "phonetic": "/lɪˈniːə/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product " - }, - "MetaMask": { - "term": "MetaMask", - "phonetic": "/ˈmɛtəˌmæsk/", - "partOfSpeech": "noun", - "definition": "MetaMask, either in its mobile app form on iOS and Android, or in its browser extension form, is a tool to access and interact with blockchains and the decentralized web. It allows users to manage their digital identity and the permission of others to interact with that identity; its functions include that of a wallet, a dapp permissions manager, and access to token swaps. It is an open-source project that encourages developers from other projects to build on top of it through MetaMask Snaps.", - "termCategory": "project or product " - }, - "MetaMask Flask": { - "term": "MetaMask Flask", - "phonetic": "/ˈmɛtəˌmæsk flæsk/", - "partOfSpeech": "noun", - "definition": "MetaMask Flask is a distribution of the software designed for developers. It's like a laboratory (hence the name) where the MetaMask team can try out new ideas and features. It has experimental, even dangerous functionality in it that is not meant for everyday use. It also doesn't have the same stability guarantees that the production distribution of MetaMask has.", - "termCategory": "project or product " - }, - "MetaMask Institutional": { - "term": "MetaMask Institutional", - "phonetic": "/ˈmɛtəˌmæsk ˌɪnstɪˈtjuːʃənl/", - "partOfSpeech": "noun", - "definition": "MetaMask Institutional is an institution-compliant version of the world’s leading web3 wallet, MetaMask. Organizations trust us to manage their web3 access and engagement with institution-required security, operational efficiency, and compliance. MetaMask Institutional ", - "termCategory": "project or product " - }, - "MetaMask Learn": { - "term": "MetaMask Learn", - "phonetic": "/ˈmɛtəˌmæsk lɜrn/", - "partOfSpeech": "noun", - "definition": "MetaMask Learn is a free-to-use educational platform available in 10 languages for anyone interested in learning about web3. Through engaging lessons and interactive simulations, it helps you understand what web3 is, why it matters, and how to get started.", - "termCategory": "project or product " - }, - "MetaMask Swaps": { - "term": "MetaMask Swaps", - "phonetic": "/ˈmɛtəˌmæsk swɒps/", - "partOfSpeech": "noun", - "definition": "Within MetaMask, users have access to a powerful aggregator showing them information about swaps across the ecosystem, this is MetaMask Swaps. Swaps, when capitalized and referring to this product, should be left in English. ", - "termCategory": "project or product " - }, - "MMI": { - "term": "MMI", - "phonetic": "/ˌɪnstɪˈtjuːʃənl/, /ˈmɛtəˌmæsk ˌɪnstɪˈtjuːʃənl/, /ˌɛmˌɛmˈaɪ/", - "partOfSpeech": "noun", - "definition": "Initialism; MetaMask Institutional.", - "termCategory": "project or product " - }, - "Portfolio": { - "term": "Portfolio", - "phonetic": "/ˈpɔrtfoʊlioʊ/", - "partOfSpeech": "noun", - "definition": "The Portfolio Dapp enables you to view all your MetaMask accounts and their assets in one place. It aggregates values from across your accounts and shows your total holdings, making it easier than ever to get an at-a-glance summary of their value in your chosen currency.", - "termCategory": "project or product " - }, - "Quorum": { - "term": "Quorum", - "phonetic": "/ˈkwɔrəm/", - "partOfSpeech": "noun", - "definition": "ConsenSys Quorum enables enterprises to leverage Ethereum for their high-value blockchain applications. Businesses can rely on the Quorum open-source protocol layer and integrate on top of it product modules from ConsenSys, other companies, or your own in-house development team to build high-performance, customizable applications.", - "termCategory": "project or product " - }, - "Snaps (MetaMask Snaps)": { - "term": "Snaps (MetaMask Snaps)", - "phonetic": "/snæps/, /ˈmɛtəˌmæsk snæps/", - "partOfSpeech": "noun", - "definition": "A program or piece of code that extends the functionality of MetaMask by using the MetaMask Snaps framework.", - "termCategory": "project or product " - }, - "Teku": { - "term": "Teku", - "phonetic": "/ˈtiːkuː/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product " - }, - "0x API": { - "term": "0x API", - "phonetic": "/ˌzɪroʊ ˈɛks ˈeɪ.pi.aɪ/", - "partOfSpeech": "noun", - "definition": "The 0x API is the liquidity and data endpoint for DeFi. It lets you access aggregated liquidity from tens of on-chain and off-chain decentralized exchange networks, across multiple blockchains. It comes with many parameters to customize your requests for your application and your users.", - "termCategory": "project or product" - }, - "1inch": { - "term": "1inch", - "phonetic": "/ˈwʌn ɪntʃ/", - "partOfSpeech": "noun", - "definition": "Decentralized exchange aggregator that aims to provide traders with the best price and lowest fees on their transactions.", - "termCategory": "project or product" - }, - "3Box Labs": { - "term": "3Box Labs", - "phonetic": "/ˈθriː bɑks ˈlæbz/", - "partOfSpeech": "noun", - "definition": "The inventors and core developers of Ceramic, the first decentralized network for composable data. Ceramic makes it possible for developers to build data-rich Web3 applications without needing a traditional database, and in the process, unlocks data composability and portability across every application within the Web3 ecosystem", - "termCategory": "project or product" - }, - "Aave": { - "term": "Aave", - "phonetic": "/ˈɑː.veɪ/", - "partOfSpeech": "noun", - "definition": "Aave is an open source protocol to create non-custodial liquidity markets to earn interest on supplying and borrowing assets with a variable or stable interest rate.", - "termCategory": "project or product" - }, - "Agoric": { - "term": "Agoric", - "phonetic": "/ˈæɡərɪk/", - "partOfSpeech": "noun", - "definition": "Agoric is a Proof-of-Stake blockchain that functions as a smart contract platform, enabling developers to deploy decentralized applications. The platform is built on a variant of the JavaScript programming language, which is a widely used language for web development. ", - "termCategory": "project or product" - }, - "AirGap Vault": { - "term": "AirGap Vault", - "phonetic": "/ˈɛrˌɡæp vɔlt/", - "partOfSpeech": "noun", - "definition": "AirGap Vault is a crypto wallet application that provides secure storage for digital assets. The wallet is designed to be used in conjunction with AirGap's other wallet app, AirGap Wallet, which is used for sending and receiving transactions.", - "termCategory": "project or product" - }, - "AirSwap": { - "term": "AirSwap", - "phonetic": "/ˈɛrˌswɑp/", - "partOfSpeech": "noun", - "definition": "AirSwap is a decentralized exchange (DEX) platform for trading digital assets, operating on Ethereum and Layer-2s like Polygon, Arbitrum.", - "termCategory": "project or product" - }, - "Apple Pay": { - "term": "Apple Pay", - "phonetic": "/ˈæpəl ˈpeɪ/", - "partOfSpeech": "noun", - "definition": "Apple Pay is a mobile payment service by Apple Inc. that allows users to make payments in person, in iOS apps, and on the web.", - "termCategory": "project or product" - }, - "Arbitrum": { - "term": "Arbitrum", - "phonetic": "/ˈɑrbɪtrəm/", - "partOfSpeech": "noun", - "definition": "Arbitrum is a layer 2 scaling solution for Ethereum, designed to improve the scalability and reduce the cost of transactions on the Ethereum network. It is an implementation of the Optimistic Rollup technology, which is a type of scaling solution that uses off-chain computation to reduce the load on the main Ethereum network.", - "termCategory": "project or product" - }, - "Aurora": { - "term": "Aurora", - "phonetic": "/əˈrɔrə/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Avalanche": { - "term": "Avalanche", - "phonetic": "/ˈævəˌlæntʃ/", - "partOfSpeech": "noun", - "definition": "Avalanche is a decentralized blockchain platform designed to provide fast and secure transactions for digital assets and applications. The platform uses a consensus mechanism known as Avalanche consensus, which allows for high throughput, low latency, and customizable blockchains.", - "termCategory": "project or product" - }, - "AVAX": { - "term": "AVAX", - "phonetic": "/ˈeɪˈvæks/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Axie Infinity": { - "term": "Axie Infinity", - "phonetic": "/ˈæksi ɪnˈfɪnɪti/", - "partOfSpeech": "noun", - "definition": "Axie Infinity is a non-fungible token-based online video game known for its in-game economy, which uses Ethereum-based cryptocurrencies.", - "termCategory": "project or product" - }, - "Banxa": { - "term": "Banxa", - "phonetic": "/ˈbæŋksə/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Beacon Chain": { - "term": "Beacon Chain", - "phonetic": "/ˈbiːkən tʃeɪn/", - "partOfSpeech": "noun", - "definition": "The Beacon Chain was one element built in the infrastructure being built to scale Ethereum. It was the foundation for a transition from a Proof of Work (PoW) consensus mechanism to Proof of Stake (PoS). For more information, see this guide.", - "termCategory": "project or product" - }, - "Besu": { - "term": "Besu", - "phonetic": "/ˈbɛsuː/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Binance": { - "term": "Binance", - "phonetic": "/ˈbaɪnæns/", - "partOfSpeech": "noun", - "definition": "Binance is a centralized cryptocurrency exchange which operates in multiple countries, as well as two different blockchains, the BNB Chain and the BNB Smart Chain.", - "termCategory": "project or product" - }, - "bitcoin": { - "term": "bitcoin", - "phonetic": "/ˈbɪtˌkɔɪn/, /ˈbiːˈtiːˈsiː/", - "partOfSpeech": "noun", - "definition": "Bitcoin is a decentralized digital currency or cryptocurrency, which was created in 2009 by an unknown person or group using the name Satoshi Nakamoto. Bitcoin transactions are recorded on a public digital ledger called the blockchain, which is maintained by a network of computers worldwide. Bitcoin transactions are made directly between users without the need for intermediaries like banks or financial institutions. Users can send and receive bitcoins using digital wallets. One of the key features of Bitcoin is its limited supply. There will only ever be 21 million Bitcoins in existence, which helps to prevent inflation and maintain the value of the currency. When referring to the overall network, capitalization is appropriate (Bitcoin), whereas when referring to the tokens themselves, lower-case is more appropriate (bitcoin). The plural of bitcoin is just bitcoin; the abbreviation is BTC, with a space: I have 250 BTC.", - "termCategory": "project or product" - }, - "Bitcoin": { - "term": "Bitcoin", - "phonetic": "/ˈbɪtkɔɪn/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "BNB": { - "term": "BNB", - "phonetic": "/ˈbiːɛnˈbiː/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "BNB Chain": { - "term": "BNB Chain", - "phonetic": "/ˈbiːˈɛnˈbiː tʃeɪn/", - "partOfSpeech": "noun", - "definition": "Build N Build (BNB) Chain is a distributed blockchain network upon which developers and innovators can build decentralized applications (DApps) as part of the move to Web3. BNB chain ", - "termCategory": "project or product" - }, - "Brave": { - "term": "Brave", - "phonetic": "/breɪv/", - "partOfSpeech": "noun", - "definition": "Brave is a free and open-source web browser developed by Brave Software, Inc., based on the Chromium web browser. It has a built-in crypto wallet that allows users to connect to the web3 ecosystem. ", - "termCategory": "project or product" - }, - "BTC": { - "term": "BTC", - "phonetic": "/ˈbiːˈtiːˈsiː/", - "partOfSpeech": "noun", - "definition": "Abbreviation for Bitcoin ", - "termCategory": "project or product" - }, - "BTC (bitcoin)": { - "term": "BTC (bitcoin)", - "phonetic": "/ˈbiː tiː ˈsiː/ (/ˈbɪtkɔɪn/)", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Celo": { - "term": "Celo", - "phonetic": "/ˈsɛloʊ/", - "partOfSpeech": "noun", - "definition": "Celo is a platform designed to allow mobile users around the world to make simple financial transactions with cryptocurrency. The platform has its own blockchain and two native tokens: CELO and cUSD", - "termCategory": "project or product" - }, - "Chrome": { - "term": "Chrome", - "phonetic": "/kroʊm/", - "partOfSpeech": "noun", - "definition": "Internet browser.", - "termCategory": "project or product" - }, - "Codefi": { - "term": "Codefi", - "phonetic": "/ˈkoʊdɪfaɪ/", - "partOfSpeech": "noun", - "definition": "Derived from “Commerce & Decentralized Finance”, Codefi was a part of Consensys Software Inc., responsible for developing finance use case blockchain products; name no longer in use.", - "termCategory": "project or product" - }, - "Coinbase Pay": { - "term": "Coinbase Pay", - "phonetic": "/ˈkɔɪnbeɪs peɪ/", - "partOfSpeech": "noun", - "definition": "Coinbase Pay is a payment feature that allows you to buy or transfer supported crypto on Coinbase.com directly from self-custody wallets (like MetaMask) and dapps.", - "termCategory": "project or product" - }, - "CoinGecko": { - "term": "CoinGecko", - "phonetic": "/ˈkɔɪnˌɡɛkoʊ/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Compound": { - "term": "Compound", - "phonetic": "/ˈkɑmpaʊnd/", - "partOfSpeech": "noun", - "definition": "Compound is a decentralized, blockchain-based protocol that allows you to lend and borrow crypto — and have a say in its governance with its native COMP token.", - "termCategory": "project or product" - }, - "CoolWallet": { - "term": "CoolWallet", - "phonetic": "/ˈkuːlˌwɔlɪt/", - "partOfSpeech": "noun", - "definition": "A crypto hardware wallet for Bitcoin, Ethereum, Litecoin, Bitcoin Cash, and ERC20 Token.", - "termCategory": "project or product" - }, - "CryptoCompare": { - "term": "CryptoCompare", - "phonetic": "/ˈkrɪptoʊˌkɒmpær/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Curve": { - "term": "Curve", - "phonetic": "/kɜrv/", - "partOfSpeech": "noun", - "definition": "Curve is a decentralized exchange for stablecoins that uses an automated market maker (AMM) to manage liquidity.", - "termCategory": "project or product" - }, - "D'CENT": { - "term": "D'CENT", - "phonetic": "/ˈdiːˈsɛnt/", - "partOfSpeech": "noun", - "definition": "Hardware wallet.", - "termCategory": "project or product" - }, - "DAI": { - "term": "DAI", - "phonetic": "/daɪ/", - "partOfSpeech": "noun", - "definition": "DAI is an Ethereum-based stablecoin whose issuance and development is managed by the Maker Protocol and the MakerDAO decentralized autonomous organization.", - "termCategory": "project or product" - }, - "Devcon": { - "term": "Devcon", - "phonetic": "/ˈdɛvkɒn/", - "partOfSpeech": "noun", - "definition": "This is shorthand for the Ethereum Developers’ Conference.", - "termCategory": "project or product" - }, - "Diligence": { - "term": "Diligence", - "phonetic": "/ˈdɪlɪdʒəns/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "edge": { - "term": "edge", - "phonetic": "/ɛdʒ/", - "partOfSpeech": "noun", - "definition": "In the context of 'Edge computing': it is an emerging computing paradigm which refers to a range of networks and devices at or near the user. Edge is about processing data closer to where it's being generated, enabling processing at greater speeds and volumes, leading to greater action-led results in real time. The term can also refer to Microsoft's browser or the crypto software wallet", - "termCategory": "project or product" - }, - "EEA": { - "term": "EEA", - "phonetic": "/ˈɛntərˌpraɪz ɪˈθiːriəm əˈlaɪəns/, /ˈiːˈiːˈeɪ/", - "partOfSpeech": "noun", - "definition": "Initialism; Ethereum Enterprise Allliance. A group of Ethereum core developers, startups, and large companies working together to commercialize and use Ethereum for different business applications. Website here.", - "termCategory": "project or product" - }, - "Ethereum": { - "term": "Ethereum", - "phonetic": "/ɪˈθiːriəm/", - "partOfSpeech": "noun", - "definition": "A public blockchain network and decentralized software platform upon which developers build and run applications. As it is a proper noun, it should always be capitalized.", - "termCategory": "project or product" - }, - "Etherscan": { - "term": "Etherscan", - "phonetic": "/ˈɛðərˌskæn/", - "partOfSpeech": "noun", - "definition": "A popular website for analyzing activity on the Ethereum blockchain. See ‘blockchain explorer’. https://etherscan.io/ ", - "termCategory": "project or product" - }, - "Fantom": { - "term": "Fantom", - "phonetic": "/ˈfæntəm/", - "partOfSpeech": "noun", - "definition": "Fantom is a public blockchain platform that aims to facilitate fast and low-cost transactions for dapps and smart contracts. It was launched in 2018 and is based on the Ethereum codebase, but with several key enhancements. One of the main features of Fantom is its consensus mechanism, known as Lachesis, which is a variant of Directed Acyclic Graphs (DAGs) that allows for high transaction throughput and low confirmation times. This means that transactions on the Fantom network can be processed quickly and at a low cost, making it an attractive platform for developers looking to build dApps that require fast and efficient transactions.", - "termCategory": "project or product" - }, - "Firefox": { - "term": "Firefox", - "phonetic": "/ˈfaɪərˌfɒks/", - "partOfSpeech": "noun", - "definition": "Internet browser.", - "termCategory": "project or product" - }, - "FTM": { - "term": "FTM", - "phonetic": "/ˈɛfˈtiːɛm/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Gas Station Network": { - "term": "Gas Station Network", - "phonetic": "/ɡæs ˈsteɪʃən ˈnɛtwɜrk/", - "partOfSpeech": "noun", - "definition": "The Gas Station Network (GSN) is a decentralized network of relayers mainly referring to the Ethereum blockchain. It allows you to build dapps which provide payment for transactions, so users do not need to hold Ether or ETH to pay for gas, easing their onboarding process and improving user acquisition and experience. However, while the relayers in the GSN do not charge users, they charge the recipient and contract instead. In this way, the relayers recover the costs of transactions and profit from extra fees for providing such services. Originally conceived and designed by TabooKey, the GSN has grown to encompass many companies, protocols and platforms in the Ethereum ecosystem that wish to facilitate the onboarding of users to Ethereum applications. Gas Station Network ", - "termCategory": "project or product" - }, - "Gitcoin": { - "term": "Gitcoin", - "phonetic": "/ˈɡɪtkɔɪn/", - "partOfSpeech": "noun", - "definition": "Gitcoin is a platform where coders and developers can get paid to work on open-source software in a wide variety of programming languages. Users can also submit their own project ideas to the Gitcoin platform in order to crowdsource funding from contributing donors.", - "termCategory": "project or product" - }, - "GitHub": { - "term": "GitHub", - "phonetic": "/ˈɡɪthʌb/", - "partOfSpeech": "noun", - "definition": "GitHub is an online software development platform. It's used for storing, tracking, and collaborating on software projects. It makes it easy for developers to share code files and collaborate with fellow developers on open-source projects. GitHub also serves as a social networking site where developers can openly network, collaborate, and pitch their work. GitHub ", - "termCategory": "project or product" - }, - "Goerli": { - "term": "Goerli", - "phonetic": "/ˈɡɔrli/", - "partOfSpeech": "noun", - "definition": "Goerli is a test networks. It is primarily used for development on the blockchain (testing out applications and smart contracts, etc). ETH on these testnets is a dummy balance and cannot be withdrawn or sent to mainnet.", - "termCategory": "project or product" - }, - "GSN": { - "term": "GSN", - "phonetic": "/ˈdʒiːˈɛsˈɛn/", - "partOfSpeech": "noun", - "definition": "Abbreviation for Gas Station Network", - "termCategory": "project or product" - }, - "Harmony": { - "term": "Harmony", - "phonetic": "/ˈhɑːrməni/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "IBC": { - "term": "IBC", - "phonetic": "/ˌɪntərˈblɒkˌtʃeɪn kəˈmjunɪˌkeɪʃən ˈproʊtəkɒl/", - "partOfSpeech": "noun", - "definition": "Initialism; Inter-Blockchain Communication (IBC) is a communication protocol that allows different blockchains to relay messages to each other. It guarantees reliable, ordered and authenticated communication between the chains. Blockchains can trustlessly exchange value like tokens. IBC does not work like a bridge. Instead, blockchains send packets of information via smart contracts that allow them to not only exchange value but relay any form of data, such as communication, via the communication protocol. Inter-Blockchain Communication (IBC) ", - "termCategory": "project or product" - }, - "IPFS": { - "term": "IPFS", - "phonetic": "/ˌaɪˈpiːˈɛfˈɛs/", - "partOfSpeech": "noun", - "definition": "Initialism; InterPlanetary File System. A decentralized file storage and referencing system for the Ethereum blockchain, and the internet as a whole. IFPS is an open source protocol that enables storing and sharing hypermedia (text, audio, visual) in a distributed manner without relying on a single point of failure. This distributed file system enables applications to run faster, safer and more transparently.", - "termCategory": "project or product" - }, - "Kovan": { - "term": "Kovan", - "phonetic": "/ˈtɛstˌnɛt ˈkoʊvən/", - "partOfSpeech": "noun", - "definition": "An Ethereum testnet that uses Proof of Authority consensus, available through MetaMask; website here.", - "termCategory": "project or product" - }, - "Lattice1": { - "term": "Lattice1", - "phonetic": "/ˈlætɪs wʌn/", - "partOfSpeech": "noun", - "definition": "The Lattice1 is a powerful, secure, and user-friendly hardware wallet that allows you to manage an unlimited number of wallets and easily transact on the blockchain.", - "termCategory": "project or product" - }, - "Launchpad": { - "term": "Launchpad", - "phonetic": "/ˈlɔːntʃˌpæd/", - "partOfSpeech": "noun", - "definition": "The Launchpad is the Ethereum Foundation's official way to deposit your ETH for staking on Ethereum. Ethereum Launchpad ", - "termCategory": "project or product" - }, - "ledger": { - "term": "ledger", - "phonetic": "/ˈlɛdʒər/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Ledger Live": { - "term": "Ledger Live", - "phonetic": "/ˈlɛdʒər laɪv/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Ledger Live App": { - "term": "Ledger Live App", - "phonetic": "/ˈlɛdʒər laɪv æp/", - "partOfSpeech": "noun", - "definition": "Ledger Live is a hardware wallet interface app for users of the Ledger Nano X, Ledger Nano S, and Ledger Blue. The app enables Ledger users to manage their cryptocurrency hardware and assets. Additionally, it features real-time price updates, multi-account management, and the convenience of an extremely simple setup process. Ledger Live combines the management of your individual crypto assets and device management into one interface, with the intention of gradually replacing the Chrome-based applications system that previously annoyed some users of the device.", - "termCategory": "project or product" - }, - "Lido": { - "term": "Lido", - "phonetic": "/ˈliːdoʊ/", - "partOfSpeech": "noun", - "definition": "Lido is a liquid staking protocol for Ethereum that allows users with less than 32 ETH to collectively fund new validators and receive rewards. ", - "termCategory": "project or product" - }, - "Lightning Network": { - "term": "Lightning Network", - "phonetic": "/ˈlaɪtnɪŋ ˈnɛtwɜrk/", - "partOfSpeech": "noun", - "definition": "The Lightning Network is a second layer for Bitcoin that uses micropayment channels to scale the blockchain’s capability to conduct transactions more efficiently. This layer consists of multiple payment channels between parties or Bitcoin users. A Lightning Network channel is a transaction mechanism between two parties. Using channels, the parties can make or receive payments from each other. Transactions conducted on the Lightning Network are faster, less costly, and more readily confirmed than those conducted directly on the Bitcoin blockchain.", - "termCategory": "project or product" - }, - "Maker Protocol": { - "term": "Maker Protocol", - "phonetic": "/ˈmeɪkər ˈproʊtəkɒl/", - "partOfSpeech": "noun", - "definition": "The Maker Protocol, built on the Ethereum blockchain, enables users to create and hold currency. Current elements of the Maker Protocol are the DAI stable coin, Maker Vaults, and Voting. MakerDAO governs the Maker Protocol by deciding on key parameters (e.g., stability fees, collateral types and rates, etc.)", - "termCategory": "project or product" - }, - "MATIC": { - "term": "MATIC", - "phonetic": "/ˈmætɪk/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "Mercuryo": { - "term": "Mercuryo", - "phonetic": "/mɜrˈkjʊrioʊ/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "MobiKwik": { - "term": "MobiKwik", - "phonetic": "/ˈmoʊbiˌkwɪk/", - "partOfSpeech": "noun", - "definition": "MobiKwik is an Indian payment service provider founded in 2009 that provides a mobile phone-based payment system and digital wallet.", - "termCategory": "project or product" - }, - "MoonPay": { - "term": "MoonPay", - "phonetic": "/ˈmuːnˌpeɪ/", - "partOfSpeech": "noun", - "definition": "MoonPay is a financial technology company that builds payments infrastructure for crypto. Its on-and-off-ramp suite of products provides a seamless experience for converting between fiat currencies and cryptocurrencies using all major payment methods, including debit and credit cards, local bank transfers, Apple Pay, Google Pay, and Samsung Pay. MoonPay is active in more than 160 countries and is trusted by 300+ leading wallets, websites, and applications to accept payments and defeat fraud. The company is based in Miami, Florida, and was founded in 2019.", - "termCategory": "project or product" - }, - "Ngrave": { - "term": "Ngrave", - "phonetic": "/ˈɛnɡreɪv/", - "partOfSpeech": "noun", - "definition": "Crypto hardware wallet.", - "termCategory": "project or product" - }, - "ONE": { - "term": "ONE", - "phonetic": "/wʌn/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "OpenSea": { - "term": "OpenSea", - "phonetic": "/ˈoʊpənˌsiː/", - "partOfSpeech": "noun", - "definition": "OpenSea is the world's first and largest web3 marketplace for NFTs and crypto collectibles.", - "termCategory": "project or product" - }, - "Opera": { - "term": "Opera", - "phonetic": "/ˈɒpərə/", - "partOfSpeech": "noun", - "definition": "Internet browser.", - "termCategory": "project or product" - }, - "Optimism": { - "term": "Optimism", - "phonetic": "/ɒpˈtɪmɪzəm/", - "partOfSpeech": "noun", - "definition": "Optimism is a layer-2 scaling solution for Ethereum, which is a blockchain-based platform for decentralized applications. It is designed to reduce the cost and increase the speed of transactions on the Ethereum network. Optimism works by using a technique called optimistic rollups, which allows it to process a large number of transactions off-chain, while still maintaining the security and decentralization of the Ethereum network. In optimistic rollups, transactions are initially processed off-chain, and a summary of these transactions is then submitted to the Ethereum network for verification. This verification process ensures that the transactions are valid and that no fraud has occurred. Once the transactions are verified, they are added to the Ethereum blockchain, allowing users to interact with the decentralized applications built on the platform.", - "termCategory": "project or product" - }, - "Oracle": { - "term": "Oracle", - "phonetic": "/ˈɔrəkəl/", - "partOfSpeech": "noun", - "definition": "Typically, an oracle is any entity or person that is relied on to report the outcome of an event. In a blockchain network an oracle (human or machine) helps communicate data to a smart contract, which can then be used to verify an event or specific outcome.", - "termCategory": "project or product" - }, - "Palm": { - "term": "Palm", - "phonetic": "/pɑːm/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "PALM": { - "term": "PALM", - "phonetic": "/pɑːm/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "project or product" - }, - "ParaSwap": { - "term": "ParaSwap", - "phonetic": "/ˈpærəswɒp/", - "partOfSpeech": "noun", - "definition": "ParaSwap is a decentralized exchange (DEX) aggregator that optimizes swaps for users through better prices, limited gas fees, and lower slippage. ParaSwap sources their liquidity from major DEXes such as Uniswap, Balancer, Curve, Kyber, in addition to ParaSwapPool, their professional Market Maker network.", - "termCategory": "project or product" - }, - "PayPal": { - "term": "PayPal", - "phonetic": "/ˈpeɪˌpæl/", - "partOfSpeech": "noun", - "definition": "PayPal is a multinational financial technology company operating an online payments system in the majority of countries.", - "termCategory": "project or product" - }, - "Plasma": { - "term": "Plasma", - "phonetic": "/ˈplæzmə/", - "partOfSpeech": "noun", - "definition": "Plasma' is a term that is used to refer to one of the solutions being built and deployed in order to securely scale the Ethereum network. A Plasma network functions similarly to an optimistic rollup, inasmuch as it relies on Ethereum Mainnet to maintain the record of transactions, and as the source for arbitration or fraud resolution. However, a Plasma network differs in other important technical ways from rollups, and is currently limited to simple operations, such as swaps and token transfers. More technical information is available here.", - "termCategory": "project or product" - }, - "Polygon": { - "term": "Polygon", - "phonetic": "/ˈpɒlɪɡɒn/", - "partOfSpeech": "noun", - "definition": "Polygon (formerly Matic Network) is a layer-2 scaling solution for Ethereum that aims to address the scalability issues of the Ethereum blockchain. It is designed to provide faster and cheaper transactions with the same level of security and decentralization as the Ethereum network. Polygon achieves this by creating a multi-chain ecosystem that is built on top of the Ethereum network. This ecosystem consists of various interconnected sidechains that can process transactions independently of the main Ethereum blockchain. These sidechains are called 'Polygon chains' or 'commit chains'.", - "termCategory": "project or product" - }, - "Rarible": { - "term": "Rarible", - "phonetic": "/ˈrɛrəbl/", - "partOfSpeech": "noun", - "definition": "An NFT marketplace.", - "termCategory": "project or product" - }, - "Rinkeby": { - "term": "Rinkeby", - "phonetic": "/ˈrɪŋkəbi/", - "partOfSpeech": "noun", - "definition": "An Ethereum testnet that uses Proof of Authority consensus, available through MetaMask; Following the transition to Proof of Stake, Rinkeby scheduled its deprecation for the end of 2023.", - "termCategory": "project or product" - }, - "Rocket Pool": { - "term": "Rocket Pool", - "phonetic": "/ˈrɒkɪt puːl/", - "partOfSpeech": "noun", - "definition": "Rocket Pool is a decentralized Ethereum staking pool.", - "termCategory": "project or product" - }, - "Ropsten": { - "term": "Ropsten", - "phonetic": "/ˈrɒpstən/", - "partOfSpeech": "noun", - "definition": "An Ethereum testnet that used Proof of Work, and, following the transition to Proof of Stake, was deprecated.", - "termCategory": "project or product" - }, - "Safeheron": { - "term": "Safeheron", - "phonetic": "/ˈseɪfˌhɛrən/", - "partOfSpeech": "noun", - "definition": "Safeheron is an open-source platform for managing digital assets.", - "termCategory": "project or product" - }, - "Samsung Pay": { - "term": "Samsung Pay", - "phonetic": "/ˈsæmsʌŋ peɪ/", - "partOfSpeech": "noun", - "definition": "Samsung Pay is a mobile payment and digital wallet service that lets users make payments using compatible phones and other Samsung-produced devices.", - "termCategory": "project or product" - }, - "Sardine": { - "term": "Sardine", - "phonetic": "/ˈsɑːdiːn/", - "partOfSpeech": "noun", - "definition": "Sardine is an instant fiat and crypto settlement platform.", - "termCategory": "project or product" - }, - "Sepolia": { - "term": "Sepolia", - "phonetic": "/sɛˈpoʊliə/", - "partOfSpeech": "noun", - "definition": "Sepolia is a test networks. It is primarily used for development on the blockchain (testing out applications and smart contracts, etc). ETH on these testnets is a dummy balance and cannot be withdrawn or sent to mainnet", - "termCategory": "project or product" - }, - "Solidity": { - "term": "Solidity", - "phonetic": "/ˈsɒlɪdɪti/", - "partOfSpeech": "noun", - "definition": "The programming language developers use to write smart contracts on the Ethereum network. See also ‘smart contract’. Solidity ", - "termCategory": "project or product" - }, - "Transak": { - "term": "Transak", - "phonetic": "/ˈtrænsæk/", - "partOfSpeech": "noun", - "definition": "Transak is a developer integration toolkit to let users buy/sell crypto in any app, website or web plugin. ", - "termCategory": "project or product" - }, - "Trezor": { - "term": "Trezor", - "phonetic": "/ˈtrɛzər/", - "partOfSpeech": "noun", - "definition": "Hardware wallet.", - "termCategory": "project or product" - }, - "Uniswap": { - "term": "Uniswap", - "phonetic": "/ˈjuːnɪswɒp/", - "partOfSpeech": "noun", - "definition": "Uniswap is a decentralized cryptocurrency exchange that uses a set of smart contracts to execute trades on its exchange.", - "termCategory": "project or product" - }, - "validium": { - "term": "validium", - "phonetic": "/vəˈlɪdiəm/", - "partOfSpeech": "noun", - "definition": "One of the technologies developed for scaling of the Ethereum network; see more here.", - "termCategory": "project or product" - }, - "WalletConnect": { - "term": "WalletConnect", - "phonetic": "/ˈwɒlɪtˌkənɛkt/", - "partOfSpeech": "noun", - "definition": "WalletConnect is an open source protocol for connecting decentralised applications to mobile wallets with QR code scanning or deep linking.", - "termCategory": "project or product" - }, - "WebSocket": { - "term": "WebSocket", - "phonetic": "/ˈwɛbˌsɒkɪt/", - "partOfSpeech": "noun", - "definition": "WebSocket is a computer communications protocol, providing full-duplex communication channels over a single TCP connection. It's often used by dapps to regularly fetch up-to-date information from the blockchain.", - "termCategory": "project or product" - }, - "Wyre": { - "term": "Wyre", - "phonetic": "/ˈwaɪər/", - "partOfSpeech": "noun", - "definition": "Wyre is a regulated Money Service Business (MSB), which means it is a financial services provider licensed to transmit and convert money. The company is almost a decade old, having been around since 2013. Wyre provides what the company calls a secure and compliant bridge between fiat and cryptocurrencies. It serves as an infrastructure provider for blockchain businesses to connect with the fiat economy. In other words, Wyre payments enable blockchain businesses to efficiently integrate highly customizable fiat on-ramps into their onboarding flows.", - "termCategory": "project or product" - }, - "ACH transfer": { - "term": "ACH transfer", - "phonetic": "/ˈeɪ.siːˈeɪtʃ ˈtrænsfər/", - "partOfSpeech": "noun", - "definition": "ACH (Automated Clearing House) bank transfer is an electronic payment method that allows money to be transferred between bank accounts in the United States. It is a system that processes transactions in batches and is commonly used for direct deposit of paychecks, bill payments, and online money transfers.", - "termCategory": "financial term" - }, - "AML": { - "term": "AML", - "phonetic": "/ˈænti ˈmʌni ˈlɔndərɪŋ/, /ˈeɪˌɛmˈɛl/", - "partOfSpeech": "noun", - "definition": "Acronym; Anti-Money Laundering. A set of international laws enacted to diminish the potential for criminal organizations or individuals to launder money. These rules and laws are applied to cryptocurrencies with varying effects in different jurisdictions.", - "termCategory": "financial term" - }, - "custody": { - "term": "custody", - "phonetic": "/ˈkʌstədi/", - "partOfSpeech": "noun", - "definition": "In the context of cryptocurrencies, custody refers to the safekeeping and management of digital assets on behalf of a client by a third-party service provider. Custody services are an important aspect of the cryptocurrency industry because cryptocurrencies are digital assets that require secure storage and management to prevent loss, theft, or unauthorized access. Crypto custody services are typically offered by specialized companies that provide secure storage solutions for cryptocurrencies. These companies use various security measures such as multi-signature authentication, cold storage, and insurance to protect their clients' assets.", - "termCategory": "financial term" - }, - "deposit": { - "term": "deposit", - "phonetic": "/dɪˈpɒzɪt/", - "partOfSpeech": "noun", - "definition": "In most web3 contexts, 'depositing' refers to the act of transferring some amount of token(s) to an address other than one's own, most often to a smart contract controlled by a 'protocol', such as a decentralized exchange, video game or multiverse, DAO, etc. Generally, the user will receive something in return for their deposit, and the deposit can be claimed at the user's discretion, or upon completion of given conditions. Compare with 'stake'.", - "termCategory": "financial term" - }, - "digital asset": { - "term": "digital asset", - "phonetic": "/ˈdɪdʒɪtəl ˈæsɛt/", - "partOfSpeech": "noun", - "definition": "A digital commodity that is scarce, electronically transferable, and intangible with a market value.", - "termCategory": "financial term" - }, - "EUR": { - "term": "EUR", - "phonetic": "/ˈjʊəroʊ/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "financial term" - }, - "fiat currency": { - "term": "fiat currency", - "phonetic": "/ˈfiːæt ˈkʌrənsi/", - "partOfSpeech": "noun", - "definition": "Government-issued currency. For example, US Dollars (USD), Euros (EUR), Yuan (CNY), and Yen (JPY).", - "termCategory": "financial term" - }, - "fintech": { - "term": "fintech", - "phonetic": "/ˈfɪntɛk/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "financial term" - }, - "GBP": { - "term": "GBP", - "phonetic": "/ˈdʒiːˈpiːˈiːˈbiː/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "financial term" - }, - "insider trading": { - "term": "insider trading", - "phonetic": "/ˈɪnsaɪdər ˈtreɪdɪŋ/", - "partOfSpeech": "noun", - "definition": "Insider trading happens when someone purchases or sells stocks while possessing private, material information about that stock. Insider Trading ", - "termCategory": "financial term" - }, - "IPO": { - "term": "IPO", - "phonetic": "/ˈɪnɪʃəl ˈpʌblɪk ˈɒfərɪŋ/", - "partOfSpeech": "noun", - "definition": "Initialism; An initial public offering (IPO) is the process of a company offering shares for purchase on the stock market for the first time. IPO ", - "termCategory": "financial term" - }, - "liquidation": { - "term": "liquidation", - "phonetic": "/ˌlɪkwɪˈdeɪʃən/", - "partOfSpeech": "noun", - "definition": "Liquidation happens when a trader has insufficient funds to keep a leveraged trade open. Liquidation ", - "termCategory": "financial term" - }, - "liquidity": { - "term": "liquidity", - "phonetic": "/lɪˈkwɪdɪti/", - "partOfSpeech": "noun", - "definition": "An asset is considered more ‘liquid’ if it can easily be converted into cash, and therefore, ‘liquidity’ refers to the availability of assets to a company or market. Conversely, the harder it is to turn an asset into cash, the more illiquid the asset. For example, stocks are considered relatively liquid assets, as they can be easily converted to cash, while real estate is considered an illiquid asset. The liquidity of an asset affects its risk potential and market price.", - "termCategory": "financial term" - }, - "market cap": { - "term": "market cap", - "phonetic": "/ˈmɑrkɪt kæp/", - "partOfSpeech": "noun", - "definition": "Short for 'market capitalization', this refers to the total value held in a particular industry, market, company, or asset. For a publicly traded company, the market cap is the total dollar market value of a company's outstanding shares. For Bitcoin or Ethereum, the total market cap is a reflection of the current existing supply times the market price.", - "termCategory": "financial term" - }, - "scam": { - "term": "scam", - "phonetic": "/skæm/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "financial term" - }, - "security token": { - "term": "security token", - "phonetic": "/ˈsɪkjʊrɪti toʊkən/", - "partOfSpeech": "noun", - "definition": "A security token is essentially a digital form of traditional securities. There are three primary types of traditional securities: equities, debt and a hybrid of debt and equity. Examples of securities include stocks, bonds, ETFs, options and futures. Hypothetically, any of these things can be tokenized to become a security token. It is possible that in the near future, security tokens could serve as a very viable alternative and competitor to stocks and other traditional securities. Security Token ", - "termCategory": "financial term" - }, - "STO": { - "term": "STO", - "phonetic": "/ˈsɪkjʊrɪti toʊkən ˈɒfərɪŋ/, /ˌɛs ˈtiː ˈoʊ/", - "partOfSpeech": "noun", - "definition": "Initialism; a Security Token Offering (STO) is a form of initial coin offering (ICO) where a company or organization issues a security token that is backed by a tangible asset, such as real estate, technology or other assets. The security token represents the right to ownership of the underlying asset, with the tokens being tradeable on a compliant digital asset exchange. Security Token Offering ", - "termCategory": "financial term" - }, - "USD": { - "term": "USD", - "phonetic": "/ˈjuːˌɛsˈdiː/", - "partOfSpeech": "noun", - "definition": "Initialism; United States Dollar (fiat currency).", - "termCategory": "financial term" - }, - "vesting": { - "term": "vesting", - "phonetic": "/ˈvɛstɪŋ/", - "partOfSpeech": "noun", - "definition": "In the context of 'vesting period': The act of restricting the sale of a token for a particular period of time. Vesting period ", - "termCategory": "financial term" - }, - "Know Your Customer (KYC)": { - "term": "Know Your Customer (KYC)", - "phonetic": "/ˈnoʊ jʊər ˈkʌstəmər/; /ˈkaɪs/", - "partOfSpeech": "noun", - "definition": "A process in which a business must verify the identity and background information (address, financial details, etc.) of their customers. For example, current regulations and laws require banks and other financial institutions to keep and report customers' personal information and transactions.", - "termCategory": "legal term" - }, - "Know Your Transaction": { - "term": "Know Your Transaction", - "phonetic": "/ˈnoʊ jʊər ˈtrænˈzækʃən/", - "partOfSpeech": "noun", - "definition": "Know Your Transaction (KYT) is a process employed by financial institutions to monitor the merchants' businesses through the analysis of transaction data.", - "termCategory": "legal term" - }, - "KYC": { - "term": "KYC", - "phonetic": "/ˈkeɪ ˈwaɪ ˈsiː/", - "partOfSpeech": "noun", - "definition": "Initialism; see 'Know Your Customer'.", - "termCategory": "legal term" - }, - "KYT": { - "term": "KYT", - "phonetic": "/ˈkeɪ ˈwaɪ ˈtiː/", - "partOfSpeech": "noun", - "definition": "Initialism; see 'Know Your Transaction'.", - "termCategory": "legal term" - }, - "roadmap": { - "term": "roadmap", - "phonetic": "/ˈroʊdmæp/", - "partOfSpeech": "noun", - "definition": "A planning technique which lays out the short and long term goals of a particular project within a flexible estimated timeline.", - "termCategory": "legal term" - }, - "2FA": { - "term": "2FA", - "phonetic": "/ˈtuː ˈfæktər ɔːˈθɛntɪˌkeɪʃən/, /ˈtuː ˈɛf ˈeɪ/", - "partOfSpeech": "noun", - "definition": "Abbreviation; two-factor authentication (2FA) is an identity and access management security method that requires two forms of identification to access resources and data. 2FA gives businesses the ability to monitor and help safeguard their most vulnerable information and networks.See also 'U2F' When 2FA A", - "termCategory": "software term" - }, - "algorithm": { - "term": "algorithm", - "phonetic": "/ˈælɡəˌrɪðəm/", - "partOfSpeech": "noun", - "definition": "An algorithm is a finite sequence of rigorous instructions, typically used to solve a class of specific problems or to perform a computation. ", - "termCategory": "software term" - }, - "API": { - "term": "API", - "phonetic": "/ˈæplɪˌkeɪʃən ˈproʊɡræmɪŋ ˈɪntərˌfeɪs/, /ˈeɪ.pi.aɪ/", - "partOfSpeech": "noun", - "definition": "Initialism; Application Programming Interface. A predefined set of requests that one program can make to another in order to transfer information between them. When you hear someone saying that an application is 'getting information from' another source, it's often doing so through an API.", - "termCategory": "software term" - }, - "ASIC": { - "term": "ASIC", - "phonetic": "/ˈæplɪˌkeɪʃən spəˈsɪfɪk ˈɪntɪˌgreɪtɪd ˈsɜrkɪt/, /ˈeɪˌsɪk/", - "partOfSpeech": "noun", - "definition": "Acronym; Application Specific Integrated Circuit. ASICs are silicon chips designed to do a specific task. In ASICs used for mining cryptocurrencies, the ASIC will perform a calculation to find values that provide a desired solution when placed into a hashing algorithm.", - "termCategory": "software term" - }, - "bounty": { - "term": "bounty", - "phonetic": "/ˈbaʊnti/ /bʌɡ ˈbaʊnti/", - "partOfSpeech": "noun", - "definition": "A reward offered for exposing vulnerabilities and issues in computer code. For this reason, often referred to as a \"bug bounty\".", - "termCategory": "software term" - }, - "bytecode": { - "term": "bytecode", - "phonetic": "/ˈbaɪtkoʊd/", - "partOfSpeech": "noun", - "definition": "Bytecode is a 'low-level' computer language, that is, meant to be processed by a computer, rather than a 'high-level', more human-readable, language. In Ethereum, higher-level Solidity is compiled into Ethereum bytecode, which is read by the Ethereum Virtual Machine (EVM).", - "termCategory": "software term" - }, - "Byzantine fault tolerance": { - "term": "Byzantine fault tolerance", - "phonetic": "/bɪˈzæn.tiːn fɔːlt ˈtɒlərəns/", - "partOfSpeech": "noun", - "definition": "A Byzantine fault, or failure, is one of the most difficult failures to deal with in computer systems; this is because it takes into account the possibility that the information used to determine the current state of the system may--or may not--be reliable. While applicable in many realms of technology, this becomes of particular interest in public blockchain systems: how do we ensure that we can agree on the current state of the network when there is an incentive, often a significant financial incentive, to subvert the state of the network for one's own profit? On a more basic level, if we're coordinating a network running around the world on all kinds of different hardware and software, there are all kinds or problems that can occur that hinder the network's ability to reach consensus on its current state. Therefore, a network that has been designed and implemented to be resistant to these sorts of failures, either due to malicious intent or technical failure, is said to be Byzantine Fault Tolerant.", - "termCategory": "software term" - }, - "compile": { - "term": "compile", - "phonetic": "/ˈkɑmpaɪlɪŋ/", - "partOfSpeech": "verb", - "definition": "There are many languages in computing and software programming. In general, 'low-level' languages are those actually processed by the computer's operating system or processor, while 'high-level' languages are those typed in by software developers making programs. Compiling, then, is converting code written in a high-level programming language (e.g., Solidity) into a lower-level language (e.g., EVM bytecode).", - "termCategory": "software term" - }, - "DDoS": { - "term": "DDoS", - "phonetic": "/dɪˈstrɪbjʊtɪd dɪˈnaɪəl əv ˈsɜrvɪs əˈtæk/", - "partOfSpeech": "noun", - "definition": "initialism; Distributed Denial of Service attack. A type of cyber-attack in which the perpetrator continuously overwhelms the system with requests in order to prevent service of legitimate requests.", - "termCategory": "software term" - }, - "dev": { - "term": "dev", - "phonetic": "/dɛv/", - "partOfSpeech": "noun", - "definition": "Abbreviation of developer.", - "termCategory": "software term" - }, - "developer": { - "term": "developer", - "phonetic": "/dɪˈvɛləpər/", - "partOfSpeech": "noun", - "definition": "A person that creates new products, especially computer products such as software.", - "termCategory": "software term" - }, - "encryption": { - "term": "encryption", - "phonetic": "/ɛnˈkrɪpʃən/", - "partOfSpeech": "noun", - "definition": "Encrpytion, literally 'in a hidden place', is the art and science of encoding information to control who can read it, or how it is to be read. Encryption occurs in natural (human) languages, as well as in machine and computer languages. Highly complex, and therefore difficult to decipher, encryption is an essential element enabling blockchain networks to be simultaneously public and secure.", - "termCategory": "software term" - }, - "entropy": { - "term": "entropy", - "phonetic": "/ˈɛntrəpi/", - "partOfSpeech": "noun", - "definition": "In the context of cryptography, 'entropy' refers to 'randomness'; generally, the more random something is (the more entropy it has), the more secure it is.", - "termCategory": "software term" - }, - "firewall": { - "term": "firewall", - "phonetic": "/ˈfaɪərˌwɔl/", - "partOfSpeech": "noun", - "definition": "In computing, a firewall is a network security system that monitors and controls incoming and outgoing network traffic based on predetermined security rules. A firewall typically establishes a barrier between a trusted network and an untrusted network, such as the Internet.", - "termCategory": "software term" - }, - "firmware": { - "term": "firmware", - "phonetic": "/ˈfɜrmwɛər/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "software term" - }, - "hexadecimal": { - "term": "hexadecimal", - "phonetic": "/ˌhɛksəˈdɛsɪməl/; /ˈhɛks ˈdeɪtə/", - "partOfSpeech": "noun", - "definition": "Hexadecimal is a base 16, rather than base 10, counting system. Used all over Ethereum for a variety of things, a hexadecimal string is comprised of the numbers 0 1 2 3 4 5 6 7 8 9 and letters A B C D E F. Commonly referred to with the elliptical 'hex data'.", - "termCategory": "software term" - }, - "IP address": { - "term": "IP address", - "phonetic": "/ˈaɪˈpiː ˈædrɛs/", - "partOfSpeech": "noun", - "definition": "A unique string of characters that identifies each computer using the Internet Protocol to communicate over a network.", - "termCategory": "software term" - }, - "JSON-RPC": { - "term": "JSON-RPC", - "phonetic": "/ˈdʒeɪsən-ˈɑrˈpiːˈsiː/", - "partOfSpeech": "noun", - "definition": "JSON-RPC is, quite simply, a method used to move data around computer systems, and predates public blockchain technology. It was chosen as a standard for moving data between blockchain networks and Internet browsers and wallets, with the result that these networks have come to be called 'RPC networks', despite JSON-RPC not being their defining technical feature.", - "termCategory": "software term" - }, - "keystore file": { - "term": "keystore file", - "phonetic": "/ˈkiːstɔr faɪl/", - "partOfSpeech": "noun", - "definition": "A keystore file is a special, encrypted version of a private key in JSON format. See also 'private key'.", - "termCategory": "software term" - }, - "latency": { - "term": "latency", - "phonetic": "/ˈleɪtənsi/", - "partOfSpeech": "noun", - "definition": "In the context of Network latency: refers to the amount of time it takes for a computer on one network to communicate with a computer on another network. Network latency ", - "termCategory": "software term" - }, - "library": { - "term": "library", - "phonetic": "/ˈlaɪbrəri/", - "partOfSpeech": "noun", - "definition": "A collection of non-volatile resources used by computer programs, often for software development. These may include configuration data, documentation, help data, message templates, pre-written code and subroutines, classes, values or type specifications. Software Library ", - "termCategory": "software term" - }, - "light client": { - "term": "light client", - "phonetic": "/laɪt ˈklaɪənt/", - "partOfSpeech": "noun", - "definition": "In computing, a 'client' is a software that runs or accesses a program made available by a remote computer. With blockchain networks, then, clients are the programs that sync blockchain data and participate in network consensus. More often and more specifically, 'Layer 2' is used as a noun, to refer to a type of network that is specifically built to handle a large number of transactions quickly by relying on Ethereum mainnet for security functions, and optimizing for speed and scale. Examples include Arbitrum and Optimism; this is different from a 'sidechain', which is a network that has its own security mechanism, yet still allows compatibility and bridging of assets between itself and Ethereum.", - "termCategory": "software term" - }, - "malware": { - "term": "malware", - "phonetic": "/ˈmælwɛər/", - "partOfSpeech": "noun", - "definition": "Any software intentionally designed to cause disruption to a computer, server, client, or computer network, leak private information, gain unauthorized access to information or systems, deprive access to information, or which unknowingly interferes with the user's computer security and privacy.", - "termCategory": "software term" - }, - "metadata": { - "term": "metadata", - "phonetic": "/ˈmɛtəˌdeɪtə/", - "partOfSpeech": "noun", - "definition": "In the context of 'NFT metadata': Metadata is 'data that provides information about other data' Metadata ", - "termCategory": "software term" - }, - "metaverse": { - "term": "metaverse", - "phonetic": "/ˈmɛtəˌvɜrs/", - "partOfSpeech": "noun", - "definition": "A metaverse is a digital universe that contains all the aspects of the real world, such as real-time interactions and economies. It offers a unique experience to end-users. Metaverse ", - "termCategory": "software term" - }, - "MFA": { - "term": "MFA", - "phonetic": "/ˈmʌltiˌfæktər ɔːˈθɛntɪˌkeɪʃən/", - "partOfSpeech": "noun", - "definition": "Initialism; Multi-Factor Authentication refers to using two or more different factors to achieve authentication, ie, confirmation of credentials, e.g., to log into a website or app.", - "termCategory": "software term" - }, - "NFC": { - "term": "NFC", - "phonetic": "/ˈnɪərˈfiːld ˌkəˌmjunɪˈkeɪʃən/, /ˈɛn ˈɛf ˈsiː/", - "partOfSpeech": "noun", - "definition": "Initialism; Near-Field Communication is a set of communication protocols that enables communication between two electronic devices over a distance of 4 cm or less. NFC offers a low-speed connection through a simple setup that can be used to bootstrap more capable wireless connections..", - "termCategory": "software term" - }, - "P2P": { - "term": "P2P", - "phonetic": "/ˌpɪər tə ˈpɪər/, /ˌpiː ˈtuː ˈpiː/", - "partOfSpeech": "adjective", - "definition": "Abbreviation; Peer-to-peer. P2P refers to interactions that happen directly between two parties, usually two separate individuals, and have been present in Internet technology in different ways for some time. These interactions are often coordinated through some sort of app or network, which can consist of any number of individuals. Public blockchains can be considered to have a high degree of P2P functionality, as individuals are able to transact or interact with each other without relying on an intermediary or single point of failure.", - "termCategory": "software term" - }, - "parity": { - "term": "parity", - "phonetic": "/ˈpærɪti/", - "partOfSpeech": "noun", - "definition": "In a general sense, to say that something 'has parity' with another thing means 'equal in features or other important quality', and is a phrase often used by software developers and computer scientists.", - "termCategory": "software term" - }, - "password": { - "term": "password", - "phonetic": "/ˈpæswɜrd/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "software term" - }, - "password manager": { - "term": "password manager", - "phonetic": "/ˈpæswɜrd ˈmænɪdʒər/", - "partOfSpeech": "noun", - "definition": "A password manager is a tool or software that stores all sorts of passwords needed for online applications and services.\r\nPassword manager ", - "termCategory": "software term" - }, - "phishing": { - "term": "phishing", - "phonetic": "/ˈfɪʃɪŋ/", - "partOfSpeech": "verb", - "definition": "Phishing is a form of social engineering where attackers deceive people into revealing sensitive information or installing malware such as ransomware. ", - "termCategory": "software term" - }, - "QR code": { - "term": "QR code", - "phonetic": "/ˌkjuː ˈɑːr ˈkoʊd/", - "partOfSpeech": "noun", - "definition": "A QR code is a type of matrix barcode, constituting a machine-readable optical label that can contain information about the item to which it is attached. ", - "termCategory": "software term" - }, - "RPC": { - "term": "RPC", - "phonetic": "/ˈriːmoʊt prəˈsiːdʒər kɔːl/, /ˌɑːr ˈpiː ˈsiː/", - "partOfSpeech": "noun", - "definition": "Initialism; Remote Procedure Call is a technology that is used to transfer data between endpoints. You may often see it referred to as JSON-RPC, which is its full name; see ‘JSON-RPC’ for further details.", - "termCategory": "software term" - }, - "sandbox": { - "term": "sandbox", - "phonetic": "/ˈsændbɒks/", - "partOfSpeech": "noun", - "definition": "A testing environment in a computer system in which new or untested software or coding can be run securely.", - "termCategory": "software term" - }, - "SDK": { - "term": "SDK", - "phonetic": "/ˌɛs ˈdiː ˈkeɪ/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "software term" - }, - "search engine": { - "term": "search engine", - "phonetic": "/ˈsɜrtʃ ˈɛndʒɪn/", - "partOfSpeech": "noun", - "definition": "", - "termCategory": "software term" - }, - "Turing-complete": { - "term": "Turing-complete", - "phonetic": "/ˈtjʊərɪŋ kəmˈpliːt/", - "partOfSpeech": "adjective", - "definition": "Any machine that can calculate on a level equal to a programmable computer is Turing-complete, or computationally universal. The Ethereum Virtual Machine, which processes smart contracts and transactions, is Turing-complete, despite not existing on a single physical computer.", - "termCategory": "software term" - }, - "U2F": { - "term": "U2F", - "phonetic": "/juː ˈtuː ˈɛf/", - "partOfSpeech": "noun", - "definition": "Initialism; Universal 2nd Factor (U2F) is an open standard that strengthens and simplifies two-factor authentication (2FA) using specialized Universal Serial Bus (USB) or near-field communication (NFC) devices based on similar security technology found in smart cards", - "termCategory": "software term" - }, - "upgrade": { - "term": "upgrade", - "phonetic": "/ˈʌpɡreɪd/", - "partOfSpeech": "noun", - "definition": "Upgrading is the process of replacing a product with a newer version of the same product. In computing and consumer electronics, an upgrade is generally a replacement of hardware, software, or firmware with a newer or better version, in order to bring the system up to date or to improve its characteristics. See also EIP-1159, merge, and other important Ethereum upgrades", - "termCategory": "software term" - }, - "URL": { - "term": "URL", - "phonetic": "/ˈjuːˌɑːrˈɛl/", - "partOfSpeech": "noun", - "definition": "Initialism; Uniform Resource Locator. A format used to consistently identify and route a user to a specific computer-hosted resource, most commonly known as the format for web sites, apps, files, or anything else hosted and accessible on the Internet.", - "termCategory": "software term" - }, - "WebHID": { - "term": "WebHID", - "phonetic": "/ˈwɛbˌhaɪd/", - "partOfSpeech": "noun", - "definition": "WebHID (Human Interface Device) Enables web applications to interact with human interface devices (HIDs) other than the standard supported devices (mice, keyboards, touchscreens, and gamepads). However, there are many other HID devices that are currently inaccessible to the web", - "termCategory": "software term" - }, - "whitepaper": { - "term": "whitepaper", - "phonetic": "/ˈwaɪtpˌeɪpər/", - "partOfSpeech": "noun", - "definition": "Whitepapers explain the purpose and technology behind a project.", - "termCategory": "software term" + "terms": { + "0x API": { + "term": "0x API", + "phonetic": "/ˌzɪroʊ ˈɛks ˈeɪ.pi.aɪ/", + "partOfSpeech": "noun", + "definition": "The 0x API is the liquidity and data endpoint for DeFi. It lets you access aggregated liquidity from tens of on-chain and off-chain decentralized exchange networks, across multiple blockchains. It comes with many parameters to customize your requests for your application and your users.", + "termCategory": "project or product" + }, + "1inch": { + "term": "1inch", + "phonetic": "/ˈwʌn ɪntʃ/", + "partOfSpeech": "noun", + "definition": "Decentralized exchange aggregator that aims to provide traders with the best price and lowest fees on their transactions.", + "termCategory": "project or product" + }, + "2FA": { + "term": "2FA", + "phonetic": "/ˈtuː ˈfæktər ɔːˈθɛntɪˌkeɪʃən/, /ˈtuː ˈɛf ˈeɪ/", + "partOfSpeech": "noun", + "definition": "Abbreviation; two-factor authentication (2FA) is an identity and access management security method that requires two forms of identification to access resources and data. 2FA gives businesses the ability to monitor and help safeguard their most vulnerable information and networks.See also 'U2F' When 2FA A", + "termCategory": "software term" + }, + "3Box Labs": { + "term": "3Box Labs", + "phonetic": "/ˈθriː bɑks ˈlæbz/", + "partOfSpeech": "noun", + "definition": "The inventors and core developers of Ceramic, the first decentralized network for composable data. Ceramic makes it possible for developers to build data-rich Web3 applications without needing a traditional database, and in the process, unlocks data composability and portability across every application within the Web3 ecosystem", + "termCategory": "project or product" + }, + "51% attack": { + "term": "51% attack", + "phonetic": "/ˈfɪfti wʌn pərˈsɛnt əˈtæk/", + "partOfSpeech": "noun", + "definition": "If more than half the computer power or mining hash rate on a network is run by a single person or a single group of people, then a 51% attack is in operation. This means that this entity has full control of the network and can negatively affect a cryptocurrency by taking over mining operations, stopping or changing transactions, and double-spending coins.", + "termCategory": "decentralized web" + }, + "ACH transfer": { + "term": "ACH transfer", + "phonetic": "/ˈeɪ.siːˈeɪtʃ ˈtrænsfər/", + "partOfSpeech": "noun", + "definition": "ACH (Automated Clearing House) bank transfer is an electronic payment method that allows money to be transferred between bank accounts in the United States. It is a system that processes transactions in batches and is commonly used for direct deposit of paychecks, bill payments, and online money transfers.", + "termCategory": "financial term" + }, + "AML": { + "term": "AML", + "phonetic": "/ˈænti ˈmʌni ˈlɔndərɪŋ/, /ˈeɪˌɛmˈɛl/", + "partOfSpeech": "noun", + "definition": "Acronym; Anti-Money Laundering. A set of international laws enacted to diminish the potential for criminal organizations or individuals to launder money. These rules and laws are applied to cryptocurrencies with varying effects in different jurisdictions.", + "termCategory": "financial term" + }, + "API": { + "term": "API", + "phonetic": "/ˈæplɪˌkeɪʃən ˈproʊɡræmɪŋ ˈɪntərˌfeɪs/, /ˈeɪ.pi.aɪ/", + "partOfSpeech": "noun", + "definition": "Initialism; Application Programming Interface. A predefined set of requests that one program can make to another in order to transfer information between them. When you hear someone saying that an application is 'getting information from' another source, it's often doing so through an API.", + "termCategory": "software term" + }, + "ASIC": { + "term": "ASIC", + "phonetic": "/ˈæplɪˌkeɪʃən spəˈsɪfɪk ˈɪntɪˌgreɪtɪd ˈsɜrkɪt/, /ˈeɪˌsɪk/", + "partOfSpeech": "noun", + "definition": "Acronym; Application Specific Integrated Circuit. ASICs are silicon chips designed to do a specific task. In ASICs used for mining cryptocurrencies, the ASIC will perform a calculation to find values that provide a desired solution when placed into a hashing algorithm.", + "termCategory": "software term" + }, + "AVAX": { + "term": "AVAX", + "phonetic": "/ˈeɪˈvæks/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Aave": { + "term": "Aave", + "phonetic": "/ˈɑː.veɪ/", + "partOfSpeech": "noun", + "definition": "Aave is an open source protocol to create non-custodial liquidity markets to earn interest on supplying and borrowing assets with a variable or stable interest rate.", + "termCategory": "project or product" + }, + "Agoric": { + "term": "Agoric", + "phonetic": "/ˈæɡərɪk/", + "partOfSpeech": "noun", + "definition": "Agoric is a Proof-of-Stake blockchain that functions as a smart contract platform, enabling developers to deploy decentralized applications. The platform is built on a variant of the JavaScript programming language, which is a widely used language for web development. ", + "termCategory": "project or product" + }, + "AirGap Vault": { + "term": "AirGap Vault", + "phonetic": "/ˈɛrˌɡæp vɔlt/", + "partOfSpeech": "noun", + "definition": "AirGap Vault is a crypto wallet application that provides secure storage for digital assets. The wallet is designed to be used in conjunction with AirGap's other wallet app, AirGap Wallet, which is used for sending and receiving transactions.", + "termCategory": "project or product" + }, + "AirSwap": { + "term": "AirSwap", + "phonetic": "/ˈɛrˌswɑp/", + "partOfSpeech": "noun", + "definition": "AirSwap is a decentralized exchange (DEX) platform for trading digital assets, operating on Ethereum and Layer-2s like Polygon, Arbitrum.", + "termCategory": "project or product" + }, + "Apple Pay": { + "term": "Apple Pay", + "phonetic": "/ˈæpəl ˈpeɪ/", + "partOfSpeech": "noun", + "definition": "Apple Pay is a mobile payment service by Apple Inc. that allows users to make payments in person, in iOS apps, and on the web.", + "termCategory": "project or product" + }, + "Arbitrum": { + "term": "Arbitrum", + "phonetic": "/ˈɑrbɪtrəm/", + "partOfSpeech": "noun", + "definition": "Arbitrum is a layer 2 scaling solution for Ethereum, designed to improve the scalability and reduce the cost of transactions on the Ethereum network. It is an implementation of the Optimistic Rollup technology, which is a type of scaling solution that uses off-chain computation to reduce the load on the main Ethereum network.", + "termCategory": "project or product" + }, + "Aurora": { + "term": "Aurora", + "phonetic": "/əˈrɔrə/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Avalanche": { + "term": "Avalanche", + "phonetic": "/ˈævəˌlæntʃ/", + "partOfSpeech": "noun", + "definition": "Avalanche is a decentralized blockchain platform designed to provide fast and secure transactions for digital assets and applications. The platform uses a consensus mechanism known as Avalanche consensus, which allows for high throughput, low latency, and customizable blockchains.", + "termCategory": "project or product" + }, + "Axie Infinity": { + "term": "Axie Infinity", + "phonetic": "/ˈæksi ɪnˈfɪnɪti/", + "partOfSpeech": "noun", + "definition": "Axie Infinity is a non-fungible token-based online video game known for its in-game economy, which uses Ethereum-based cryptocurrencies.", + "termCategory": "project or product" + }, + "BNB": { + "term": "BNB", + "phonetic": "/ˈbiːɛnˈbiː/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "BNB Chain": { + "term": "BNB Chain", + "phonetic": "/ˈbiːˈɛnˈbiː tʃeɪn/", + "partOfSpeech": "noun", + "definition": "Build N Build (BNB) Chain is a distributed blockchain network upon which developers and innovators can build decentralized applications (DApps) as part of the move to Web3. BNB chain ", + "termCategory": "project or product" + }, + "BTC": { + "term": "BTC", + "phonetic": "/ˈbiːˈtiːˈsiː/", + "partOfSpeech": "noun", + "definition": "Abbreviation for Bitcoin ", + "termCategory": "project or product" + }, + "BTC (bitcoin)": { + "term": "BTC (bitcoin)", + "phonetic": "/ˈbiː tiː ˈsiː/ (/ˈbɪtkɔɪn/)", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Banxa": { + "term": "Banxa", + "phonetic": "/ˈbæŋksə/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Beacon Chain": { + "term": "Beacon Chain", + "phonetic": "/ˈbiːkən tʃeɪn/", + "partOfSpeech": "noun", + "definition": "The Beacon Chain was one element built in the infrastructure being built to scale Ethereum. It was the foundation for a transition from a Proof of Work (PoW) consensus mechanism to Proof of Stake (PoS). For more information, see this guide.", + "termCategory": "project or product" + }, + "Besu": { + "term": "Besu", + "phonetic": "/ˈbɛsuː/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Binance": { + "term": "Binance", + "phonetic": "/ˈbaɪnæns/", + "partOfSpeech": "noun", + "definition": "Binance is a centralized cryptocurrency exchange which operates in multiple countries, as well as two different blockchains, the BNB Chain and the BNB Smart Chain.", + "termCategory": "project or product" + }, + "Bitcoin": { + "term": "Bitcoin", + "phonetic": "/ˈbɪtkɔɪn/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Brave": { + "term": "Brave", + "phonetic": "/breɪv/", + "partOfSpeech": "noun", + "definition": "Brave is a free and open-source web browser developed by Brave Software, Inc., based on the Chromium web browser. It has a built-in crypto wallet that allows users to connect to the web3 ecosystem. ", + "termCategory": "project or product" + }, + "Byzantine fault tolerance": { + "term": "Byzantine fault tolerance", + "phonetic": "/bɪˈzæn.tiːn fɔːlt ˈtɒlərəns/", + "partOfSpeech": "noun", + "definition": "A Byzantine fault, or failure, is one of the most difficult failures to deal with in computer systems; this is because it takes into account the possibility that the information used to determine the current state of the system may--or may not--be reliable. While applicable in many realms of technology, this becomes of particular interest in public blockchain systems: how do we ensure that we can agree on the current state of the network when there is an incentive, often a significant financial incentive, to subvert the state of the network for one's own profit? On a more basic level, if we're coordinating a network running around the world on all kinds of different hardware and software, there are all kinds or problems that can occur that hinder the network's ability to reach consensus on its current state. Therefore, a network that has been designed and implemented to be resistant to these sorts of failures, either due to malicious intent or technical failure, is said to be Byzantine Fault Tolerant.", + "termCategory": "software term" + }, + "Byzantium fork": { + "term": "Byzantium fork", + "phonetic": "/bɪˈzæn.ti.əm fɔːrk/", + "partOfSpeech": "noun", + "definition": "A 'hard fork' in the Ethereum network that occurred in October of 2017. For detailled information, see here; see also 'hard fork'.", + "termCategory": "decentralized web" + }, + "CEX": { + "term": "CEX", + "phonetic": "/ˈsiːˈɛks/", + "partOfSpeech": "noun", + "definition": "Acronym; see 'Centralized Exchange'.", + "termCategory": "decentralized web" + }, + "Celo": { + "term": "Celo", + "phonetic": "/ˈsɛloʊ/", + "partOfSpeech": "noun", + "definition": "Celo is a platform designed to allow mobile users around the world to make simple financial transactions with cryptocurrency. The platform has its own blockchain and two native tokens: CELO and cUSD", + "termCategory": "project or product" + }, + "Chrome": { + "term": "Chrome", + "phonetic": "/kroʊm/", + "partOfSpeech": "noun", + "definition": "Internet browser.", + "termCategory": "project or product" + }, + "Codefi": { + "term": "Codefi", + "phonetic": "/ˈkoʊdɪfaɪ/", + "partOfSpeech": "noun", + "definition": "Derived from “Commerce & Decentralized Finance”, Codefi was a part of Consensys Software Inc., responsible for developing finance use case blockchain products; name no longer in use.", + "termCategory": "project or product" + }, + "CoinGecko": { + "term": "CoinGecko", + "phonetic": "/ˈkɔɪnˌɡɛkoʊ/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Coinbase Pay": { + "term": "Coinbase Pay", + "phonetic": "/ˈkɔɪnbeɪs peɪ/", + "partOfSpeech": "noun", + "definition": "Coinbase Pay is a payment feature that allows you to buy or transfer supported crypto on Coinbase.com directly from self-custody wallets (like MetaMask) and dapps.", + "termCategory": "project or product" + }, + "Compound": { + "term": "Compound", + "phonetic": "/ˈkɑmpaʊnd/", + "partOfSpeech": "noun", + "definition": "Compound is a decentralized, blockchain-based protocol that allows you to lend and borrow crypto — and have a say in its governance with its native COMP token.", + "termCategory": "project or product" + }, + "Consensys": { + "term": "Consensys", + "phonetic": "/kənˈsɛnsɪs/", + "partOfSpeech": "noun", + "definition": "Short for Consensus Systems, fka ConsenSys. Launched alongside the founding of the Ethereum network by Joseph Lubin, Consensys was a sort of incubator, seeking to discover, nurture, and develop software, tooling, and use cases for programmable public blockchain networks. Consensys Mesh continues to serve in this broader \"incubator\" role, while Consensys Software Inc. is a for-profit company, maintaining and producing the MetaMask wallet, the Infura and DeFura blockchain data access protocols, the Linea zkEVM Layer 2 network, and the Diligence smart contract auditing service, amongst many other products.", + "termCategory": "project or product" + }, + "CoolWallet": { + "term": "CoolWallet", + "phonetic": "/ˈkuːlˌwɔlɪt/", + "partOfSpeech": "noun", + "definition": "A crypto hardware wallet for Bitcoin, Ethereum, Litecoin, Bitcoin Cash, and ERC20 Token.", + "termCategory": "project or product" + }, + "CryptoCompare": { + "term": "CryptoCompare", + "phonetic": "/ˈkrɪptoʊˌkɒmpær/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Curve": { + "term": "Curve", + "phonetic": "/kɜrv/", + "partOfSpeech": "noun", + "definition": "Curve is a decentralized exchange for stablecoins that uses an automated market maker (AMM) to manage liquidity.", + "termCategory": "project or product" + }, + "D'CENT": { + "term": "D'CENT", + "phonetic": "/ˈdiːˈsɛnt/", + "partOfSpeech": "noun", + "definition": "Hardware wallet.", + "termCategory": "project or product" + }, + "DAI": { + "term": "DAI", + "phonetic": "/daɪ/", + "partOfSpeech": "noun", + "definition": "DAI is an Ethereum-based stablecoin whose issuance and development is managed by the Maker Protocol and the MakerDAO decentralized autonomous organization.", + "termCategory": "project or product" + }, + "DDoS": { + "term": "DDoS", + "phonetic": "/dɪˈstrɪbjʊtɪd dɪˈnaɪəl əv ˈsɜrvɪs əˈtæk/", + "partOfSpeech": "noun", + "definition": "initialism; Distributed Denial of Service attack. A type of cyber-attack in which the perpetrator continuously overwhelms the system with requests in order to prevent service of legitimate requests.", + "termCategory": "software term" + }, + "Devcon": { + "term": "Devcon", + "phonetic": "/ˈdɛvkɒn/", + "partOfSpeech": "noun", + "definition": "This is shorthand for the Ethereum Developers’ Conference.", + "termCategory": "project or product" + }, + "Diligence": { + "term": "Diligence", + "phonetic": "/ˈdɪlɪdʒəns/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "EEA": { + "term": "EEA", + "phonetic": "/ˈɛntərˌpraɪz ɪˈθiːriəm əˈlaɪəns/, /ˈiːˈiːˈeɪ/", + "partOfSpeech": "noun", + "definition": "Initialism; Ethereum Enterprise Allliance. A group of Ethereum core developers, startups, and large companies working together to commercialize and use Ethereum for different business applications. Website here.", + "termCategory": "project or product" + }, + "EUR": { + "term": "EUR", + "phonetic": "/ˈjʊəroʊ/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "financial term" + }, + "Ethereum": { + "term": "Ethereum", + "phonetic": "/ɪˈθiːriəm/", + "partOfSpeech": "noun", + "definition": "A public blockchain network and decentralized software platform upon which developers build and run applications. As it is a proper noun, it should always be capitalized.", + "termCategory": "project or product" + }, + "Etherscan": { + "term": "Etherscan", + "phonetic": "/ˈɛðərˌskæn/", + "partOfSpeech": "noun", + "definition": "A popular website for analyzing activity on the Ethereum blockchain. See ‘blockchain explorer’. https://etherscan.io/ ", + "termCategory": "project or product" + }, + "FTM": { + "term": "FTM", + "phonetic": "/ˈɛfˈtiːɛm/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Fantom": { + "term": "Fantom", + "phonetic": "/ˈfæntəm/", + "partOfSpeech": "noun", + "definition": "Fantom is a public blockchain platform that aims to facilitate fast and low-cost transactions for dapps and smart contracts. It was launched in 2018 and is based on the Ethereum codebase, but with several key enhancements. One of the main features of Fantom is its consensus mechanism, known as Lachesis, which is a variant of Directed Acyclic Graphs (DAGs) that allows for high transaction throughput and low confirmation times. This means that transactions on the Fantom network can be processed quickly and at a low cost, making it an attractive platform for developers looking to build dApps that require fast and efficient transactions.", + "termCategory": "project or product" + }, + "Firefox": { + "term": "Firefox", + "phonetic": "/ˈfaɪərˌfɒks/", + "partOfSpeech": "noun", + "definition": "Internet browser.", + "termCategory": "project or product" + }, + "GBP": { + "term": "GBP", + "phonetic": "/ˈdʒiːˈpiːˈiːˈbiː/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "financial term" + }, + "GSN": { + "term": "GSN", + "phonetic": "/ˈdʒiːˈɛsˈɛn/", + "partOfSpeech": "noun", + "definition": "Abbreviation for Gas Station Network", + "termCategory": "project or product" + }, + "Gas Station Network": { + "term": "Gas Station Network", + "phonetic": "/ɡæs ˈsteɪʃən ˈnɛtwɜrk/", + "partOfSpeech": "noun", + "definition": "The Gas Station Network (GSN) is a decentralized network of relayers mainly referring to the Ethereum blockchain. It allows you to build dapps which provide payment for transactions, so users do not need to hold Ether or ETH to pay for gas, easing their onboarding process and improving user acquisition and experience. However, while the relayers in the GSN do not charge users, they charge the recipient and contract instead. In this way, the relayers recover the costs of transactions and profit from extra fees for providing such services. Originally conceived and designed by TabooKey, the GSN has grown to encompass many companies, protocols and platforms in the Ethereum ecosystem that wish to facilitate the onboarding of users to Ethereum applications. Gas Station Network ", + "termCategory": "project or product" + }, + "GitHub": { + "term": "GitHub", + "phonetic": "/ˈɡɪthʌb/", + "partOfSpeech": "noun", + "definition": "GitHub is an online software development platform. It's used for storing, tracking, and collaborating on software projects. It makes it easy for developers to share code files and collaborate with fellow developers on open-source projects. GitHub also serves as a social networking site where developers can openly network, collaborate, and pitch their work. GitHub ", + "termCategory": "project or product" + }, + "Gitcoin": { + "term": "Gitcoin", + "phonetic": "/ˈɡɪtkɔɪn/", + "partOfSpeech": "noun", + "definition": "Gitcoin is a platform where coders and developers can get paid to work on open-source software in a wide variety of programming languages. Users can also submit their own project ideas to the Gitcoin platform in order to crowdsource funding from contributing donors.", + "termCategory": "project or product" + }, + "Goerli": { + "term": "Goerli", + "phonetic": "/ˈɡɔrli/", + "partOfSpeech": "noun", + "definition": "Goerli is a test networks. It is primarily used for development on the blockchain (testing out applications and smart contracts, etc). ETH on these testnets is a dummy balance and cannot be withdrawn or sent to mainnet.", + "termCategory": "project or product" + }, + "Hardware Wallet": { + "term": "Hardware Wallet Hub\"\r\ncold wallet,noun,decentralized web,/koʊld ˈwɔlɪt/ /koʊld ˈstɔrɪdʒ/,\"An offline wallet that is never connected to the internet. These are often referred to as \"airgapped\" or \"cold storage\" wallets; the usage of temperature as a metaphor is to indicate both the ease with which the assets held in accounts by the wallet can be used on a network, as well as an indicator of risk. The idea here is that a \"hot\" wallet, connected to the Internet, is \"ready to use on chain\", and also has a higher risk of being compromised by bad actors. Cold storage wallets, therefore, offer much greater protection for crypto-held assets and tokens.\"\r\nconfirmation,noun,decentralized web,/ˌkɒnfərˈmeɪʃən/,\"A confirmation happens when a network has verified a blockchain transaction. Under a Proof of Work (PoW) consensus mechanism, this happens through a process known as mining; under Proof of Stake (PoS), the process is known as validation. Once a transaction is successfully confirmed, it theoretically cannot be reversed or double spent. The more confirmations a transaction has, the harder it becomes to perform a double spend attack.\"\r\nconsensus,noun,decentralized web,/kənˈsɛnsəs/,\"The process used by a group of peers, or nodes, on a blockchain network to agree on the validity of transactions submitted to the network. The consensus layer is responsible for validating and verifying transactions and blocks, and for coordinating communication between nodes to achieve consensus. In a blockchain network, the consensus layer is implemented by the consensus protocol or algorithm that defines how new blocks are added to the chain and how the network reaches agreement on the current state of the ledger. There are various types of consensus mechanisms used in blockchain networks, including proof of work (PoW), proof of stake (PoS), and delegated proof of stake (DPoS). The consensus client implements the specific consensus mechanism used by the network and ensures that all nodes follow the rules and reach agreement on the current state of the blockchain.\"\r\nconsensus client,noun,decentralized web,/kənˈsɛnsəs ˈklaɪənt/,\"A consensus client is a component of a blockchain node that is responsible for validating and verifying transactions and blocks in the network. It communicates with other nodes to reach consensus on the current state of the blockchain and to ensure that all nodes have a consistent copy of the ledger. See also: \"consensus mechanism\".\"\r\nconsensus mechanism,noun,decentralized web,/kənˈsɛnsəs ˈleɪər/,Consensus mechanisms (also known as consensus protocols or consensus algorithms) allow distributed systems (networks of computers) to work together and stay secure.\r\nConstantinople fork,noun,decentralized web,/ˌkɒnstænˈtɪnəpl fɔːrk/,\"One of the 'hard forks' made to the Ethereum network, in February 2019. For more detailed information, see here; see also 'hard fork'.\"\r\ncontract,noun,decentralized web,/ˈkɒntrækt/,See smart contract\r\ncontract account,noun,decentralized web,/ˈkɒntrækt əˈkaʊnt/,An account containing code that executes whenever it receives a transaction from another account (EOA or contract).\r\ncrypto asset,noun,decentralized web,/ˈkrɪptoʊ ˈæsɛt/,\"A useful blanket term that covers on-chain assets: cryptocurrencies, NFTs, and other, still emerging, products.\"\r\ncrypto bounties,noun,decentralized web,/ˈkrɪptoʊ ˈbaʊntiz/,\"Crypto bounties are an important rewards mechanism that blockchain projects utilize in order to secure the successful accomplishments of certain tasks required by the network. Initially, bounties were intended as a marketing tool to attract users to participate in performing validation services for blockchain projects. Today, crypto bounties have developed significantly beyond the purpose of a simple marketing tool. crypto bounties \"\r\ncrypto fund,noun,decentralized web,/ˈkrɪptoʊ fʌnd/,A crypto fund is a type of investment fund that focuses on investing in cryptocurrencies or companies involved in the cryptocurrency industry. These funds are designed to give investors exposure to the crypto market without the need for them to directly buy and hold cryptocurrencies themselves.\r\ncrypto wallet,noun,decentralized web,/ˈkrɪptoʊ ˈwɔlɪt/,\"A crypto wallet is a device, physical medium, program or a service which stores the public and/or private keys for cryptocurrency transactions. Crypto wallets come in different forms, including software wallets, hardware wallets, and paper wallets.\"\r\ncrypto-,noun,decentralized web,/ˈkrɪptoʊ-/,\"Even though this prefix is originally Greek, our current usage comes from cryptography. Technologies that are referred to with the blanket term of 'crypto' tech are underlain by cryptographic tools and processes (such as public/private key pairs) that enable innovative functionality and security. Of course, 'cryptocurrency' often gets shortened to simply 'crypto', so this emerging field is full of instances where something 'crypto' is being added to or shortened. With the emergence of the term 'Web3', arguably a distinction has begun to be made between 'crypto', referring to DeFi and other financial use cases of the technology, while 'Web3' refers to the transition of Internet-based activities to more decentralized practices and platforms.\"\r\ncrypto-compliance,noun,decentralized web,/ˈkrɪptoʊ-kəmˈplaɪəns/,A blanket term used to refer to ensuring crypto projects conform with applicable regulations and laws.\r\ncryptoassets,noun,decentralized web,/ˈkrɪptoʊˌæsɛts/,\"A useful blanket term that covers on-chain assets: cryptocurrencies, NFTs, and other, still emerging, products.\"\r\ncryptocurrency,noun,decentralized web,/ˌkrɪptəˈkɜrənsi/,\"Digital currency that is based on mathematics and uses encryption techniques to regulate the creation of units of currency as well as verifying the transfer of funds. Cryptocurrencies operate independently of a central bank, and are kept track of through distributed ledger technology.\"\r\ncryptoeconomics,noun,decentralized web,/ˌkrɪptoʊɪˈkɒnəmɪks/,\"The economic analysis of decentralized finance; notably, the MIT Cryptoeconomics Lab.\"\r\ncryptography,noun,decentralized web,/krɪpˈtɒɡrəfi/,\"In its broadest sense, cryptography is the art of 'hidden writing' -- using some sort of code to encrypt writing. In modern times, it often refers to the application of this concept within computing, communication, and data transfer through computers and computer networks. Cryptography has been protected as free speech in the United States, and provides the technological foundation that allows blockchain networks to be public: despite the ledger being open and accessible by all, control over the state of the ledger and the ability to move assets on it is mediated through cryptographic tools, such as the Secret Recovery Phrase.\"\r\nDAO,noun,decentralized web,/daʊ/,Acronym; see 'Decentralized Autonomous Organization'.\r\ndapp,noun,decentralized web,/dæp/,Acronym; see 'decentralized application'\r\ndecentralization,noun,decentralized web,/ˌdiːsɛntrəlɪˈzeɪʃən/,\"The transfer of authority and responsibility from a centralized organization, government, or party to a distributed network.\"\r\ndecentralized application,noun,decentralized web,/ˌdiːsɛntrəlaɪzd ˌæplɪˈkeɪʃən/,\"An open-source software application with backend (not user-facing) code running on a decentralized peer-to-peer network, rather than a centralized server. You may see alternate spellings: dApps, DApps, Dapps, and Đapps.\"\r\nDecentralized Autonomous Organization,noun,decentralized web,\"/ˌdiːsɛntrəlaɪzd ɔːˈtɒnəməs ˌɔrɡənaɪˈzeɪʃən/, /daʊ/\"", + "phonetic": "\r\ndenominations", + "partOfSpeech": "A Digital Decentralized Autonomous Organization (DAO, pronounced like the Chinese concept) is a powerful and very flexible organizational structure built on a blockchain. Alternatively, the first known example of a DAO is referred to as The DAO. The DAO served as a form of investor-directed venture capital fund, which sought to provide enterprises with new decentralized business models. Ethereum-based, The DAO’s code was open source. The organization set the record for the most crowdfunded project in 2016. Those funds were partially stolen by hackers. The hack caused an Ethereum hard-fork which lead to the creation of Ethereum Classic.\"\r\ndecentralized exchange,noun,decentralized web,\"/ˌdiːsɛntrəˈlaɪzd ɪkˈstʃeɪndʒ/, /ˈdɛks/", + "definition": "noun", + "termCategory": "A decentralized exchange (DEX) is a platform for exchanging cryptocurrencies based on functionality programmed on the blockchain (i.e., in smart contracts). If cryptocurrency is web3’s monetary system, its financial system is DeFi. This includes familiar concepts like loans and interest-bearing financial instruments, as well as so-called “DeFi primitives”, novel solutions like token swapping and liquidity pools. The trading is peer-to-peer, or between pools of liquidity. This is in contrast with a centralized exchange, which is more akin to a bank or investment firm that specializes in cryptocurrencies. Additionally, there are so-called on-ramp providers, who could be compared to currency brokers, exchanging traditional “fiat” money for cryptocurrencies, and do not hold customer’s funds “on deposit” the way a centralized exchange does. There are important technical and regulatory differences between these, which are constantly evolving.\"\r\ndecentralized web,noun,decentralized web,/ˌdiːsɛntrəˈlaɪzd wɛb/,\"The decentralized web, also known as web3, is a concept that refers to a new type of internet architecture that aims to provide a more open, secure, and privacy-preserving internet experience by removing the need for centralized intermediaries and giving users more control over their data. In contrast to the current centralized web, where most online activities are controlled by a few large corporations and their servers, the decentralized web relies on a network of distributed nodes and peer-to-peer protocols to store and transmit data. This means that there is no central authority controlling the internet, and users can interact directly with each other without the need for intermediaries.\"\r\nDeFi,noun,decentralized web,/ˈdiːˌfaɪ/,\r\nDelegated proof of stake (DPoS),noun,decentralized web,\"/dɪˈlɛɡeɪtɪd pruːf əv steɪk/, /ˌdiːˌpiːˈoʊˈɛs/" + }, + "Harmony": { + "term": "Harmony", + "phonetic": "/ˈhɑːrməni/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "IBC": { + "term": "IBC", + "phonetic": "/ˌɪntərˈblɒkˌtʃeɪn kəˈmjunɪˌkeɪʃən ˈproʊtəkɒl/", + "partOfSpeech": "noun", + "definition": "Initialism; Inter-Blockchain Communication (IBC) is a communication protocol that allows different blockchains to relay messages to each other. It guarantees reliable, ordered and authenticated communication between the chains. Blockchains can trustlessly exchange value like tokens. IBC does not work like a bridge. Instead, blockchains send packets of information via smart contracts that allow them to not only exchange value but relay any form of data, such as communication, via the communication protocol. Inter-Blockchain Communication (IBC) ", + "termCategory": "project or product" + }, + "IP address": { + "term": "IP address", + "phonetic": "/ˈaɪˈpiː ˈædrɛs/", + "partOfSpeech": "noun", + "definition": "A unique string of characters that identifies each computer using the Internet Protocol to communicate over a network.", + "termCategory": "software term" + }, + "IPFS": { + "term": "IPFS", + "phonetic": "/ˌaɪˈpiːˈɛfˈɛs/", + "partOfSpeech": "noun", + "definition": "Initialism; InterPlanetary File System. A decentralized file storage and referencing system for the Ethereum blockchain, and the internet as a whole. IFPS is an open source protocol that enables storing and sharing hypermedia (text, audio, visual) in a distributed manner without relying on a single point of failure. This distributed file system enables applications to run faster, safer and more transparently.", + "termCategory": "project or product" + }, + "IPO": { + "term": "IPO", + "phonetic": "/ˈɪnɪʃəl ˈpʌblɪk ˈɒfərɪŋ/", + "partOfSpeech": "noun", + "definition": "Initialism; An initial public offering (IPO) is the process of a company offering shares for purchase on the stock market for the first time. IPO ", + "termCategory": "financial term" + }, + "Infura": { + "term": "Infura", + "phonetic": "/ɪnˈfjʊərə/", + "partOfSpeech": "noun", + "definition": "Part of Consensys, Infura offers backend access to the Ethereum network over established HTTP and WebSockets technology. Prior to Infura, developers were obligated to run their own nodes of the networks with which they wanted to interact; Infura provides that access through a set of APIs. This enables developers of dapps and websites seeking to interact with the Ethereum blockchain to do so, and at scale.", + "termCategory": "project or product " + }, + "JSON-RPC": { + "term": "JSON-RPC", + "phonetic": "/ˈdʒeɪsən-ˈɑrˈpiːˈsiː/", + "partOfSpeech": "noun", + "definition": "JSON-RPC is, quite simply, a method used to move data around computer systems, and predates public blockchain technology. It was chosen as a standard for moving data between blockchain networks and Internet browsers and wallets, with the result that these networks have come to be called 'RPC networks', despite JSON-RPC not being their defining technical feature.", + "termCategory": "software term" + }, + "KYC": { + "term": "KYC", + "phonetic": "/ˈkeɪ ˈwaɪ ˈsiː/", + "partOfSpeech": "noun", + "definition": "Initialism; see 'Know Your Customer'.", + "termCategory": "legal term" + }, + "KYT": { + "term": "KYT", + "phonetic": "/ˈkeɪ ˈwaɪ ˈtiː/", + "partOfSpeech": "noun", + "definition": "Initialism; see 'Know Your Transaction'.", + "termCategory": "legal term" + }, + "Know Your Customer (KYC)": { + "term": "Know Your Customer (KYC)", + "phonetic": "/ˈnoʊ jʊər ˈkʌstəmər/; /ˈkaɪs/", + "partOfSpeech": "noun", + "definition": "A process in which a business must verify the identity and background information (address, financial details, etc.) of their customers. For example, current regulations and laws require banks and other financial institutions to keep and report customers' personal information and transactions.", + "termCategory": "legal term" + }, + "Know Your Transaction": { + "term": "Know Your Transaction", + "phonetic": "/ˈnoʊ jʊər ˈtrænˈzækʃən/", + "partOfSpeech": "noun", + "definition": "Know Your Transaction (KYT) is a process employed by financial institutions to monitor the merchants' businesses through the analysis of transaction data.", + "termCategory": "legal term" + }, + "Kovan": { + "term": "Kovan", + "phonetic": "/ˈtɛstˌnɛt ˈkoʊvən/", + "partOfSpeech": "noun", + "definition": "An Ethereum testnet that uses Proof of Authority consensus, available through MetaMask; website here.", + "termCategory": "project or product" + }, + "Lattice1": { + "term": "Lattice1", + "phonetic": "/ˈlætɪs wʌn/", + "partOfSpeech": "noun", + "definition": "The Lattice1 is a powerful, secure, and user-friendly hardware wallet that allows you to manage an unlimited number of wallets and easily transact on the blockchain.", + "termCategory": "project or product" + }, + "Launchpad": { + "term": "Launchpad", + "phonetic": "/ˈlɔːntʃˌpæd/", + "partOfSpeech": "noun", + "definition": "The Launchpad is the Ethereum Foundation's official way to deposit your ETH for staking on Ethereum. Ethereum Launchpad ", + "termCategory": "project or product" + }, + "Ledger Live": { + "term": "Ledger Live", + "phonetic": "/ˈlɛdʒər laɪv/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Ledger Live App": { + "term": "Ledger Live App", + "phonetic": "/ˈlɛdʒər laɪv æp/", + "partOfSpeech": "noun", + "definition": "Ledger Live is a hardware wallet interface app for users of the Ledger Nano X, Ledger Nano S, and Ledger Blue. The app enables Ledger users to manage their cryptocurrency hardware and assets. Additionally, it features real-time price updates, multi-account management, and the convenience of an extremely simple setup process. Ledger Live combines the management of your individual crypto assets and device management into one interface, with the intention of gradually replacing the Chrome-based applications system that previously annoyed some users of the device.", + "termCategory": "project or product" + }, + "Lido": { + "term": "Lido", + "phonetic": "/ˈliːdoʊ/", + "partOfSpeech": "noun", + "definition": "Lido is a liquid staking protocol for Ethereum that allows users with less than 32 ETH to collectively fund new validators and receive rewards. ", + "termCategory": "project or product" + }, + "Lightning Network": { + "term": "Lightning Network", + "phonetic": "/ˈlaɪtnɪŋ ˈnɛtwɜrk/", + "partOfSpeech": "noun", + "definition": "The Lightning Network is a second layer for Bitcoin that uses micropayment channels to scale the blockchain’s capability to conduct transactions more efficiently. This layer consists of multiple payment channels between parties or Bitcoin users. A Lightning Network channel is a transaction mechanism between two parties. Using channels, the parties can make or receive payments from each other. Transactions conducted on the Lightning Network are faster, less costly, and more readily confirmed than those conducted directly on the Bitcoin blockchain.", + "termCategory": "project or product" + }, + "Linea": { + "term": "Linea", + "phonetic": "/lɪˈniːə/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product " + }, + "MATIC": { + "term": "MATIC", + "phonetic": "/ˈmætɪk/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "MFA": { + "term": "MFA", + "phonetic": "/ˈmʌltiˌfæktər ɔːˈθɛntɪˌkeɪʃən/", + "partOfSpeech": "noun", + "definition": "Initialism; Multi-Factor Authentication refers to using two or more different factors to achieve authentication, ie, confirmation of credentials, e.g., to log into a website or app.", + "termCategory": "software term" + }, + "MMI": { + "term": "MMI", + "phonetic": "/ˌɪnstɪˈtjuːʃənl/, /ˈmɛtəˌmæsk ˌɪnstɪˈtjuːʃənl/, /ˌɛmˌɛmˈaɪ/", + "partOfSpeech": "noun", + "definition": "Initialism; MetaMask Institutional.", + "termCategory": "project or product " + }, + "Maker Protocol": { + "term": "Maker Protocol", + "phonetic": "/ˈmeɪkər ˈproʊtəkɒl/", + "partOfSpeech": "noun", + "definition": "The Maker Protocol, built on the Ethereum blockchain, enables users to create and hold currency. Current elements of the Maker Protocol are the DAI stable coin, Maker Vaults, and Voting. MakerDAO governs the Maker Protocol by deciding on key parameters (e.g., stability fees, collateral types and rates, etc.)", + "termCategory": "project or product" + }, + "Mercuryo": { + "term": "Mercuryo", + "phonetic": "/mɜrˈkjʊrioʊ/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "MetaMask": { + "term": "MetaMask", + "phonetic": "/ˈmɛtəˌmæsk/", + "partOfSpeech": "noun", + "definition": "MetaMask, either in its mobile app form on iOS and Android, or in its browser extension form, is a tool to access and interact with blockchains and the decentralized web. It allows users to manage their digital identity and the permission of others to interact with that identity; its functions include that of a wallet, a dapp permissions manager, and access to token swaps. It is an open-source project that encourages developers from other projects to build on top of it through MetaMask Snaps.", + "termCategory": "project or product " + }, + "MetaMask Flask": { + "term": "MetaMask Flask", + "phonetic": "/ˈmɛtəˌmæsk flæsk/", + "partOfSpeech": "noun", + "definition": "MetaMask Flask is a distribution of the software designed for developers. It's like a laboratory (hence the name) where the MetaMask team can try out new ideas and features. It has experimental, even dangerous functionality in it that is not meant for everyday use. It also doesn't have the same stability guarantees that the production distribution of MetaMask has.", + "termCategory": "project or product " + }, + "MetaMask Institutional": { + "term": "MetaMask Institutional", + "phonetic": "/ˈmɛtəˌmæsk ˌɪnstɪˈtjuːʃənl/", + "partOfSpeech": "noun", + "definition": "MetaMask Institutional is an institution-compliant version of the world’s leading web3 wallet, MetaMask. Organizations trust us to manage their web3 access and engagement with institution-required security, operational efficiency, and compliance. MetaMask Institutional ", + "termCategory": "project or product " + }, + "MetaMask Learn": { + "term": "MetaMask Learn", + "phonetic": "/ˈmɛtəˌmæsk lɜrn/", + "partOfSpeech": "noun", + "definition": "MetaMask Learn is a free-to-use educational platform available in 10 languages for anyone interested in learning about web3. Through engaging lessons and interactive simulations, it helps you understand what web3 is, why it matters, and how to get started.", + "termCategory": "project or product " + }, + "MetaMask Swaps": { + "term": "MetaMask Swaps", + "phonetic": "/ˈmɛtəˌmæsk swɒps/", + "partOfSpeech": "noun", + "definition": "Within MetaMask, users have access to a powerful aggregator showing them information about swaps across the ecosystem, this is MetaMask Swaps. Swaps, when capitalized and referring to this product, should be left in English. ", + "termCategory": "project or product " + }, + "MobiKwik": { + "term": "MobiKwik", + "phonetic": "/ˈmoʊbiˌkwɪk/", + "partOfSpeech": "noun", + "definition": "MobiKwik is an Indian payment service provider founded in 2009 that provides a mobile phone-based payment system and digital wallet.", + "termCategory": "project or product" + }, + "MoonPay": { + "term": "MoonPay", + "phonetic": "/ˈmuːnˌpeɪ/", + "partOfSpeech": "noun", + "definition": "MoonPay is a financial technology company that builds payments infrastructure for crypto. Its on-and-off-ramp suite of products provides a seamless experience for converting between fiat currencies and cryptocurrencies using all major payment methods, including debit and credit cards, local bank transfers, Apple Pay, Google Pay, and Samsung Pay. MoonPay is active in more than 160 countries and is trusted by 300+ leading wallets, websites, and applications to accept payments and defeat fraud. The company is based in Miami, Florida, and was founded in 2019.", + "termCategory": "project or product" + }, + "NFC": { + "term": "NFC", + "phonetic": "/ˈnɪərˈfiːld ˌkəˌmjunɪˈkeɪʃən/, /ˈɛn ˈɛf ˈsiː/", + "partOfSpeech": "noun", + "definition": "Initialism; Near-Field Communication is a set of communication protocols that enables communication between two electronic devices over a distance of 4 cm or less. NFC offers a low-speed connection through a simple setup that can be used to bootstrap more capable wireless connections..", + "termCategory": "software term" + }, + "Ngrave": { + "term": "Ngrave", + "phonetic": "/ˈɛnɡreɪv/", + "partOfSpeech": "noun", + "definition": "Crypto hardware wallet.", + "termCategory": "project or product" + }, + "ONE": { + "term": "ONE", + "phonetic": "/wʌn/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "OpenSea": { + "term": "OpenSea", + "phonetic": "/ˈoʊpənˌsiː/", + "partOfSpeech": "noun", + "definition": "OpenSea is the world's first and largest web3 marketplace for NFTs and crypto collectibles.", + "termCategory": "project or product" + }, + "Opera": { + "term": "Opera", + "phonetic": "/ˈɒpərə/", + "partOfSpeech": "noun", + "definition": "Internet browser.", + "termCategory": "project or product" + }, + "Optimism": { + "term": "Optimism", + "phonetic": "/ɒpˈtɪmɪzəm/", + "partOfSpeech": "noun", + "definition": "Optimism is a layer-2 scaling solution for Ethereum, which is a blockchain-based platform for decentralized applications. It is designed to reduce the cost and increase the speed of transactions on the Ethereum network. Optimism works by using a technique called optimistic rollups, which allows it to process a large number of transactions off-chain, while still maintaining the security and decentralization of the Ethereum network. In optimistic rollups, transactions are initially processed off-chain, and a summary of these transactions is then submitted to the Ethereum network for verification. This verification process ensures that the transactions are valid and that no fraud has occurred. Once the transactions are verified, they are added to the Ethereum blockchain, allowing users to interact with the decentralized applications built on the platform.", + "termCategory": "project or product" + }, + "Oracle": { + "term": "Oracle", + "phonetic": "/ˈɔrəkəl/", + "partOfSpeech": "noun", + "definition": "Typically, an oracle is any entity or person that is relied on to report the outcome of an event. In a blockchain network an oracle (human or machine) helps communicate data to a smart contract, which can then be used to verify an event or specific outcome.", + "termCategory": "project or product" + }, + "P2P": { + "term": "P2P", + "phonetic": "/ˌpɪər tə ˈpɪər/, /ˌpiː ˈtuː ˈpiː/", + "partOfSpeech": "adjective", + "definition": "Abbreviation; Peer-to-peer. P2P refers to interactions that happen directly between two parties, usually two separate individuals, and have been present in Internet technology in different ways for some time. These interactions are often coordinated through some sort of app or network, which can consist of any number of individuals. Public blockchains can be considered to have a high degree of P2P functionality, as individuals are able to transact or interact with each other without relying on an intermediary or single point of failure.", + "termCategory": "software term" + }, + "PALM": { + "term": "PALM", + "phonetic": "/pɑːm/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "Palm": { + "term": "Palm", + "phonetic": "/pɑːm/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "ParaSwap": { + "term": "ParaSwap", + "phonetic": "/ˈpærəswɒp/", + "partOfSpeech": "noun", + "definition": "ParaSwap is a decentralized exchange (DEX) aggregator that optimizes swaps for users through better prices, limited gas fees, and lower slippage. ParaSwap sources their liquidity from major DEXes such as Uniswap, Balancer, Curve, Kyber, in addition to ParaSwapPool, their professional Market Maker network.", + "termCategory": "project or product" + }, + "PayPal": { + "term": "PayPal", + "phonetic": "/ˈpeɪˌpæl/", + "partOfSpeech": "noun", + "definition": "PayPal is a multinational financial technology company operating an online payments system in the majority of countries.", + "termCategory": "project or product" + }, + "Plasma": { + "term": "Plasma", + "phonetic": "/ˈplæzmə/", + "partOfSpeech": "noun", + "definition": "Plasma' is a term that is used to refer to one of the solutions being built and deployed in order to securely scale the Ethereum network. A Plasma network functions similarly to an optimistic rollup, inasmuch as it relies on Ethereum Mainnet to maintain the record of transactions, and as the source for arbitration or fraud resolution. However, a Plasma network differs in other important technical ways from rollups, and is currently limited to simple operations, such as swaps and token transfers. More technical information is available here.", + "termCategory": "project or product" + }, + "Polygon": { + "term": "Polygon", + "phonetic": "/ˈpɒlɪɡɒn/", + "partOfSpeech": "noun", + "definition": "Polygon (formerly Matic Network) is a layer-2 scaling solution for Ethereum that aims to address the scalability issues of the Ethereum blockchain. It is designed to provide faster and cheaper transactions with the same level of security and decentralization as the Ethereum network. Polygon achieves this by creating a multi-chain ecosystem that is built on top of the Ethereum network. This ecosystem consists of various interconnected sidechains that can process transactions independently of the main Ethereum blockchain. These sidechains are called 'Polygon chains' or 'commit chains'.", + "termCategory": "project or product" + }, + "Portfolio": { + "term": "Portfolio", + "phonetic": "/ˈpɔrtfoʊlioʊ/", + "partOfSpeech": "noun", + "definition": "The Portfolio Dapp enables you to view all your MetaMask accounts and their assets in one place. It aggregates values from across your accounts and shows your total holdings, making it easier than ever to get an at-a-glance summary of their value in your chosen currency.", + "termCategory": "project or product " + }, + "QR code": { + "term": "QR code", + "phonetic": "/ˌkjuː ˈɑːr ˈkoʊd/", + "partOfSpeech": "noun", + "definition": "A QR code is a type of matrix barcode, constituting a machine-readable optical label that can contain information about the item to which it is attached. ", + "termCategory": "software term" + }, + "Quorum": { + "term": "Quorum", + "phonetic": "/ˈkwɔrəm/", + "partOfSpeech": "noun", + "definition": "ConsenSys Quorum enables enterprises to leverage Ethereum for their high-value blockchain applications. Businesses can rely on the Quorum open-source protocol layer and integrate on top of it product modules from ConsenSys, other companies, or your own in-house development team to build high-performance, customizable applications.", + "termCategory": "project or product " + }, + "RPC": { + "term": "RPC", + "phonetic": "/ˈriːmoʊt prəˈsiːdʒər kɔːl/, /ˌɑːr ˈpiː ˈsiː/", + "partOfSpeech": "noun", + "definition": "Initialism; Remote Procedure Call is a technology that is used to transfer data between endpoints. You may often see it referred to as JSON-RPC, which is its full name; see ‘JSON-RPC’ for further details.", + "termCategory": "software term" + }, + "Rarible": { + "term": "Rarible", + "phonetic": "/ˈrɛrəbl/", + "partOfSpeech": "noun", + "definition": "An NFT marketplace.", + "termCategory": "project or product" + }, + "Rinkeby": { + "term": "Rinkeby", + "phonetic": "/ˈrɪŋkəbi/", + "partOfSpeech": "noun", + "definition": "An Ethereum testnet that uses Proof of Authority consensus, available through MetaMask; Following the transition to Proof of Stake, Rinkeby scheduled its deprecation for the end of 2023.", + "termCategory": "project or product" + }, + "Rocket Pool": { + "term": "Rocket Pool", + "phonetic": "/ˈrɒkɪt puːl/", + "partOfSpeech": "noun", + "definition": "Rocket Pool is a decentralized Ethereum staking pool.", + "termCategory": "project or product" + }, + "Ropsten": { + "term": "Ropsten", + "phonetic": "/ˈrɒpstən/", + "partOfSpeech": "noun", + "definition": "An Ethereum testnet that used Proof of Work, and, following the transition to Proof of Stake, was deprecated.", + "termCategory": "project or product" + }, + "SDK": { + "term": "SDK", + "phonetic": "/ˌɛs ˈdiː ˈkeɪ/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "software term" + }, + "STO": { + "term": "STO", + "phonetic": "/ˈsɪkjʊrɪti toʊkən ˈɒfərɪŋ/, /ˌɛs ˈtiː ˈoʊ/", + "partOfSpeech": "noun", + "definition": "Initialism; a Security Token Offering (STO) is a form of initial coin offering (ICO) where a company or organization issues a security token that is backed by a tangible asset, such as real estate, technology or other assets. The security token represents the right to ownership of the underlying asset, with the tokens being tradeable on a compliant digital asset exchange. Security Token Offering ", + "termCategory": "financial term" + }, + "Safeheron": { + "term": "Safeheron", + "phonetic": "/ˈseɪfˌhɛrən/", + "partOfSpeech": "noun", + "definition": "Safeheron is an open-source platform for managing digital assets.", + "termCategory": "project or product" + }, + "Samsung Pay": { + "term": "Samsung Pay", + "phonetic": "/ˈsæmsʌŋ peɪ/", + "partOfSpeech": "noun", + "definition": "Samsung Pay is a mobile payment and digital wallet service that lets users make payments using compatible phones and other Samsung-produced devices.", + "termCategory": "project or product" + }, + "Sardine": { + "term": "Sardine", + "phonetic": "/ˈsɑːdiːn/", + "partOfSpeech": "noun", + "definition": "Sardine is an instant fiat and crypto settlement platform.", + "termCategory": "project or product" + }, + "Sepolia": { + "term": "Sepolia", + "phonetic": "/sɛˈpoʊliə/", + "partOfSpeech": "noun", + "definition": "Sepolia is a test networks. It is primarily used for development on the blockchain (testing out applications and smart contracts, etc). ETH on these testnets is a dummy balance and cannot be withdrawn or sent to mainnet", + "termCategory": "project or product" + }, + "Snaps (MetaMask Snaps)": { + "term": "Snaps (MetaMask Snaps)", + "phonetic": "/snæps/, /ˈmɛtəˌmæsk snæps/", + "partOfSpeech": "noun", + "definition": "A program or piece of code that extends the functionality of MetaMask by using the MetaMask Snaps framework.", + "termCategory": "project or product " + }, + "Solidity": { + "term": "Solidity", + "phonetic": "/ˈsɒlɪdɪti/", + "partOfSpeech": "noun", + "definition": "The programming language developers use to write smart contracts on the Ethereum network. See also ‘smart contract’. Solidity ", + "termCategory": "project or product" + }, + "Teku": { + "term": "Teku", + "phonetic": "/ˈtiːkuː/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product " + }, + "Transak": { + "term": "Transak", + "phonetic": "/ˈtrænsæk/", + "partOfSpeech": "noun", + "definition": "Transak is a developer integration toolkit to let users buy/sell crypto in any app, website or web plugin. ", + "termCategory": "project or product" + }, + "Trezor": { + "term": "Trezor", + "phonetic": "/ˈtrɛzər/", + "partOfSpeech": "noun", + "definition": "Hardware wallet.", + "termCategory": "project or product" + }, + "Turing-complete": { + "term": "Turing-complete", + "phonetic": "/ˈtjʊərɪŋ kəmˈpliːt/", + "partOfSpeech": "adjective", + "definition": "Any machine that can calculate on a level equal to a programmable computer is Turing-complete, or computationally universal. The Ethereum Virtual Machine, which processes smart contracts and transactions, is Turing-complete, despite not existing on a single physical computer.", + "termCategory": "software term" + }, + "U2F": { + "term": "U2F", + "phonetic": "/juː ˈtuː ˈɛf/", + "partOfSpeech": "noun", + "definition": "Initialism; Universal 2nd Factor (U2F) is an open standard that strengthens and simplifies two-factor authentication (2FA) using specialized Universal Serial Bus (USB) or near-field communication (NFC) devices based on similar security technology found in smart cards", + "termCategory": "software term" + }, + "URL": { + "term": "URL", + "phonetic": "/ˈjuːˌɑːrˈɛl/", + "partOfSpeech": "noun", + "definition": "Initialism; Uniform Resource Locator. A format used to consistently identify and route a user to a specific computer-hosted resource, most commonly known as the format for web sites, apps, files, or anything else hosted and accessible on the Internet.", + "termCategory": "software term" + }, + "USD": { + "term": "USD", + "phonetic": "/ˈjuːˌɛsˈdiː/", + "partOfSpeech": "noun", + "definition": "Initialism; United States Dollar (fiat currency).", + "termCategory": "financial term" + }, + "Uniswap": { + "term": "Uniswap", + "phonetic": "/ˈjuːnɪswɒp/", + "partOfSpeech": "noun", + "definition": "Uniswap is a decentralized cryptocurrency exchange that uses a set of smart contracts to execute trades on its exchange.", + "termCategory": "project or product" + }, + "WalletConnect": { + "term": "WalletConnect", + "phonetic": "/ˈwɒlɪtˌkənɛkt/", + "partOfSpeech": "noun", + "definition": "WalletConnect is an open source protocol for connecting decentralised applications to mobile wallets with QR code scanning or deep linking.", + "termCategory": "project or product" + }, + "WebHID": { + "term": "WebHID", + "phonetic": "/ˈwɛbˌhaɪd/", + "partOfSpeech": "noun", + "definition": "WebHID (Human Interface Device) Enables web applications to interact with human interface devices (HIDs) other than the standard supported devices (mice, keyboards, touchscreens, and gamepads). However, there are many other HID devices that are currently inaccessible to the web", + "termCategory": "software term" + }, + "WebSocket": { + "term": "WebSocket", + "phonetic": "/ˈwɛbˌsɒkɪt/", + "partOfSpeech": "noun", + "definition": "WebSocket is a computer communications protocol, providing full-duplex communication channels over a single TCP connection. It's often used by dapps to regularly fetch up-to-date information from the blockchain.", + "termCategory": "project or product" + }, + "Wyre": { + "term": "Wyre", + "phonetic": "/ˈwaɪər/", + "partOfSpeech": "noun", + "definition": "Wyre is a regulated Money Service Business (MSB), which means it is a financial services provider licensed to transmit and convert money. The company is almost a decade old, having been around since 2013. Wyre provides what the company calls a secure and compliant bridge between fiat and cryptocurrencies. It serves as an infrastructure provider for blockchain businesses to connect with the fiat economy. In other words, Wyre payments enable blockchain businesses to efficiently integrate highly customizable fiat on-ramps into their onboarding flows.", + "termCategory": "project or product" + }, + "account": { + "term": "account", + "phonetic": "/əˈkaʊnt/", + "partOfSpeech": "noun", + "definition": "Accounts are records or statements of financial expenditure and receipts that relate to a particular period or purpose. In the world of crypto, this is referred to as a cryptocurrency account. It gives you certain benefits, and it is a requirement in order to use just about any cryptocurrency exchange. A cryptocurrency account gives you access to hot wallets, which allow you to quickly buy, sell and trade cryptocurrencies, and it gives you an identity or a way through which you can hold onto your public keys when it comes to the aforementioned process.", + "termCategory": "decentralized web" + }, + "address": { + "term": "address", + "phonetic": "/ˈæd.rɛs/ \"ˈpʌblɪk ˈæd.rɛs\"", + "partOfSpeech": "noun", + "definition": "Synonymous with \"public address\", \"wallet address\". Used to send and receive transactions on a blockchain network, and to identify different users; also referred to as a 'public key'. An address is an alphanumeric character string, which can also be represented as a scannable QR code. In Ethereum, the address begins with 0x. For example: 0x06A85356DCb5b307096726FB86A78c59D38e08ee", + "termCategory": "decentralized web" + }, + "aggregator": { + "term": "aggregator", + "phonetic": "/ˈæɡrɪˌɡeɪtər/", + "partOfSpeech": "noun", + "definition": "An aggregator is a platform that aggregates liquidity from multiple decentralized exchanges (DEXs) or other sources of liquidity to provide users with the best prices and the most efficient execution for their trades.", + "termCategory": "decentralized web" + }, + "air-gapping": { + "term": "air-gapping", + "phonetic": "/ˈɛrˌɡæpɪŋ/", + "partOfSpeech": "verb", + "definition": "A method for securing computers in which the device does not connect to the internet or any other open networks. Many hardware wallets use air-gapping as a security mechanism to keep users' private keys or Secret Recovery Phrase offline, and thus safer from any kind of attack.", + "termCategory": "decentralized web" + }, + "airdrop": { + "term": "airdrop", + "phonetic": "/ˈɛrˌdrɑp/", + "partOfSpeech": "noun", + "definition": "A token distribution method used to send cryptocurrency or tokens to wallet addresses. Sometimes airdrops are used for marketing purposes in exchange for simple tasks like reshares, referrals, or app downloads.", + "termCategory": "decentralized web" + }, + "algorithm": { + "term": "algorithm", + "phonetic": "/ˈælɡəˌrɪðəm/", + "partOfSpeech": "noun", + "definition": "An algorithm is a finite sequence of rigorous instructions, typically used to solve a class of specific problems or to perform a computation. ", + "termCategory": "software term" + }, + "altcoin": { + "term": "altcoin", + "phonetic": "/ˈɔltˌkɔɪn/", + "partOfSpeech": "noun", + "definition": "As Bitcoin was the first cryptocurrency, the term 'altcoin' was created to refer to 'any cryptocurrency other than Bitcoin'. The term is less used in Ethereum or smart contract-enabled blockchain communities. Many altcoins are forks of Bitcoin with minor changes (e.g., Litecoin). See also 'fork'.", + "termCategory": "decentralized web" + }, + "appchain": { + "term": "appchain", + "phonetic": "/ˈæpˌtʃeɪn/", + "partOfSpeech": "noun", + "definition": "A blockchain network custom-made and optimized for a specific application's needs. An appchain is generally not a full-blown blockchain, but offers an optimized execution environment for the application, while still relying on an underlying blockchain for consensus. See also: 'blockchain trilemma', 'modular blockchain', 'Layer 2', 'Layer 3'.", + "termCategory": "decentralized web" + }, + "asset provenance": { + "term": "asset provenance", + "phonetic": "/ˈæsɛt ˈprɑvənəns/", + "partOfSpeech": "noun", + "definition": "Asset provenance refers to the origin, history, and ownership of a particular digital asset on the blockchain. In the crypto context, asset provenance refers to the ability to trace the ownership and transfer of a specific cryptocurrency or token from its creation or minting to its current holder.", + "termCategory": "decentralized web" + }, + "attestation": { + "term": "attestation", + "phonetic": "/ˌætɪˈsteɪʃən/", + "partOfSpeech": "noun", + "definition": "Attestation in crypto refers to the process of verifying the authenticity or validity of a piece of information or a transaction on a blockchain network. Attestation is an important aspect of blockchain technology, as it helps to ensure the integrity and security of the network. In general, attestation involves a trusted third-party, or attester, verifying the authenticity of a transaction or piece of information. This can include verifying the identity of users on the network, verifying the accuracy of data, or validating the authenticity of a digital signature. One example of attestation in crypto is the use of digital signatures to authenticate transactions on a blockchain network. Digital signatures use public key cryptography to verify the identity of the sender and ensure that the transaction has not been tampered with. Another example of attestation in crypto is the use of Proof of Stake (PoS) consensus mechanisms, which rely on validators to attest to the validity of transactions on the network. Validators are responsible for verifying transactions and adding new blocks to the blockchain, and they are rewarded with cryptocurrency for their efforts. For more info, see Attestation in Ethereum.", + "termCategory": "decentralized web" + }, + "base fee": { + "term": "base fee", + "phonetic": "/ˈbeɪs fiː/", + "partOfSpeech": "noun", + "definition": "Every block has a reserve price known as the 'base fee'. It is the minimum gas fee a user must pay to include a transaction in the next block.", + "termCategory": "decentralized web" + }, + "bitcoin": { + "term": "bitcoin", + "phonetic": "/ˈbɪtˌkɔɪn/, /ˈbiːˈtiːˈsiː/", + "partOfSpeech": "noun", + "definition": "Bitcoin is a decentralized digital currency or cryptocurrency, which was created in 2009 by an unknown person or group using the name Satoshi Nakamoto. Bitcoin transactions are recorded on a public digital ledger called the blockchain, which is maintained by a network of computers worldwide. Bitcoin transactions are made directly between users without the need for intermediaries like banks or financial institutions. Users can send and receive bitcoins using digital wallets. One of the key features of Bitcoin is its limited supply. There will only ever be 21 million Bitcoins in existence, which helps to prevent inflation and maintain the value of the currency. When referring to the overall network, capitalization is appropriate (Bitcoin), whereas when referring to the tokens themselves, lower-case is more appropriate (bitcoin). The plural of bitcoin is just bitcoin; the abbreviation is BTC, with a space: I have 250 BTC.", + "termCategory": "project or product" + }, + "block": { + "term": "block", + "phonetic": "/blɑk/", + "partOfSpeech": "noun", + "definition": "If we think of a blockchain as consisting of a ledger that is being constantly synced between any number of different nodes (indeed, 'distributed ledger technology' is another phrase used to describe it), imagine that after a certain number of transactions have been added to the ledger and consensus has been reached among the nodes that the transactions are valid, then they are cryptographically locked into a 'block' and officially recorded; this 'block' forms the basis for the next one; in this way, they are all linked together in a chain, hence--blockchain.", + "termCategory": "decentralized web" + }, + "block explorer": { + "term": "block explorer", + "phonetic": "/blɑk ɪkˈsplɔrər/", + "partOfSpeech": "noun", + "definition": "A blockchain explorer is an application, most often a website along with a corresponding API, that displays information about blockchain activity in a more human-friendly way. While a blockchain is designed to keep information forever, and be “readable by anyone”, finding the specific information you’re interested in may require indexing data off the blockchain–that is, sorting it according to given categories (sender address, token type, etc) into a separate database which can then be queried by the user; this essential function is provided by blockchain explorers. A prominent example is etherscan, which also offers explorers on a number of other networks.", + "termCategory": "decentralized web" + }, + "block height": { + "term": "block height", + "phonetic": "/blɑk haɪt/", + "partOfSpeech": "noun", + "definition": "The number of blocks connected together in the blockchain. For example, Height 0 would be the very first block, which is also called the Genesis Block.", + "termCategory": "decentralized web" + }, + "block reward": { + "term": "block reward", + "phonetic": "/blɑk rɪˈwɔrd/", + "partOfSpeech": "noun", + "definition": "The reward given to a miner or validator after it has successfully hashed a transaction block. Block rewards can be a mixture of coins and transaction fees. The composition depends on the policy used by the cryptocurrency in question, and whether all of the coins have already been successfully mined. The current block reward for the Bitcoin network is 12.5 bitcoins per block.", + "termCategory": "decentralized web" + }, + "block time": { + "term": "block time", + "phonetic": "/blɑk taɪm/", + "partOfSpeech": "noun", + "definition": "When we talk about 'block time', we're referring to how long it takes for a block of transactions (see 'block') to be confirmed by the network, either by miners under PoW or by validators under PoS. See also 'Proof of Work', 'Proof of Stake'.", + "termCategory": "decentralized web" + }, + "blockchain": { + "term": "blockchain", + "phonetic": "/ˈblɑkˌtʃeɪn/", + "partOfSpeech": "noun", + "definition": "A digital ledger comprised of unchangeable, digitally recorded data in packages called blocks. Each block is ‘chained’ to the next block using a cryptographic signature. Ethereum is a public blockchain, open to the world; its digital ledger is distributed, or synced, between many nodes; these nodes arrive at consensus regarding whether a transaction is valid before encrypting it, along with a number of other valid transactions, into a block. For more on blockchain technology, see here. See also 'block'.", + "termCategory": "decentralized web" + }, + "blockchain explorer": { + "term": "blockchain explorer", + "phonetic": "/ˈblɑkˌtʃeɪn ɪkˈsplɔrər/", + "partOfSpeech": "noun", + "definition": "A blockchain explorer is an application, most often a website along with a corresponding API, that displays information about blockchain activity in a more human-friendly way. While a blockchain is designed to keep information forever, and be 'readable by anyone', finding the specific information you're interested in may require indexing data off the blockchain--that is, sorting it according to given categories (sender address, token type, etc) into a separate database which can then be queried by the user; this essential function is provided by blockchain explorers. A prominent example is etherscan, which also offers explorers on a number of other networks.", + "termCategory": "decentralized web" + }, + "blockchain trilemma": { + "term": "blockchain trilemma", + "phonetic": "/ˈblɑkˌtʃeɪn traɪˈlɛmə/", + "partOfSpeech": "noun", + "definition": "Tradeoffs facing those building public blockchain networks vis-a-vis three elements: decentralization, security, and scalability (or speed). These three elements are either necessary or desireable in public distributed networks, and often, designing a system that optimizes for one compromises on another.", + "termCategory": "decentralized web" + }, + "bounty": { + "term": "bounty", + "phonetic": "/ˈbaʊnti/ /bʌɡ ˈbaʊnti/", + "partOfSpeech": "noun", + "definition": "A reward offered for exposing vulnerabilities and issues in computer code. For this reason, often referred to as a \"bug bounty\".", + "termCategory": "software term" + }, + "brain wallet": { + "term": "brain wallet", + "phonetic": "/breɪn ˈwɔlɪt/", + "partOfSpeech": "noun", + "definition": "A blockchain account generated from a seed phrase or password or passphrase of your choosing. Humans are not capable of generating enough entropy, or randomness, and therefore the wallets derived from these phrases are insecure; brain wallets can be brute forced by super fast computers. For this reason, brain wallet are insecure and should not be used. See also 'Seed phrase / Secret Recovery Phrase'.", + "termCategory": "decentralized web" + }, + "bridge": { + "term": "bridge", + "phonetic": "/brɪdʒ/", + "partOfSpeech": "noun", + "definition": "A bridge is a tool built to move assets from one network to another. It’s also a verb, used to describe that action: “I bridged my ETH from Ethereum mainnet to Arbitrum.” Not all bridges are created equal, and you should be informed about what you’re doing before you use one. See also MetaMask Bridge", + "termCategory": "decentralized web" + }, + "buidl": { + "term": "buidl", + "phonetic": "/ˈbɪdl/", + "partOfSpeech": "noun", + "definition": "Ostensibly coined (see what we did there) by Gitcoin's Kevin Owocki. It reflects the Ethereum-focused mindset of not just investing in a cryptocurrency as a store of value, but rather investing in it as an ecosystem and a platform for public goods and software; it complements, in this sense, the now-infamous HODL.", + "termCategory": "decentralized web" + }, + "bytecode": { + "term": "bytecode", + "phonetic": "/ˈbaɪtkoʊd/", + "partOfSpeech": "noun", + "definition": "Bytecode is a 'low-level' computer language, that is, meant to be processed by a computer, rather than a 'high-level', more human-readable, language. In Ethereum, higher-level Solidity is compiled into Ethereum bytecode, which is read by the Ethereum Virtual Machine (EVM).", + "termCategory": "software term" + }, + "centralized exchange": { + "term": "centralized exchange", + "phonetic": "/ˌsɛntrəˈlaɪzd ɪkˈstʃeɪndʒ/, /ˈsiːˈɛks/", + "partOfSpeech": "noun", + "definition": "A centralized exchange (CEX) is a cryptocurrency exchange that is operated and controlled by a centralized entity. In a CEX, the exchange company or organization acts as an intermediary between buyers and sellers, holding and managing the assets on behalf of its users.Centralized exchanges typically offer a wide range of trading pairs, with many popular cryptocurrencies available for trade. They also usually have high liquidity and offer advanced trading features such as margin trading, order types, and charting tools. However, centralized exchanges also have several drawbacks. They are often targeted by hackers, as the centralized nature of the exchange makes them a single point of failure. They also require users to trust the exchange to hold their funds securely and execute trades fairly, which can be a source of concern for some users.", + "termCategory": "decentralized web" + }, + "chain ID": { + "term": "chain ID", + "phonetic": "/tʃeɪn ˈaɪˈdiː/", + "partOfSpeech": "noun", + "definition": "A chain ID is a unique identifier that represents a blockchain network. We use it to distinguish different blockchain networks from each other and to ensure that transactions and messages are sent to the correct network. Ethereum networks have two identifiers, a network ID and a chain ID. Although they often have the same value, they have different uses. Peer-to-peer communication between nodes uses the network ID, while the transaction signature process uses the chain ID", + "termCategory": "decentralized web" + }, + "client": { + "term": "client", + "phonetic": "/ˈklaɪənt/, /ɪˈθiːriəm ɔːr ˈʌðər kəmˈpætəbl ˈblɒkˌtʃeɪn/", + "partOfSpeech": "noun", + "definition": "In computing in general, a 'client' is a program, running on a local computer, that is accessing data made available by a remote computer. In public blockchain networks, a 'client' is the software that actually does the work of syncing block data, confirming transactions, participating in network consensus, and running any virtual machine or logic processes, if applicable. A client usually includes a cryptocurrency software wallet.", + "termCategory": "decentralized web" + }, + "coin": { + "term": "coin", + "phonetic": "/kɔɪn/", + "partOfSpeech": "noun", + "definition": "The term 'coin' has some nuances. Strictly speaking, a 'coin' could be defined as: A fungible token (all of them identical) issued on a blockchain, either as the network's transactional token, or through a smart contract deployed to that network. Some people may use 'coins' as shorthand for 'bitcoin'; the immortal aphorism 'not your keys, not your coins' refers to bitcoins. Another thing to keep in mind is that, while coins are put forward as some sort of representation of value, that value can vary wildly from one 'coin' to another. A coin may represent the value of the computational resources of the network, or it may be 'pegged' to represent fiat currency value, or it may float according to the value placed on immaterial resources like NFTs, membership, or digital goods, to name a few.", + "termCategory": "decentralized web" + }, + "cold storage": { + "term": "cold storage", + "phonetic": "/koʊld ˈstɔrɪdʒ/", + "partOfSpeech": "noun", + "definition": "cold wallet/cold storage: An offline wallet that is never connected to the internet. These wallets protect cryptocurrencies from getting hacked online.", + "termCategory": "decentralized web" + }, + "compile": { + "term": "compile", + "phonetic": "/ˈkɑmpaɪlɪŋ/", + "partOfSpeech": "verb", + "definition": "There are many languages in computing and software programming. In general, 'low-level' languages are those actually processed by the computer's operating system or processor, while 'high-level' languages are those typed in by software developers making programs. Compiling, then, is converting code written in a high-level programming language (e.g., Solidity) into a lower-level language (e.g., EVM bytecode).", + "termCategory": "software term" + }, + "custody": { + "term": "custody", + "phonetic": "/ˈkʌstədi/", + "partOfSpeech": "noun", + "definition": "In the context of cryptocurrencies, custody refers to the safekeeping and management of digital assets on behalf of a client by a third-party service provider. Custody services are an important aspect of the cryptocurrency industry because cryptocurrencies are digital assets that require secure storage and management to prevent loss, theft, or unauthorized access. Crypto custody services are typically offered by specialized companies that provide secure storage solutions for cryptocurrencies. These companies use various security measures such as multi-signature authentication, cold storage, and insurance to protect their clients' assets.", + "termCategory": "financial term" + }, + "deposit": { + "term": "deposit", + "phonetic": "/dɪˈpɒzɪt/", + "partOfSpeech": "noun", + "definition": "In most web3 contexts, 'depositing' refers to the act of transferring some amount of token(s) to an address other than one's own, most often to a smart contract controlled by a 'protocol', such as a decentralized exchange, video game or multiverse, DAO, etc. Generally, the user will receive something in return for their deposit, and the deposit can be claimed at the user's discretion, or upon completion of given conditions. Compare with 'stake'.", + "termCategory": "financial term" + }, + "dev": { + "term": "dev", + "phonetic": "/dɛv/", + "partOfSpeech": "noun", + "definition": "Abbreviation of developer.", + "termCategory": "software term" + }, + "developer": { + "term": "developer", + "phonetic": "/dɪˈvɛləpər/", + "partOfSpeech": "noun", + "definition": "A person that creates new products, especially computer products such as software.", + "termCategory": "software term" + }, + "digital asset": { + "term": "digital asset", + "phonetic": "/ˈdɪdʒɪtəl ˈæsɛt/", + "partOfSpeech": "noun", + "definition": "A digital commodity that is scarce, electronically transferable, and intangible with a market value.", + "termCategory": "financial term" + }, + "edge": { + "term": "edge", + "phonetic": "/ɛdʒ/", + "partOfSpeech": "noun", + "definition": "In the context of 'Edge computing': it is an emerging computing paradigm which refers to a range of networks and devices at or near the user. Edge is about processing data closer to where it's being generated, enabling processing at greater speeds and volumes, leading to greater action-led results in real time. The term can also refer to Microsoft's browser or the crypto software wallet", + "termCategory": "project or product" + }, + "encryption": { + "term": "encryption", + "phonetic": "/ɛnˈkrɪpʃən/", + "partOfSpeech": "noun", + "definition": "Encrpytion, literally 'in a hidden place', is the art and science of encoding information to control who can read it, or how it is to be read. Encryption occurs in natural (human) languages, as well as in machine and computer languages. Highly complex, and therefore difficult to decipher, encryption is an essential element enabling blockchain networks to be simultaneously public and secure.", + "termCategory": "software term" + }, + "entropy": { + "term": "entropy", + "phonetic": "/ˈɛntrəpi/", + "partOfSpeech": "noun", + "definition": "In the context of cryptography, 'entropy' refers to 'randomness'; generally, the more random something is (the more entropy it has), the more secure it is.", + "termCategory": "software term" + }, + "fiat currency": { + "term": "fiat currency", + "phonetic": "/ˈfiːæt ˈkʌrənsi/", + "partOfSpeech": "noun", + "definition": "Government-issued currency. For example, US Dollars (USD), Euros (EUR), Yuan (CNY), and Yen (JPY).", + "termCategory": "financial term" + }, + "fintech": { + "term": "fintech", + "phonetic": "/ˈfɪntɛk/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "financial term" + }, + "firewall": { + "term": "firewall", + "phonetic": "/ˈfaɪərˌwɔl/", + "partOfSpeech": "noun", + "definition": "In computing, a firewall is a network security system that monitors and controls incoming and outgoing network traffic based on predetermined security rules. A firewall typically establishes a barrier between a trusted network and an untrusted network, such as the Internet.", + "termCategory": "software term" + }, + "firmware": { + "term": "firmware", + "phonetic": "/ˈfɜrmwɛər/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "software term" + }, + "hexadecimal": { + "term": "hexadecimal", + "phonetic": "/ˌhɛksəˈdɛsɪməl/; /ˈhɛks ˈdeɪtə/", + "partOfSpeech": "noun", + "definition": "Hexadecimal is a base 16, rather than base 10, counting system. Used all over Ethereum for a variety of things, a hexadecimal string is comprised of the numbers 0 1 2 3 4 5 6 7 8 9 and letters A B C D E F. Commonly referred to with the elliptical 'hex data'.", + "termCategory": "software term" + }, + "insider trading": { + "term": "insider trading", + "phonetic": "/ˈɪnsaɪdər ˈtreɪdɪŋ/", + "partOfSpeech": "noun", + "definition": "Insider trading happens when someone purchases or sells stocks while possessing private, material information about that stock. Insider Trading ", + "termCategory": "financial term" + }, + "keystore file": { + "term": "keystore file", + "phonetic": "/ˈkiːstɔr faɪl/", + "partOfSpeech": "noun", + "definition": "A keystore file is a special, encrypted version of a private key in JSON format. See also 'private key'.", + "termCategory": "software term" + }, + "latency": { + "term": "latency", + "phonetic": "/ˈleɪtənsi/", + "partOfSpeech": "noun", + "definition": "In the context of Network latency: refers to the amount of time it takes for a computer on one network to communicate with a computer on another network. Network latency ", + "termCategory": "software term" + }, + "ledger": { + "term": "ledger", + "phonetic": "/ˈlɛdʒər/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "project or product" + }, + "library": { + "term": "library", + "phonetic": "/ˈlaɪbrəri/", + "partOfSpeech": "noun", + "definition": "A collection of non-volatile resources used by computer programs, often for software development. These may include configuration data, documentation, help data, message templates, pre-written code and subroutines, classes, values or type specifications. Software Library ", + "termCategory": "software term" + }, + "light client": { + "term": "light client", + "phonetic": "/laɪt ˈklaɪənt/", + "partOfSpeech": "noun", + "definition": "In computing, a 'client' is a software that runs or accesses a program made available by a remote computer. With blockchain networks, then, clients are the programs that sync blockchain data and participate in network consensus. More often and more specifically, 'Layer 2' is used as a noun, to refer to a type of network that is specifically built to handle a large number of transactions quickly by relying on Ethereum mainnet for security functions, and optimizing for speed and scale. Examples include Arbitrum and Optimism; this is different from a 'sidechain', which is a network that has its own security mechanism, yet still allows compatibility and bridging of assets between itself and Ethereum.", + "termCategory": "software term" + }, + "liquidation": { + "term": "liquidation", + "phonetic": "/ˌlɪkwɪˈdeɪʃən/", + "partOfSpeech": "noun", + "definition": "Liquidation happens when a trader has insufficient funds to keep a leveraged trade open. Liquidation ", + "termCategory": "financial term" + }, + "liquidity": { + "term": "liquidity", + "phonetic": "/lɪˈkwɪdɪti/", + "partOfSpeech": "noun", + "definition": "An asset is considered more ‘liquid’ if it can easily be converted into cash, and therefore, ‘liquidity’ refers to the availability of assets to a company or market. Conversely, the harder it is to turn an asset into cash, the more illiquid the asset. For example, stocks are considered relatively liquid assets, as they can be easily converted to cash, while real estate is considered an illiquid asset. The liquidity of an asset affects its risk potential and market price.", + "termCategory": "financial term" + }, + "malware": { + "term": "malware", + "phonetic": "/ˈmælwɛər/", + "partOfSpeech": "noun", + "definition": "Any software intentionally designed to cause disruption to a computer, server, client, or computer network, leak private information, gain unauthorized access to information or systems, deprive access to information, or which unknowingly interferes with the user's computer security and privacy.", + "termCategory": "software term" + }, + "market cap": { + "term": "market cap", + "phonetic": "/ˈmɑrkɪt kæp/", + "partOfSpeech": "noun", + "definition": "Short for 'market capitalization', this refers to the total value held in a particular industry, market, company, or asset. For a publicly traded company, the market cap is the total dollar market value of a company's outstanding shares. For Bitcoin or Ethereum, the total market cap is a reflection of the current existing supply times the market price.", + "termCategory": "financial term" + }, + "metadata": { + "term": "metadata", + "phonetic": "/ˈmɛtəˌdeɪtə/", + "partOfSpeech": "noun", + "definition": "In the context of 'NFT metadata': Metadata is 'data that provides information about other data' Metadata ", + "termCategory": "software term" + }, + "metaverse": { + "term": "metaverse", + "phonetic": "/ˈmɛtəˌvɜrs/", + "partOfSpeech": "noun", + "definition": "A metaverse is a digital universe that contains all the aspects of the real world, such as real-time interactions and economies. It offers a unique experience to end-users. Metaverse ", + "termCategory": "software term" + }, + "parity": { + "term": "parity", + "phonetic": "/ˈpærɪti/", + "partOfSpeech": "noun", + "definition": "In a general sense, to say that something 'has parity' with another thing means 'equal in features or other important quality', and is a phrase often used by software developers and computer scientists.", + "termCategory": "software term" + }, + "password": { + "term": "password", + "phonetic": "/ˈpæswɜrd/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "software term" + }, + "password manager": { + "term": "password manager", + "phonetic": "/ˈpæswɜrd ˈmænɪdʒər/", + "partOfSpeech": "noun", + "definition": "A password manager is a tool or software that stores all sorts of passwords needed for online applications and services.\r\nPassword manager ", + "termCategory": "software term" + }, + "phishing": { + "term": "phishing", + "phonetic": "/ˈfɪʃɪŋ/", + "partOfSpeech": "verb", + "definition": "Phishing is a form of social engineering where attackers deceive people into revealing sensitive information or installing malware such as ransomware. ", + "termCategory": "software term" + }, + "roadmap": { + "term": "roadmap", + "phonetic": "/ˈroʊdmæp/", + "partOfSpeech": "noun", + "definition": "A planning technique which lays out the short and long term goals of a particular project within a flexible estimated timeline.", + "termCategory": "legal term" + }, + "sandbox": { + "term": "sandbox", + "phonetic": "/ˈsændbɒks/", + "partOfSpeech": "noun", + "definition": "A testing environment in a computer system in which new or untested software or coding can be run securely.", + "termCategory": "software term" + }, + "scam": { + "term": "scam", + "phonetic": "/skæm/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "financial term" + }, + "search engine": { + "term": "search engine", + "phonetic": "/ˈsɜrtʃ ˈɛndʒɪn/", + "partOfSpeech": "noun", + "definition": "", + "termCategory": "software term" + }, + "security token": { + "term": "security token", + "phonetic": "/ˈsɪkjʊrɪti toʊkən/", + "partOfSpeech": "noun", + "definition": "A security token is essentially a digital form of traditional securities. There are three primary types of traditional securities: equities, debt and a hybrid of debt and equity. Examples of securities include stocks, bonds, ETFs, options and futures. Hypothetically, any of these things can be tokenized to become a security token. It is possible that in the near future, security tokens could serve as a very viable alternative and competitor to stocks and other traditional securities. Security Token ", + "termCategory": "financial term" + }, + "sidechain": { + "term": "sidechain", + "phonetic": "/ˈsaɪdˌtʃeɪn/", + "partOfSpeech": "noun", + "definition": "A ‘sidechain’ refers to a chain that is connected to another (most often, to Ethereum) through a bridge, allowing assets to be transferred between them. In contrast to a Layer 2 network or a rollup, a sidechain is a full blockchain network in and of itself, and does not rely on Ethereum for consensus. It therefore must be evaluated independently in terms of its security, stability, and other features. See also “blockchain trilemma”, “modular blockchain”. Note: Bridges exist for good reason; sending tokens from a sidechain to Ethereum mainnet or vice versa would result in token loss.", + "termCategory": "decentralized web" + }, + "signature": { + "term": "signature", + "phonetic": "/ˈsɪɡnətʃər/, /ˌkrɪptəˈɡræfɪk/", + "partOfSpeech": "noun", + "definition": "In the context of public blockchain networks, a \"signature\" is generally a cryptographic signature, generated by a public-private key pair. See 'Digital signature'", + "termCategory": "decentralized web" + }, + "slashing condition": { + "term": "slashing condition", + "phonetic": "/ˈslæʃɪŋ kənˈdɪʃən/", + "partOfSpeech": "noun", + "definition": "Under a Proof of Stake (PoS) consensus mechanism, a slashing condition is one that causes the validator's deposit to be destroyed when they trigger it. See also 'Proof of Stake'.", + "termCategory": "decentralized web" + }, + "slippage": { + "term": "slippage", + "phonetic": "/ˈslɪpɪdʒ/", + "partOfSpeech": "noun", + "definition": "Slippage is the expected percentage difference between a quoted and an executed price. ", + "termCategory": "decentralized web" + }, + "slot": { + "term": "slot", + "phonetic": "/slɒt/", + "partOfSpeech": "noun", + "definition": "In Proof of Stake consensus in Ethereum, a 'slot' is a period of time equivalent to 12 seconds; 32 slots make up an 'epoch'. Slots are significant in that for each slot, a different validator node is randomly chosen to propose blocks to the network, and a different committee of validators are chosen to vote on whether each block is valid", + "termCategory": "decentralized web" + }, + "smart contract": { + "term": "smart contract", + "phonetic": "/smɑːrt ˈkɒntrækt/", + "partOfSpeech": "noun", + "definition": "Smart contracts are programs that have been published on a public blockchain, and can be used by anyone. While they often contain agreements or sets of actions between parties that emulate a traditional legal contract, they are not, in and of themselves, legal documents. Smart contracts are automated actions that can be coded and executed once a set of conditions is met, and are the dominant form of programming on the Ethereum Virtual Machine.", + "termCategory": "decentralized web" + }, + "soft fork": { + "term": "soft fork", + "phonetic": "/sɒft fɔrk/", + "partOfSpeech": "noun", + "definition": "A change to the blockchain protocol resulting in only previously valid blocks and transactions being made invalid. Since old nodes will recognize the new blocks as valid, a soft fork is backward-compatible. However, this can result in a potential divide in the blockchain, as the old software generates blocks that read as invalid according to the new rules. Contrast with 'hard fork'; for more basic information regarding forks, see 'fork'.", + "termCategory": "decentralized web" + }, + "stablecoin": { + "term": "stablecoin", + "phonetic": "/ˈsteɪblˌkɔɪn/", + "partOfSpeech": "noun", + "definition": "A cryptocurrency whose value has been ‘pegged’ to that of something considered a ‘stable’ asset, like fiat currency or gold. It theoretically remains stable in price, as it is measured against a known amount of an asset which should be less subject to fluctuation. Always spelled as one word. User Guide: Tokens ", + "termCategory": "decentralized web" + }, + "staking": { + "term": "staking", + "phonetic": "/ˈsteɪkɪŋ/", + "partOfSpeech": "noun", + "definition": "On the Ethereum Proof of Stake network, those wishing to participate in consensus must first lock up, or ‘stake’, 32 ETH into a smart contract; this ETH may be ‘slashed’ (taken from them and ‘burned’, put out of circulation) in the event that their validator behaves maliciously or does not meet performance requirements. Similar Proof of Stake mechanisms are in operation on other networks, as well. Although this is the canonical meaning of the word, similar actions taken at the level of a decentralized exchange (DEX) or another dapp are often called ‘staking’, though it would probably be more accurate and descriptive to just call this ‘locking up tokens’.", + "termCategory": "decentralized web" + }, + "state": { + "term": "state", + "phonetic": "/steɪt/", + "partOfSpeech": "noun", + "definition": "The set of data that a blockchain network strictly needs to keep track of, and that represents data currently relevant to applications on the chain.", + "termCategory": "decentralized web" + }, + "state channels": { + "term": "state channels", + "phonetic": "/steɪt ˈtʃænəlz/", + "partOfSpeech": "noun", + "definition": "State channels are part of the set of tools and platforms involved in scaling Ethereum. While a complex topic, state channels are essentially methods through which the current 'state' of the blockchain can be exported, and then based on that, any given number of transactions can take place off-chain, and then be moved back onto the main Ethereum chain.", + "termCategory": "decentralized web" + }, + "streaming": { + "term": "streaming", + "phonetic": "/ˈstriːmɪŋ/", + "partOfSpeech": "noun", + "definition": "Money streaming represents the idea of continuous payments over time. Block numbers are used to measure time in the blockchain and continuously update the balances of the parties in the contract.", + "termCategory": "decentralized web" + }, + "swap": { + "term": "swap", + "phonetic": "/swɒp/", + "partOfSpeech": "verb", + "definition": "As the number of different blockchain projects and tokens has proliferated, the system by which users exchange one token for another has come to be known as 'swapping', and the individual action, 'a swap', or in the verb form, 'to swap.' This form is lowercase. Capitalization (except at the beginning of a word or in a title) indicates reference to a particular platform for swapping, e.g. MetaMask Swaps.", + "termCategory": "decentralized web" + }, + "szabo": { + "term": "szabo", + "phonetic": "/ˈsæboʊ/", + "partOfSpeech": "noun", + "definition": "A denomination of ETH. See also 'ether (denominations)'.", + "termCategory": "decentralized web" + }, + "upgrade": { + "term": "upgrade", + "phonetic": "/ˈʌpɡreɪd/", + "partOfSpeech": "noun", + "definition": "Upgrading is the process of replacing a product with a newer version of the same product. In computing and consumer electronics, an upgrade is generally a replacement of hardware, software, or firmware with a newer or better version, in order to bring the system up to date or to improve its characteristics. See also EIP-1159, merge, and other important Ethereum upgrades", + "termCategory": "software term" + }, + "validium": { + "term": "validium", + "phonetic": "/vəˈlɪdiəm/", + "partOfSpeech": "noun", + "definition": "One of the technologies developed for scaling of the Ethereum network; see more here.", + "termCategory": "project or product" + }, + "vesting": { + "term": "vesting", + "phonetic": "/ˈvɛstɪŋ/", + "partOfSpeech": "noun", + "definition": "In the context of 'vesting period': The act of restricting the sale of a token for a particular period of time. Vesting period ", + "termCategory": "financial term" + }, + "whitepaper": { + "term": "whitepaper", + "phonetic": "/ˈwaɪtpˌeɪpər/", + "partOfSpeech": "noun", + "definition": "Whitepapers explain the purpose and technology behind a project.", + "termCategory": "software term" + } } } -} ] \ No newline at end of file diff --git a/src/utils/linkTerms.js b/src/utils/linkTerms.js index 85427ed..01989c6 100644 --- a/src/utils/linkTerms.js +++ b/src/utils/linkTerms.js @@ -5,15 +5,19 @@ import DOMPurify from 'dompurify'; export const linkTermsInDefinition = (definition, terms) => { const termSet = new Set(Object.keys(terms)); let linkedDefinition = definition; + termSet.forEach((term) => { const escapedTerm = term.replace(/[-\/\\^$*+?.()|[\]{}]/g, '\\$&'); // Escape special characters - const termRegex = new RegExp(`\\b${escapedTerm}\\b`, 'i'); // Case-insensitive match - if (termRegex.test(linkedDefinition)) { - linkedDefinition = linkedDefinition.replace(termRegex, (match) => { - const link = `${term}`; - return link; - }); - } + // Match term in singular or plural form, optionally within double quotation marks + const termRegex = new RegExp(`\\b("?${escapedTerm}s?"?)\\b`, 'gi'); // Case-insensitive match + + linkedDefinition = linkedDefinition.replace(termRegex, (match) => { + // Remove surrounding quotes for linking + const cleanMatch = match.replace(/^"|"$/g, ''); + const link = `${cleanMatch}`; + return link; + }); }); + return DOMPurify.sanitize(linkedDefinition); }; diff --git a/src/utils/linked-definitions.jsx b/src/utils/linked-definitions.jsx deleted file mode 100644 index c186927..0000000 --- a/src/utils/linked-definitions.jsx +++ /dev/null @@ -1,1189 +0,0 @@ -import React from 'react'; -import { Link } from './Link'; - -const linkedDefinitions = { - "0x API": { - definition: "The 0x API is the liquidity and data endpoint for DeFi. It lets you access aggregated liquidity from tens of on-chain and off-chain decentralized exchange networks, across multiple blockchains. It comes with many parameters to customize your requests for your application and your users: API References", - }, - "1inch": { - definition: "Decentralized exchange aggregator that aims to provide traders with the best price and lowest fees on their transactions. 1inch ", - }, - "3Box Labs": { - definition: "The inventors and core developers of Ceramic, the first decentralized network for composable data. Ceramic makes it possible for developers to build data-rich Web3 applications without needing a traditional database, and in the process, unlocks data composability and portability across every application within the Web3 ecosystem .", - }, - "51% Attack": { - definition: "If more than half the computer power or mining hash rate on a network is run by a single person or a single group of people, then a 51% attack is in operation. This means that this entity has full control of the network and can negatively affect a cryptocurrency by taking over mining operations, stopping or changing transactions, and double-spending coins.", - }, - "Aave": { - definition: "Aave is an open source protocol to create non-custodial liquidity markets to earn interest on supplying and borrowing assets with a variable or stable interest rate.", - }, - "Account": { - definition: "Accounts are records or statements of financial expenditure and receipts that relate to a particular period or purpose. In the world of crypto, this is referred to as a cryptocurrency account . It gives you certain benefits, and it is a requirement in order to use just about any cryptocurrency exchange . A cryptocurrency account gives you access to hot wallets, which allow you to quickly buy, sell and trade cryptocurrencies, and it gives you an identity or a way through which you can hold onto your public keys when it comes to the aforementioned process. Account ", - }, - "ACH transfer": { - definition: "ACH (Automated Clearing House) bank transfer is an electronic payment method that allows money to be transferred between bank accounts in the United States. It is a system that processes transactions in batches and is commonly used for direct deposit of paychecks, bill payments, and online money transfers.", - }, - "address; public address; account address": { - definition: "Used to send and receive transactions on a blockchain network , and to identify different users; also referred to as a 'public key '. An address is an alphanumeric character string, which can also be represented as a scannable QR code . In Ethereum , the address begins with 0x. For example: 0x06A85356DCb5b307096726FB86A78c59D38e08ee", - }, - "Advanced": { - definition: "In the context of 'Advanced gas controls': it is an optional feature in the MetaMask wallet , that gives you more control over the gas you pay in MetaMask . Using advanced gas controls", - }, - "aggregator": { - definition: "An aggregator is a platform that aggregates liquidity from multiple decentralized exchanges (DEXs) or other sources of liquidity to provide users with the best prices and the most efficient execution for their trades.", - }, - "Aggressive": { - definition: "In the context of 'gas fees', Aggressive is a category that enables you to be more forceful with your transaction , and have it completed as soon as possible. There are three categories available in MetaMask : Low , Market, Aggressive Using advanced gas controls", - }, - "Agoric": { - definition: "Agoric is a Proof-of-Stake blockchain that functions as a smart contract platform, enabling developers to deploy decentralized applications. The platform is built on a variant of the JavaScript programming language, which is a widely used language for web development.", - }, - "air-gapping": { - definition: "A method for securing computers in which the device does not connect to the internet or any other open networks. Many hardware wallets use air-gapping as a security mechanism to keep users' private keys or Secret Recovery Phrase offline, and thus safer from any kind of attack.", - }, - "airdrop": { - definition: "A token distribution method used to send cryptocurrency or tokens to wallet addresses. Sometimes airdrops are used for marketing purposes in exchange for simple tasks like reshares, referrals, or app downloads.", - }, - "airdrop (noun)": { - definition: "A token distribution method used to send cryptocurrency or tokens to wallet addresses. Sometimes airdrops are used for marketing purposes in exchange for simple tasks like reshares, referrals, or app downloads.", - }, - "AirGap Vault": { - definition: "AirGap Vault is a crypto wallet application that provides secure storage for digital assets. The wallet is designed to be used in conjunction with AirGap's other wallet app, AirGap Wallet , which is used for sending and receiving transactions.", - }, - "AirSwap": { - definition: "AirSwap is a decentralized exchange (DEX ) platform for trading digital assets, operating on Ethereum and Layer-2s like Polygon , Arbitrum .", - }, - "algorithm": { - definition: "An algorithm is a finite sequence of rigorous instructions, typically used to solve a class of specific problems or to perform a computation.", - }, - "altcoin": { - definition: "As Bitcoin was the first cryptocurrency , the term 'altcoin ' was created to refer to 'any cryptocurrency other than Bitcoin'. The term is less used in Ethereum or smart contract -enabled blockchain communities. Many altcoins are forks of Bitcoin with minor changes (e.g., Litecoin). See also 'fork '.", - }, - "AML (Anti-Money Laundering)": { - definition: "A set of international laws enacted to diminish the potential for criminal organizations or individuals to launder money. These rules and laws are applied to cryptocurrencies with varying effects in different jurisdictions.", - }, - "API": { - definition: "Application Programming Interface. A software intermediary that allows two separate applications to communicate with one another. APIs define methods of communication between various components.", - }, - "API (Application Programming Interface)": { - definition: "A predefined set of requests that one program can make to another in order to transfer information between them. When you hear someone saying that an application is 'getting information from' another source, it's often doing so through an API .", - }, - "AppChain": { - definition: "A blockchain network custom-made and optimized for a specific application's needs. An appchain is generally not a full-blown blockchain , but offers an optimized execution environment for the application, while still relying on an underlying blockchain for consensus . See also: 'blockchain trilemma', 'modular blockchain ', 'Layer 2 ', 'Layer 3'.", - }, - "Apple Pay": { - definition: "Apple Pay is a mobile payment service by Apple Inc. that allows users to make payments in person, in iOS apps, and on the web.", - }, - "Arbitrum": { - definition: "Arbitrum is a layer 2 scaling solution for Ethereum , designed to improve the scalability and reduce the cost of transactions on the Ethereum network . It is an implementation of the Optimistic Rollup technology, which is a type of scaling solution that uses off-chain computation to reduce the load on the main Ethereum network .", - }, - "ASIC (Application Specific Integrated Circuit)": { - definition: "ASICs are silicon chips designed to do a specific task. In ASICs used for mining cryptocurrencies, the ASIC will perform a calculation to find values that provide a desired solution when placed into a hashing algorithm .", - }, - "asset provenance": { - definition: "Asset provenance refers to the origin, history, and ownership of a particular digital asset on the blockchain . In the crypto context, asset provenance refers to the ability to trace the ownership and transfer of a specific cryptocurrency or token from its creation or minting to its current holder.", - }, - "attestation": { - definition: "Attestation in crypto refers to the process of verifying the authenticity or validity of a piece of information or a transaction on a blockchain network . Attestation is an important aspect of blockchain technology, as it helps to ensure the integrity and security of the network . In general, attestation involves a trusted third-party, or attester, verifying the authenticity of a transaction or piece of information. This can include verifying the identity of users on the network , verifying the accuracy of data, or validating the authenticity of a digital signature . One example of attestation in crypto is the use of digital signatures to authenticate transactions on a blockchain network . Digital signatures use public key cryptography to verify the identity of the sender and ensure that the transaction has not been tampered with. Another example of attestation in crypto is the use of Proof of Stake (PoS) consensus mechanisms, which rely on validators to attest to the validity of transactions on the network . Validators are responsible for verifying transactions and adding new blocks to the blockchain , and they are rewarded with cryptocurrency for their efforts. For more info, see Attestation in Ethereum .", - }, - "Avalanche": { - definition: "Avalanche is a decentralized blockchain platform designed to provide fast and secure transactions for digital assets and applications. The platform uses a consensus mechanism known as Avalanche consensus , which allows for high throughput, low latency , and customizable blockchains.", - }, - "Axie Infinity": { - definition: "Axie Infinity is a non-fungible token -based online video game known for its in-game economy, which uses Ethereum -based cryptocurrencies.", - }, - "Base fee": { - definition: "Every block has a reserve price known as the 'base fee '. It is the minimum gas fee a user must pay to include a transaction in the next block.", - }, - "Beacon Chain": { - definition: "The Beacon Chain was one element built in the infrastructure being built to scale Ethereum . It was the foundation for a transition from a Proof of Work (PoW) consensus mechanism to Proof of Stake (PoS). For more information, see this guide.", - }, - "Binance": { - definition: "Binance is a centralized cryptocurrency exchange which operates in multiple countries, as well as two different blockchains, the BNB Chain and the BNB Smart Chain.", - }, - "Bitcoin / bitcoin (BTC)": { - definition: "Bitcoin is a decentralized digital currency or cryptocurrency , which was created in 2009 by an unknown person or group using the name Satoshi Nakamoto . Bitcoin transactions are recorded on a public digital ledger called the blockchain , which is maintained by a network of computers worldwide. Bitcoin transactions are made directly between users without the need for intermediaries like banks or financial institutions. Users can send and receive Bitcoins using digital wallets. One of the key features of Bitcoin is its limited supply. There will only ever be 21 million Bitcoins in existence, which helps to prevent inflation and maintain the value of the currency. The plural of bitcoin is just bitcoin; the abbreviation is BTC , with a space: I have 250 BTC .", - }, - "block (noun)": { - definition: "If we think of a blockchain as consisting of a ledger that is being constantly synced between any number of different nodes (indeed, 'distributed ledger technology' is another phrase used to describe it), imagine that after a certain number of transactions have been added to the ledger and consensus has been reached among the nodes that the transactions are valid, then they are cryptographically locked into a 'block' and officially recorded; this 'block' forms the basis for the next one; in this way, they are all linked together in a chain, hence--blockchain .", - }, - "block explorer": { - definition: "A blockchain explorer is an application, most often a website along with a corresponding API , that displays information about blockchain activity in a more human-friendly way. While a blockchain is designed to keep information forever, and be “readable by anyone”, finding the specific information you’re interested in may require indexing data off the blockchain –that is, sorting it according to given categories (sender address, token type, etc) into a separate database which can then be queried by the user; this essential function is provided by blockchain explorers. A prominent example is etherscan , which also offers explorers on a number of other networks.", - }, - "block height": { - definition: "The number of blocks connected together in the blockchain . For example, Height 0 would be the very first block, which is also called the Genesis Block .", - }, - "block reward": { - definition: "The reward given to a miner or validator after it has successfully hashed a transaction block. Block rewards can be a mixture of coins and transaction fees. The composition depends on the policy used by the cryptocurrency in question, and whether all of the coins have already been successfully mined. The current block reward for the Bitcoin network is 12.5 bitcoins per block.", - }, - "block time": { - definition: "When we talk about 'block time ', we're referring to how long it takes for a block of transactions (see 'block') to be confirmed by the network , either by miners under PoW or by validators under PoS. See also 'Proof of Work', 'Proof of Stake'.", - }, - "blockchain": { - definition: "A digital ledger comprised of unchangeable, digitally recorded data in packages called blocks. Each block is ‘chained’ to the next block using a cryptographic signature. Ethereum is a public blockchain , open to the world; its digital ledger is distributed, or synced, between many nodes; these nodes arrive at consensus regarding whether a transaction is valid before encrypting it, along with a number of other valid transactions, into a block. For more on blockchain technology, see here. See also 'block'.", - }, - "Blockchain explorer": { - definition: "A blockchain explorer is an application, most often a website along with a corresponding API , that displays information about blockchain activity in a more human-friendly way. While a blockchain is designed to keep information forever, and be 'readable by anyone', finding the specific information you're interested in may require indexing data off the blockchain --that is, sorting it according to given categories (sender address, token type, etc) into a separate database which can then be queried by the user; this essential function is provided by blockchain explorers. A prominent example is etherscan , which also offers explorers on a number of other networks.", - }, - "blockchain trilemma": { - definition: "Tradeoffs facing those building public blockchain networks vis-a-vis three elements: decentralization , security, and scalability (or speed). These three elements are either necessary or desireable in public distributed networks, and often, designing a system that optimizes for one compromises on another.", - }, - "BNB Chain": { - definition: "Build N Build (BNB) Chain is a distributed blockchain network upon which developers and innovators can build decentralized applications (DApps) as part of the move to Web3. BNB chain ", - }, - "bounty / bug bounty": { - definition: "A reward offered for exposing vulnerabilities and issues in computer code.", - }, - "brain wallet": { - definition: "A blockchain account generated from a seed phrase or password or passphrase of your choosing. Humans are not capable of generating enough entropy , or randomness, and therefore the wallets derived from these phrases are insecure; brain wallets can be brute forced by super fast computers. For this reason, brain wallet are insecure and should not be used. See also 'Seed phrase / Secret Recovery Phrase '.", - }, - "Brave": { - definition: "Brave is a free and open-source web browser developed by Brave Software, Inc., based on the Chromium web browser. It has a built-in crypto wallet that allows users to connect to the web3 ecosystem .", - }, - "Bridge": { - definition: "A bridge is a tool built to move assets from one network to another. It’s also a verb, used to describe that action: “I bridged my ETH from Ethereum mainnet to Arbitrum .” Not all bridges are created equal, and you should be informed about what you’re doing before you use one. Field Guide to bridges See also MetaMask Bridge ", - }, - "BTC": { - definition: "Abbreviation for Bitcoin", - }, - "BUIDL": { - definition: "Ostensibly coined (see what we did there) by Gitcoin 's Kevin Owocki. It reflects the Ethereum -focused mindset of not just investing in a cryptocurrency as a store of value, but rather investing in it as an ecosystem and a platform for public goods and software; it complements, in this sense, the now-infamous HODL.", - }, - "bytecode": { - definition: "Bytecode is a 'low -level' computer language, that is, meant to be processed by a computer, rather than a 'high-level', more human-readable, language. In Ethereum , higher-level Solidity is compiled into Ethereum bytecode , which is read by the Ethereum Virtual Machine (EVM ).", - }, - "Byzantine fault tolerance": { - definition: "A Byzantine fault, or failure, is one of the most difficult failures to deal with in computer systems; this is because it takes into account the possibility that the information used to determine the current state of the system may--or may not--be reliable. While applicable in many realms of technology, this becomes of particular interest in public blockchain systems: how do we ensure that we can agree on the current state of the network when there is an incentive, often a significant financial incentive, to subvert the state of the network for one's own profit? On a more basic level, if we're coordinating a network running around the world on all kinds of different hardware and software, there are all kinds or problems that can occur that hinder the network 's ability to reach consensus on its current state . Therefore, a network that has been designed and implemented to be resistant to these sorts of failures, either due to malicious intent or technical failure, is said to be Byzantine Fault Tolerant.", - }, - "Byzantium fork": { - definition: "A 'hard fork ' in the Ethereum network that occurred in October of 2017. For detailled information, see here; see also 'hard fork '.", - }, - "Celo": { - definition: "Celo is a platform designed to allow mobile users around the world to make simple financial transactions with cryptocurrency . The platform has its own blockchain and two native tokens: CELO and cUSD", - }, - "Centralized exchange (CEX)": { - definition: "A centralized exchange (CEX ) is a cryptocurrency exchange that is operated and controlled by a centralized entity. In a CEX , the exchange company or organization acts as an intermediary between buyers and sellers, holding and managing the assets on behalf of its users. Centralized exchanges typically offer a wide range of trading pairs, with many popular cryptocurrencies available for trade. They also usually have high liquidity and offer advanced trading features such as margin trading, order types, and charting tools. However, centralized exchanges also have several drawbacks. They are often targeted by hackers, as the centralized nature of the exchange makes them a single point of failure. They also require users to trust the exchange to hold their funds securely and execute trades fairly, which can be a source of concern for some users.", - }, - "CEX": { - definition: "Acronym; see 'Centralized Exchange '.", - }, - "chain ID": { - definition: "A chain ID is a unique identifier that represents a blockchain network . We use it to distinguish different blockchain networks from each other and to ensure that transactions and messages are sent to the correct network . Ethereum networks have two identifiers, a network ID and a chain ID . Although they often have the same value, they have different uses. Peer-to-peer communication between nodes uses the network ID, while the transaction signature process uses the chain ID ", - }, - "Chrome": { - definition: "Internet browser.", - }, - "client (Ethereum or other compatible blockchain)": { - definition: "In computing in general, a 'client' is a program, running on a local computer, that is accessing data made available by a remote computer. In public blockchain networks, a 'client' is the software that actually does the work of syncing block data, confirming transactions, and participating in network consensus . A client usually includes a cryptocurrency software wallet . ConsenSys has supported efforts to maintain the Ethereum clients of Besu and Teku; see an up-to-date list of Ethereum clients here.", - }, - "Codefi": { - definition: "Derived from “Commerce & Decentralized Finance ”, Codefi , part of ConsenSys , builds applications for commerce and financial use cases. Currently known as Consensys Staking", - }, - "coin": { - definition: "The term 'coin ' has some nuances. Strictly speaking, a 'coin ' could be defined as: A fungible token (all of them identical) issued on a blockchain , either as the network 's transactional token , or through a smart contract deployed to that network . Some people may use 'coins' as shorthand for 'bitcoin'; the immortal aphorism 'not your keys, not your coins' refers to bitcoins. Another thing to keep in mind is that, while coins are put forward as some sort of representation of value, that value can vary wildly from one 'coin ' to another. A coin may represent the value of the computational resources of the network , or it may be 'pegged' to represent fiat currency value, or it may float according to the value placed on immaterial resources like NFTs, membership, or digital goods, to name a few.", - }, - "Coinbase Pay": { - definition: "Coinbase Pay is a payment feature that allows you to buy or transfer supported crypto on Coinbase.com directly from self-custody wallets (like MetaMask ) and dapps.", - }, - "cold storage": { - definition: "cold wallet /cold storage : An offline wallet that is never connected to the internet. These wallets protect cryptocurrencies from getting hacked online. For more information, check out MetaMask 's Hardware Wallet Hub: Hardware Wallet Hub", - }, - "cold wallet / cold storage": { - definition: "An offline wallet that is never connected to the internet. These wallets protect cryptocurrencies from getting hacked online. For more information, check out MetaMask 's Hardware Wallet Hub.", - }, - "Community Platform": { - definition: "A community platform is a dedicated virtual space where people who share the same goals, interests, or motivations can connect and build relationships. MetaMask 's community platform can be accessed here: MetaMask Community", - }, - "Compiling": { - definition: "There are many languages in computing and software programming. In general, 'low -level' languages are those actually processed by the computer's operating system or processor, while 'high-level' languages are those typed in by software developers making programs. Compiling , then, is converting code written in a high-level programming language (e.g., Solidity ) into a lower-level language (e.g., EVM bytecode ).", - }, - "Compound": { - definition: "Compound is a decentralized, blockchain -based protocol that allows you to lend and borrow crypto — and have a say in its governance with its native COMP token .", - }, - "confirmation": { - definition: "A confirmation happens when a network has verified a blockchain transaction . Under a Proof of Work (PoW) consensus mechanism, this happens through a process known as mining ; under Proof of Stake (PoS), the process is known as validation. Once a transaction is successfully confirmed, it theoretically cannot be reversed or double spent. The more confirmations a transaction has, the harder it becomes to perform a double spend attack.", - }, - "consensus": { - definition: "The process used by a group of peers, or nodes, on a blockchain network to agree on the validity of transactions submitted to the network . Dominant consensus mechanisms are Proof of Work (PoW) and Proof of Stake (PoS).", - }, - "Consensus client": { - definition: "A consensus client is a component of a blockchain node that is responsible for validating and verifying transactions and blocks in the network . It communicates with other nodes to reach consensus on the current state of the blockchain and to ensure that all nodes have a consistent copy of the ledger . There are various types of consensus mechanisms used in blockchain networks, including proof of work (PoW), proof of stake (PoS), and delegated proof of stake (DPoS). The consensus client implements the specific consensus mechanism used by the network and ensures that all nodes follow the rules and reach agreement on the current state of the blockchain .", - }, - "Consensus layer": { - definition: "The consensus layer is responsible for validating and verifying transactions and blocks, and for coordinating communication between nodes to achieve consensus . In a blockchain network , the consensus layer is implemented by the consensus protocol or algorithm that defines how new blocks are added to the chain and how the network reaches agreement on the current state of the ledger .", - }, - "Consensus mechanism": { - definition: "Consensus mechanisms (also known as consensus protocols or consensus algorithms) allow distributed systems (networks of computers) to work together and stay secure.", - }, - "Consensys": { - definition: "Short for Consensus Systems, ConsenSys is the software engineering leader of the blockchain space.", - }, - "Constantinople fork": { - definition: "One of the 'hard forks' made to the Ethereum network , in February 2019. For more detailed information, see here; see also 'hard fork '.", - }, - "contract": { - definition: "See smart contract ", - }, - "Contract account": { - definition: "An account containing code that executes whenever it receives a transaction from another account (EOA or contract ).", - }, - "CoolWallet": { - definition: "A crypto hardware wallet for Bitcoin, Ethereum , Litecoin, Bitcoin Cash, and ERC20 Token .", - }, - "crypto asset": { - definition: "A useful blanket term that covers on-chain assets: cryptocurrencies, NFTs, and other, still emerging, products.", - }, - "crypto bounties": { - definition: "Crypto bounties are an important rewards mechanism that blockchain projects utilize in order to secure the successful accomplishments of certain tasks required by the network . Initially, bounties were intended as a marketing tool to attract users to participate in performing validation services for blockchain projects. Today, crypto bounties have developed significantly beyond the purpose of a simple marketing tool. crypto bounties ", - }, - "crypto fund": { - definition: "A crypto fund is a type of investment fund that focuses on investing in cryptocurrencies or companies involved in the cryptocurrency industry. These funds are designed to give investors exposure to the crypto market without the need for them to directly buy and hold cryptocurrencies themselves.", - }, - "crypto wallet": { - definition: "A crypto wallet is a device, physical medium, program or a service which stores the public and/or private keys for cryptocurrency transactions. Crypto wallets come in different forms, including software wallets, hardware wallets, and paper wallets.", - }, - "crypto-": { - definition: "Even though this prefix is originally Greek, our current usage comes from cryptography . Technologies that are referred to with the blanket term of 'crypto' tech are underlain by cryptographic tools and processes (such as public/private key pairs) that enable innovative functionality and security. Of course, 'cryptocurrency ' often gets shortened to simply 'crypto', so this emerging field is full of instances where something 'crypto' is being added to or shortened. With the emergence of the term 'Web3', arguably a distinction has begun to be made between 'crypto', referring to DeFi and other financial use cases of the technology, while 'Web3' refers to the transition of Internet-based activities to more decentralized practices and platforms.", - }, - "crypto-compliance": { - definition: "A blanket term used to refer to ensuring crypto projects conform with applicable regulations and laws.", - }, - "cryptoassets": { - definition: "A useful blanket term that covers on-chain assets: cryptocurrencies, NFTs, and other, still emerging, products.", - }, - "cryptocurrency": { - definition: "Digital currency that is based on mathematics and uses encryption techniques to regulate the creation of units of currency as well as verifying the transfer of funds. Cryptocurrencies operate independently of a central bank, and are kept track of through distributed ledger technology.", - }, - "cryptoeconomics": { - definition: "The economic analysis of decentralized finance ; notably, the MIT Cryptoeconomics Lab.", - }, - "cryptography": { - definition: "In its broadest sense, cryptography is the art of 'hidden writing' -- using some sort of code to encrypt writing. In modern times, it often refers to the application of this concept within computing, communication, and data transfer through computers and computer networks. Cryptography has been protected as free speech in the United States, and provides the technological foundation that allows blockchain networks to be public: despite the ledger being open and accessible by all, control over the state of the ledger and the ability to move assets on it is mediated through cryptographic tools, such as the Secret Recovery Phrase .", - }, - "Curve": { - definition: "Curve is a decentralized exchange for stablecoins that uses an automated market maker (AMM) to manage liquidity .", - }, - "custody (noun)": { - definition: "In the context of cryptocurrencies, custody refers to the safekeeping and management of digital assets on behalf of a client by a third-party service provider. Custody services are an important aspect of the cryptocurrency industry because cryptocurrencies are digital assets that require secure storage and management to prevent loss, theft, or unauthorized access. Crypto custody services are typically offered by specialized companies that provide secure storage solutions for cryptocurrencies. These companies use various security measures such as multi-signature authentication, cold storage , and insurance to protect their clients' assets.", - }, - "D'CENT": { - definition: "Hardware wallet .", - }, - "DAI": { - definition: "DAI is an Ethereum -based stablecoin whose issuance and development is managed by the Maker Protocol and the MakerDAO decentralized autonomous organization.", - }, - "DAO": { - definition: "Acronym; see 'Decentralized Autonomous Organization'.", - }, - "dapp": { - definition: "Acronym; see 'decentralized application '", - }, - "decentralization": { - definition: "The transfer of authority and responsibility from a centralized organization, government, or party to a distributed network .", - }, - "decentralized application": { - definition: "An open-source software application with backend (not user-facing) code running on a decentralized peer-to-peer network , rather than a centralized server. You may see alternate spellings: dApps, DApps, Dapps, and Đapps.", - }, - "Decentralized Autonomous Organization (DAO)": { - definition: "A Digital Decentralized Autonomous Organization (DAO , pronounced like the Chinese concept) is a powerful and very flexible organizational structure built on a blockchain . Alternatively, the first known example of a DAO is referred to as The DAO . The DAO served as a form of investor-directed venture capital fund, which sought to provide enterprises with new decentralized business models. Ethereum -based, The DAO ’s code was open source. The organization set the record for the most crowdfunded project in 2016. Those funds were partially stolen by hackers. The hack caused an Ethereum hard-fork which lead to the creation of Ethereum Classic.", - }, - "decentralized exchange (DEX)": { - definition: "A decentralized exchange (DEX ) is a platform for exchanging cryptocurrencies based on functionality programmed on the blockchain (i.e., in smart contracts). The trading is peer-to-peer, or between pools of liquidity . This is in contrast with a centralized exchange , which is more akin to a bank or investment firm that specializes in cryptocurrencies. Additionally, there are so-called on-ramp providers, who could be compared to currency brokers, exchanging traditional “fiat” money for cryptocurrencies, and do not hold customer’s funds “on deposit ” the way a centralized exchange does. There are important technical and regulatory differences between these, which are constantly evolving.", - }, - "decentralized finance": { - definition: "If cryptocurrency is web3’s monetary system, its financial system is DeFi. This includes familiar concepts like loans and interest-bearing financial instruments, as well as so-called “DeFi primitives”, novel solutions like token swapping and liquidity pools.", - }, - "decentralized web": { - definition: "The decentralized web , also known as web3, is a concept that refers to a new type of internet architecture that aims to provide a more open, secure, and privacy-preserving internet experience by removing the need for centralized intermediaries and giving users more control over their data. In contrast to the current centralized web, where most online activities are controlled by a few large corporations and their servers, the decentralized web relies on a network of distributed nodes and peer-to-peer protocols to store and transmit data. This means that there is no central authority controlling the internet, and users can interact directly with each other without the need for intermediaries.", - }, - "deposit": { - definition: "In most web3 contexts, 'depositing' refers to the act of transferring some amount of token (s) to an address other than one's own, most often to a smart contract controlled by a 'protocol ', such as a decentralized exchange , video game or multiverse, DAO , etc. Generally, the user will receive something in return for their deposit , and the deposit can be claimed at the user's discretion, or upon completion of given conditions. Compare with 'stake'.", - }, - "derive / derivation": { - definition: "To derive something is to obtain it from an original source. In the context of crypto- technology, we often discuss 'deriving' wallets and accounts from seed phrases (aka Secret Recovery Phrases, or SRPs). This is literally true: the SRP represents a cryptographic key which is used to derive account addresses deterministically, meaning they will be derived the same way each time. Another, more technical, way of referring to this technology is to refer to 'hierarchical deterministic' wallets.", - }, - "dev": { - definition: "Abbreviation of developer .", - }, - "Devcon": { - definition: "This is shorthand for the Ethereum Developers’ Conference.", - }, - "Developer": { - definition: "A person that creates new products, especially computer products such as software.", - }, - "DEX": { - definition: "Acronym; see 'decentralized exchange '.", - }, - "difficulty": { - definition: "The concept outlining how hard it is to verify blocks in a blockchain network during Proof of Work mining . In the Bitcoin network , the difficulty of mining adjusts every 2016 blocks. This is to keep block verification time at ten minutes.", - }, - "difficulty bomb": { - definition: "The difficulty bomb, along with the Beacon Chain and others, was a key element of Ethereum 's upgrade to Ethereum 2.0 and a Proof of Stake (PoS) consensus mechanism. As the name indicates, the difficulty bomb was a software mechanism that increased block verification difficulty , making it more expensive and difficult--eventually, prohibitively so--to mine a new block. Through economic incentive, and later, the raw limitations of computing power, this forced the shift to PoS consensus . See also 'Proof of Stake', 'the Merge '.", - }, - "digital asset": { - definition: "A digital commodity that is scarce, electronically transferable, and intangible with a market value.", - }, - "digital identity": { - definition: "An online or networked identity adopted by an individual, organization, or electronic device.", - }, - "Digital signature": { - definition: "A short string of data a user produces for a document using a private key such that anyone with the corresponding public key , the signature, and the document can verify that (1) the document was 'signed' by the owner of that particular private key , and (2) the document was not changed after it was signed.", - }, - "Distributed Denial of Service (DDoS) Attack": { - definition: "A type of cyber-attack in which the perpetrator continuously overwhelms the system with requests in order to prevent service of legitimate requests.", - }, - "distributed ledger": { - definition: "A type of database which spreads across multiple sites, countries, or institutions. Records are stored sequentially in a continuous ledger . Distributed ledger data can be either “permissioned” or “unpermissioned”, determining who can view it. This term is used, often, to refer in general to public blockchain technology, as 'crypto' has come to mean 'cryptocurrency ', 'web3' is the collective community, and 'blockchain ', after all, is 'just' the data structure used to sync the distributed ledger itself.", - }, - "Distributed Ledger Technology": { - definition: "A type of database which spreads across multiple sites, countries, or institutions. Records are stored sequentially in a continuous ledger . Distributed ledger data can be either “permissioned” or “unpermissioned”, determining who can view it. This term is used, often, to refer in general to public blockchain technology, as ‘crypto’ has come to mean ‘cryptocurrency ’, ‘web3’ is the collective community, and ‘blockchain ’, after all, is “just” the data structure used to sync the distributed ledger itself.", - }, - "DLT": { - definition: "Acronym; see 'distributed ledger technology'.", - }, - "double spend": { - definition: "The 'double spend ' is the benchmark security concern of blockchain networks: how do we ensure that someone doesn't send the same transaction to two different entities, essentially 'spending their money twice'? This is the cornerstone of the consensus mechanism, ensuring that all nodes of the network are 'in agreement' about which assets are allocated to which addresses, on an ongoing basis, to prevent malicious actions such as a double spend .", - }, - "ecosystem": { - definition: "In the context of 'web3 ecosystem '; 'blockchain ecosystem '. See 'web3'; See 'blockchain '", - }, - "Edge": { - definition: "In the context of 'Edge computing': it is an emerging computing paradigm which refers to a range of networks and devices at or near the user. Edge is about processing data closer to where it's being generated, enabling processing at greater speeds and volumes, leading to greater action-led results in real time. The term can also refer to Microsoft's browser or the crypto software wallet ", - }, - "EIP-1559": { - definition: "EIP (Ethereum Improvement Proposal) The EIP process is a public and open process through which suggestions are made as to how to change (and hopefully, improve) the way the Ethereum network functions as a whole. Individual EIPs are referred to by the name assigned to them in the repository, for example, EIP-1559 . EIP-1559 will change Ethereum ’s fee market mechanism. Fundamentally, EIP-1559 gets rid of the first-price auction as the main gas fee calculation. In first-price auctions, people bid a set amount of money to pay for their transaction to be processed, and the highest bidder wins. With EIP-1559 , there will be a discrete “base fee ” for transactions to be included in the next block. For users or applications that want to prioritize their transaction , they can add a “tip,” which is called a “priority fee ” to pay a miner for faster inclusion.", - }, - "encrypted vs unencrypted keys": { - definition: "As discussed elsewhere, public and private cryptographic key pairs are one of the technologies that underpins cryptocurrencies and 'crypto' tech in general. In MetaMask , an unencrypted private key is 64 characters long, and it is used to unlock or restore wallets. An encrypted key is also 64 letters long and is a regular private key that has gone through the process of encryption . Usually, encrypted private keys are kept within the extension or device they are encrypted by, and they remain out of sight from the user. This is meant to add another layer of security to keep a user’s wallet information safe. By way of example: if the world ‘Apple’ was your private key , then it was encrypted three letters down the alphabet, your new encrypted key would be ‘Dssoh’. Since you know the way to encrypt this key, you could derive the original private key from it by reversing the method of encryption .", - }, - "encryption": { - definition: "Encrpytion, literally 'in a hidden place', is the art and science of encoding information to control who can read it, or how it is to be read. Encryption occurs in natural (human) languages, as well as in machine and computer languages. Highly complex, and therefore difficult to decipher, encryption is an essential element enabling blockchain networks to be simultaneously public and secure.", - }, - "ENS": { - definition: "The Ethereum Name Service is a protocol , managed by a DAO , which assigns human-readable and easy-to-remember addresses to Ethereum addresses and assets, homologous to the traditional internet's DNS.", - }, - "Enterprise Ethereum Alliance (EEA)": { - definition: "A group of Ethereum core developers, startups, and large companies working together to commercialize and use Ethereum for different business applications. Website here.", - }, - "entropy": { - definition: "In the context of cryptography , 'entropy ' refers to 'randomness'; generally, the more random something is (the more entropy it has), the more secure it is.", - }, - "epoch": { - definition: "An epoch , in general, is a measure of time, or of blockchain progression, on a given blockchain . In Ethereum Proof of Stake, an epoch consists of 32 slots, each lasting 12 seconds, for a total of 6.4 minutes per epoch . There is additional functionality built upon the epoch measure in the Beacon Chain to help ensure security and proper operation of the Chain.", - }, - "ERC": { - definition: "Ethereum Request for Comment, or ERC , is a bit of a misnomer, as it is used to refer to suggestions for modifications that have already made it through the Ethereum Improvement Protocol (EIP) process and have been made standard on Ethereum . An ERC is, essentially, a set of standards for a given operation or topic on the Ethereum network . The authoritative list can be found here.", - }, - "ERC-1155": { - definition: "A token standard for creating semi-fungible tokens, meaning you can launch both fungible and non-fungible tokens within a single smart contract .", - }, - "ERC-20 Token Standard": { - definition: "ERC is the abbreviation for Ethereum Request for Comment and is followed by the assignment number of the standard. ERC -20 is a technical standard for smart contracts which is used to issue the majority of tokens (in particular, cryptocurrency tokens) extant on Ethereum . This list of rules states the requirements that a token must fulfill to be compliant and function within the Ethereum network .", - }, - "ERC-721": { - definition: "ERC -721 Token Standard Another standard for Ethereum smart contracts, which allows for the issuance of a non-fungible token : this is the standard that created what we all now know as an NFT . This token standard is used to represent a unique digital asset that is not interchangeable, as opposed to the ERC -20 (or other equivalent) standard, which issues identical, interchangeable tokens.", - }, - "ERC-721 Token Standard": { - definition: "ERC -721 Token Standard A standard for Ethereum smart contracts, which allows for the issuance of a non-fungible token : this is the standard that created what we all now know as an NFT . This token standard is used to represent a unique digital asset that is not interchangeable, as opposed to the ERC -20 (or other equivalent) standard, which issues identical, interchangeable tokens.", - }, - "ETH": { - definition: "Acronym; see 'ether'", - }, - "ether (denominations)": { - definition: "There are a number of denominations of the currency we know as 'ether' or ETH ; for the definitive explanation, see the original Ethereum Homestead documentation Ethereum Homestead documentation here.", - }, - "ether (ETH)": { - definition: "Ether is the native cryptocurrency of the Ethereum blockchain network . Ether—also referred to as ETH (pronounced with a long “e”, like “teeth” without the “t”)—functions as the fuel of the Ethereum ecosystem , by quantifying the work performed by the network , and as a form of payment for participants securing the network .", - }, - "Ethereum": { - definition: "A public blockchain network and decentralized software platform upon which developers build and run applications. As it is a proper noun, it should always be capitalized.", - }, - "Ethereum 2.0": { - definition: "a.k.a The Merge Finalized in September 2022, the Merge was the culmination of years of work involved in transitioning Ethereum from a Proof of Work consensus model, to Proof of Stake, all while keeping the network live. This was successful, and reduced the network ’s carbon footprint by more than 99.9%.", - }, - "Ethereum Improvement Proposal (EIP)": { - definition: "The EIP process is a public and open process through which suggestions are made as to how to change (and hopefully, improve) the way the Ethereum network functions as a whole; the official repository is here. Individual EIPs are referred to by the name assigned to them in the repository, for example, EIP-1559 . Keep in mind that as it is an iterative, lengthy process, some EIPs never get fully approved, and some do, and many end up somewhere in a gray area of 'partially implemented'.", - }, - "Ethereum Name Service (ENS)": { - definition: "The Ethereum Name Service is a protocol , managed by a DAO , which assigns human-readable and easy-to-remember addresses to Ethereum addresses and assets, homologous to the traditional internet’s DNS.", - }, - "Ethereum Public Address": { - definition: "An Ethereum public address, also known as an Ethereum account address, is a string of 42 characters (including letters and numbers) that is used to receive or send Ethereum and other Ethereum -based tokens on the Ethereum network . Each Ethereum public address is unique and is associated with a private key that allows the owner of the address to sign and authorize transactions. The public address is derived from the private key using a mathematical algorithm , and it can be shared with others to receive payments or tokens. When sending Ethereum or tokens, users need to specify the recipient's public address as the destination for the transaction . Once the transaction is confirmed by the network , the Ethereum or tokens are transferred to the recipient's address.", - }, - "Ethereum Virtual Machine (EVM)": { - definition: "The EVM is a virtual machine that operates on the Ethereum network . It is Turing complete and allows anyone, anywhere to execute arbitrary EVM bytecode . All Ethereum nodes run on the EVM . It is home for smart contracts based on the Ethereum blockchain .", - }, - "Etherscan": { - definition: "A popular website for analyzing activity on the Ethereum blockchain . See ‘blockchain explorer’. https://etherscan .io/", - }, - "EVM": { - definition: "Acronym; see 'Ethereum Virtual Machine'.", - }, - "exchange": { - definition: "A place to trade cryptocurrency . Centralized exchanges, operated by companies like Coinbase and Gemini, function as intermediaries, while decentralized exchanges do not have a central authority.", - }, - "Execution client": { - definition: "Execution clients are tasked with processing and broadcasting transactions, as well as with managing Ethereum 's state . They run the computations for each transaction in the Ethereum Virtual Machine to ensure that the rules of the protocol are followed. Today, they also handle proof of work consensus . After the transition to proof of stake, they will delegate this to consensus clients.", - }, - "Execution layer": { - definition: "Ethereum 's execution layer is the network of execution clients.", - }, - "Extended Private Key (XPRIV)": { - definition: "See 'private key '; see 'Hierarchical Deterministic (HD)' wallet . An extended private key , or xprv, is a private key which can be used to derive child private keys as part of a Hierarchical Deterministic (HD) wallet .", - }, - "Extended Public Key (XPUB)": { - definition: "See 'public key '; see 'Hierarchical Deterministic (HD)' wallet . An extended public key , or xpub, is a public key which can be used to derive child public keys as part of a Hierarchical Deterministic (HD) wallet .", - }, - "Extension": { - definition: "MetaMask is a web browser extension and mobile app that allows you to manage your Ethereum private keys. By doing so, it serves as a wallet for Ether and other tokens, and allows you to interact with decentralized applications, or dapps. Unlike some wallets, MetaMask keeps no information on you: not your email address, not your password, and not your Secret Recovery Phrase or other private keys. You retain all power over your crypto- identity.", - }, - "Fantom": { - definition: "Fantom is a public blockchain platform that aims to facilitate fast and low -cost transactions for dapps and smart contracts. It was launched in 2018 and is based on the Ethereum codebase, but with several key enhancements. One of the main features of Fantom is its consensus mechanism, known as Lachesis, which is a variant of Directed Acyclic Graphs (DAGs) that allows for high transaction throughput and low confirmation times. This means that transactions on the Fantom network can be processed quickly and at a low cost, making it an attractive platform for developers looking to build dApps that require fast and efficient transactions.", - }, - "faucet": { - definition: "A faucet is an application, sometimes a very simple website, other times more complex, that dispenses cryptocurrency . While some networks, especially those in early launch stages, offer “real Mainnet ” tokens via faucets, it is much more common for a faucet to be present on a test network , or testnet. These faucets are used by developers to test out dapps or smart contracts before deploying them on Ethereum Mainnet , or users who want to practice an action on the blockchain with no risk. Tokens dispensed by a test faucet stay on the test networks and cannot be exchanged for mainnet equivalents.", - }, - "fiat currency": { - definition: "Government-issued currency. For example, US Dollars (USD), Euros (EUR), Yuan (CNY), and Yen (JPY).", - }, - "final, finality": { - definition: "A transaction is considered 'final' once it can no longer be changed. In a sense, this happens once there are sufficient confirmations of the transaction , but for all intents and purposes, a transaction is final once the block that contains it is mined or validated. Keep in mind that this reflects a fundamental rule of blockchains: unlike traditional financial systems where charges can be 'reversed', there is no 'undoing' a transaction on the blockchain . Once finality is reached, the transaction is immutable.", - }, - "Finality Rate": { - definition: "See 'finality'", - }, - "financial technology (FinTech)": { - definition: "The integration of technology into offerings by financial services companies in order to improve their use and delivery to consumers.", - }, - "finney": { - definition: "A denomination of ether. See ether (denomination).", - }, - "Firefox": { - definition: "Internet browser.", - }, - "Firewall": { - definition: "In computing, a firewall is a network security system that monitors and controls incoming and outgoing network traffic based on predetermined security rules. A firewall typically establishes a barrier between a trusted network and an untrusted network , such as the Internet.", - }, - "Flask": { - definition: "MetaMask Flask is a distribution of the software designed for developers. It's like a laboratory (hence the name) where the MetaMask team can try out new ideas and features. It has experimental, even dangerous functionality in it that is not meant for everyday use. It also doesn't have the same stability guarantees that the production distribution of MetaMask has. What is MetaMask Flask , and how is it different from normal MetaMask ", - }, - "fork": { - definition: "Forking' is a term that comes from the world of collaborative software development, and refers to the action of copying an existing application or set of code and modifying it to create an alternate version. At the blockchain protocol level, a 'fork ' creates an alternative version of a blockchain . Forks are often enacted intentionally to apply upgrades to a network . Soft Forks render two chains with some compatibility, while Hard Forks create a new version of the chain that must be adopted to continue participation. In the instance of a contentious Hard Fork , this can create two versions of a blockchain network . See also 'hard fork '.", - }, - "Fractional Ownership": { - definition: "In the context of NFT ownership: A fractional NFT (F-NFT ) is an entire NFT broken into smaller fragments, allowing several people to claim ownership of a piece of the same NFT . Fractional NFTs", - }, - "Fraud proof": { - definition: "A security model for certain layer 2 solutions where, to increase speed, transactions are rolled up into batches and submitted to Ethereum in a single transaction . They are assumed valid but can be challenged if fraud is suspected. A fraud proof will then run the transaction to see if fraud took place. This method increases the amount of transactions possible while maintaining security.", - }, - "full node": { - definition: "Public blockchains consist of a network of computers which sync the network 's data, coordinate transaction requests, and participate in consensus regarding the validity of those transactions; each one of these computers is called a 'node '. A full node is a computer that can fully validate transactions and download the entire data of a specific blockchain . In contrast, a “lightweight” or “light” node does not download all pieces of a blockchain ’s data, and uses a different validation process.", - }, - "Ganache": { - definition: "Ganache is a personal blockchain for Ethereum development that developers can use to deploy contracts, develop applications, and run tests. It is part of the Truffle Suite ecosystem .", - }, - "gas": { - definition: "A measure of the computational steps required for a transaction on the Ethereum network . This then equates to a fee for network users paid in small units of ETH specified as gwei . For more on gas , see MetaMask ’s user guide here: User Guide: Gas ", - }, - "gas fee": { - definition: "Gas fee refers to the transaction fee on the blockchain . It is what users pay to get their transaction validated, or completed.", - }, - "gas limit": { - definition: "The gas limit is the maximum amount you’re willing to pay for any given transaction to go through the Ethereum network . Another way of looking at it is as a “rough estimate” of how much computing power your transaction will take.", - }, - "gas price": { - definition: "The gas price is what it sounds like: the cost the network is paid for the computational work being performed in a given transaction . It is paid in units of ETH called gwei . Depending on network congestion, the gas price may vary significantly.", - }, - "Gas Station Network": { - definition: "The Gas Station Network (GSN ) is a decentralized network of relayers mainly referring to the Ethereum blockchain . It allows you to build dapps which provide payment for transactions, so users do not need to hold Ether or ETH to pay for gas , easing their onboarding process and improving user acquisition and experience. However, while the relayers in the GSN do not charge users, they charge the recipient and contract instead. In this way, the relayers recover the costs of transactions and profit from extra fees for providing such services. Originally conceived and designed by TabooKey, the GSN has grown to encompass many companies, protocols and platforms in the Ethereum ecosystem that wish to facilitate the onboarding of users to Ethereum applications. Gas Station Network ", - }, - "genesis block": { - definition: "The initial block of data computed in the history of a blockchain network .", - }, - "Gigawei": { - definition: "Gwei is a unit of ether, the smallest denomination, which stands for gigawei (or 1,000,000,000). Gwei is used for gas fees, or rather payments made by users to compensate for the computing energy required to process and validate transactions on the Ethereum blockchain .", - }, - "Gitcoin": { - definition: "Gitcoin is a platform where coders and developers can get paid to work on open-source software in a wide variety of programming languages. Users can also submit their own project ideas to the Gitcoin platform in order to crowdsource funding from contributing donors. Gitcoin ", - }, - "GitHub": { - definition: "GitHub is an online software development platform. It's used for storing, tracking, and collaborating on software projects. It makes it easy for developers to share code files and collaborate with fellow developers on open-source projects. GitHub also serves as a social networking site where developers can openly network , collaborate, and pitch their work. GitHub ", - }, - "Goerli": { - definition: "Goerli is a test networks. It is primarily used for development on the blockchain (testing out applications and smart contracts, etc). ETH on these testnets is a dummy balance and cannot be withdrawn or sent to mainnet .", - }, - "Governance": { - definition: "In the world of cryptocurrencies, governance is defined as the people or organizations that have decision-making powers regarding the project. Governance is an essential aspect of all cryptocurrency projects. As decentralized blockchains, cryptocurrencies often have a very liberal governance structure. There are a number of different approaches to governance . Governance ", - }, - "GSN": { - definition: "Abbreviation for Gas Station Network ", - }, - "gwei": { - definition: "A minuscule and common denomination of ETH , and the unit in which gas prices are often specified. See 'ether (denominations)' entry for more information.", - }, - "halving": { - definition: "Many cryptocurrencies have a finite supply, which makes them a scarce digital commodity. For example, the total amount of bitcoin that will ever be issued is 21 million. The number of bitcoins generated per block is decreased 50% every four years. This is called “halving .” The final halving will take place in the year 2140.", - }, - "hard fork": { - definition: "A hard fork occurs when there is a change in the blockchain that is not backward compatible (not compatible with older versions), thus requiring all participants to upgrade to the new version in order to be able to continue participating on the network . See also 'fork '.", - }, - "hardware wallet": { - definition: "A hardware wallet is a physical device that is used to store cryptographic keys, and generally, sign transactions. Some hardware wallets can be connected physically or through software to internet connectivity; others are ‘air-gapped’, receiving transaction requests and sending transaction approvals through a mechanism such as a QR code . The overall goal of using a hardware wallet to manage keys and signatures is to reduce the likelihood of your keys or Secret Recovery Phrase from being somehow stolen or compromised, due to being connected to the Internet. For more on hardware wallets, see MetaMask ’s Hardware Wallet Hub: Hardware Wallet Hub", - }, - "hash (noun)": { - definition: "In computing, ‘hashing’ is an operation performed on lists or sets of data to create a reliable index for that data. A particular datum, or a reference to it, is fed into an algorithm , which transforms the datum and returns a standardized, and generally unrecognizable, ‘hash’ of it, sometimes referred to as that datum or file’s “digital fingerprint.” Each block in a blockchain contains the hash value that validated the block before it, followed by its own hash value (this is how the continuity of the ‘chain’ is constructed). Hashes can be used to confirm that blockchain transactions are complete and valid. You may see references to the “transaction hash” or “tx hash”; this should be understood as “unique identifier of the transaction ”.", - }, - "hexadecimal; 'hex data'": { - definition: "Hexadecimal is a base 16, rather than base 10, counting system. Used all over Ethereum for a variety of things, a hexadecimal string is comprised of the numbers 0 1 2 3 4 5 6 7 8 9 and letters A B C D E F.", - }, - "Hierarchical Deterministic (HD) wallet": { - definition: "Hierarchical Deterministic wallets were first created for Bitcoin, and enable the creation of a very large number of accounts based on an initial seed phrase . This technology was later adopted in Ethereum wallets; when restoring a MetaMask wallet from the Secret Recovery Phrase , for example, if you 'create' accounts, they will be the same accounts as previously created from that same phrase; they are derived from it.", - }, - "hot storage": { - definition: "Synonymous with 'hot wallet '.", - }, - "hot wallet": { - definition: "A wallet that is directly connected to the internet at all times; for example, one that is held on a centralized exchange . Hot wallets are considered to have lower security than cold storage systems or hardware wallets.", - }, - "Hybrid Network": { - definition: "Hybrid blockchain . See 'PoS/PoW Hybrid '", - }, - "Hyperledger": { - definition: "Hyperledger is an ecosystem of open-system tools, libraries, and products designed to enable and support enterprise-grade blockchain technology. In general, the products focus on creating solutions for permissioned blockchains--that is, non-public blockchains, with alternative consensus mechanisms other than Proof of Work (PoW) or Proof of Stake (PoS). That said, there are use cases where such institutions would want to integrate with public blockchains, and for that reason Hyperledger Besu and Hyperledger Burrow are actively developed projects, the former being a Java-based Ethereum client, the latter being a smart contract platform which supports EVM bytecode .", - }, - "ICO": { - definition: "An Initial Coin Offering (also called ICO ) occurs when a new token project sells advance tokens in exchange for upfront capital. These have been a vehicle for fraud and scams, and as such are subject to ever-evolving regulation and legislation.", - }, - "Identicon / AddressIdenticon / AddressIcon": { - definition: "The colorful blob of colors that corresponds to your address in MetaMask . It is an easy way to see if your address is correct. More specifically, you can choose between jazzicons (created by the MetaMask team!) or blockies.", - }, - "immutability": { - definition: "The inability to be altered or changed. This is a key element of blockchain networks: once written onto a blockchain ledger , data cannot be altered. This immutability provides the basis for commerce and trade to take place on blockchain networks.", - }, - "Infura": { - definition: "Part of ConsenSys , Infura offers backend access to the Ethereum network over established HTTP and WebSockets technology. Prior to Infura , developers were obligated to run their own nodes of the networks with which they wanted to interact; Infura provides that access through a set of APIs. This enables developers of dapps and websites seeking to interact with the Ethereum blockchain to do so, and at scale. Infura ", - }, - "Initial Public Offering (IPO)": { - definition: "An initial public offering (IPO) is the process of a company offering shares for purchase on the stock market for the first time. IPO", - }, - "Insider Trading": { - definition: "Insider trading happens when someone purchases or sells stocks while possessing private, material information about that stock. Insider Trading ", - }, - "Inter-Blockchain Communication (IBC) Protocol": { - definition: "Inter-Blockchain Communication (IBC) is a communication protocol that allows different blockchains to relay messages to each other. It guarantees reliable, ordered and authenticated communication between the chains. Blockchains can trustlessly exchange value like tokens. IBC does not work like a bridge . Instead, blockchains send packets of information via smart contracts that allow them to not only exchange value but relay any form of data, such as communication, via the communication protocol . Inter-Blockchain Communication (IBC)", - }, - "internal transaction": { - definition: "An internal transaction on the Ethereum network is one that occurs between smart contracts, rather than between addresses. Notably, they are not included on the blockchain , and therefore do not incur gas fees, but they are often crucial to carrying out the action in question, and can be viewed on Etherscan . For more detail, see MetaMask 's article on the topic: Internal Transactions", - }, - "Interoperability": { - definition: "Blockchain interoperability , or cross-chain interoperability , is the ability to see and share information across multiple blockchains. One of the clear benefits of blockchain interoperability is being able to trade assets across various blockchains without the need for a centralized, custodial exchange . Interoperability ", - }, - "InterPlanetary File System (IPFS)": { - definition: "A decentralized file storage and referencing system for the Ethereum blockchain , and the internet as a whole. IFPS is an open source protocol that enables storing and sharing hypermedia (text, audio, visual) in a distributed manner without relying on a single point of failure. This distributed file system enables applications to run faster, safer and more transparently.", - }, - "IP address": { - definition: "A unique string of characters that identifies each computer using the Internet Protocol to communicate over a network .", - }, - "JSON file": { - definition: "JSON (JavaScript Object Notation) is an open standard file format for sharing data that uses human-readable text to store and transmit data. it is commonly used in public blockchain systems to move data.", - }, - "JSON-RPC": { - definition: "JSON-RPC is, quite simply, a method used to move data around computer systems, and predates public blockchain technology. It was chosen as a standard for moving data between blockchain networks and Internet browsers and wallets, with the result that these networks have come to be called 'RPC networks', despite JSON-RPC not being their defining technical feature.", - }, - "keystore file": { - definition: "A keystore file is a special, encrypted version of a private key in JSON format. See also 'private key '.", - }, - "Know Your Customer (KYC)": { - definition: "A process in which a business must verify the identity and background information (address, financial details, etc.) of their customers. For example, current regulations and laws require banks and other financial institutions to keep and report customers' personal information and transactions.", - }, - "Know Your Transaction": { - definition: "Know Your Transaction (KYT ) is a process employed by financial institutions to monitor the merchants' businesses through the analysis of transaction data.", - }, - "Kovan": { - definition: "An Ethereum testnet that uses Proof of Authority consensus , available through MetaMask ; Kovan test network has been deprecated. Ethereum used to have four testnets: Ropsten , Rinkeby , Goerli , and Kovan (Kiln was also added for specific purposes relating to the Merge in 2022). However, after the Merge occurred on September 15th 2022, most of the existing testnets began being deprecated (taken out of service). They may still work, but could be unreliable. Sepolia and Goerli are now the only two available.", - }, - "KYC": { - definition: "Acronym; see 'Know Your Customer'.", - }, - "KYT": { - definition: "Acronym; see 'Know Your Transaction '.", - }, - "latency": { - definition: "In the context of Network latency : refers to the amount of time it takes for a computer on one network to communicate with a computer on another network . Network latency ", - }, - "Lattice1": { - definition: "The Lattice1 is a powerful, secure, and user-friendly hardware wallet that allows you to manage an unlimited number of wallets and easily transact on the blockchain .", - }, - "Launchpad": { - definition: "The Launchpad is the Ethereum Foundation's official way to deposit your ETH for staking on Ethereum . Ethereum Launchpad ", - }, - "layer 0": { - definition: "Layer 0 in blockchain refers to the underlying infrastructure that supports the blockchain network . It includes the physical hardware, such as computers, servers, and other network components, as well as the software protocols that govern the interactions between the nodes in the network . In other words, Layer 0 is the foundation upon which the blockchain network is built. It provides the necessary resources and technical capabilities for the network to function, such as computing power, storage, and network connectivity. Layer 0 is essential to the operation and security of the blockchain network , as it ensures that data is transmitted and stored correctly and securely across the network . Layer 0 is sometimes also referred to as 'Layer Zero' or 'L0'. It is important to note that the concept of Layer 0 is not unique to blockchain technology, but is a more general term used to describe the physical and technical infrastructure underlying any type of computer network .", - }, - "layer 1": { - definition: "Layer 1 in blockchain refers to the base layer of the blockchain protocol . It is the layer that contains the core elements of the blockchain , including the consensus mechanism, the data structure, and the rules that govern the creation and transfer of assets or tokens. In other words, Layer 1 is the foundation of the blockchain technology stack, upon which all other layers and applications are built. It is responsible for maintaining the integrity of the blockchain network and ensuring that all transactions are valid and secure. Layer 1 is designed to be decentralized, meaning that no single entity has control over the network . This is achieved through the use of consensus mechanisms, such as Proof of Work (PoW), Proof of Stake (PoS), or other methods, which enable participants to reach agreement on the validity of transactions and the state of the network . Some examples of Layer 1 blockchain protocols include Bitcoin, Ethereum , Binance Smart Chain, Avalanche .", - }, - "layer 2": { - definition: "A Layer 2 network , or L2, is a blockchain that is built specifically to scale another network . For a full understanding of how this is achieved, see here. Some popular examples of this in the Ethereum ecosystem are Arbitrum , Optimism , and StarkNet. These chains are specifically built to handle a large number of transactions quickly by relying on Ethereum Mainnet for security functions, while optimizing for speed and scale. These networks are considered 'scaling solutions' while not being part of Ethereum 's protocol -level scaling efforts. See also 'blockchain trilemma', 'modular blockchain ', 'Serenity '. Contrast with 'sidechain '.", - }, - "Learn; MetaMask Learn": { - definition: "MetaMask Learn is a free-to-use educational platform available in 10 languages for anyone interested in learning about web3. Through engaging lessons and interactive simulations, it helps you understand what web3 is, why it matters, and how to get started. https://learn.metamask .io/", - }, - "Ledger": { - definition: "", - }, - "Ledger Live App": { - definition: "Ledger Live is a hardware wallet interface app for users of the Ledger Nano X, Ledger Nano S, and Ledger Blue. The app enables Ledger users to manage their cryptocurrency hardware and assets. Additionally, it features real-time price updates, multi-account management, and the convenience of an extremely simple setup process. Ledger Live combines the management of your individual crypto assets and device management into one interface, with the intention of gradually replacing the Chrome -based applications system that previously annoyed some users of the device.", - }, - "Library": { - definition: "A collection of non-volatile resources used by computer programs, often for software development. These may include configuration data, documentation, help data, message templates, pre-written code and subroutines, classes, values or type specifications. Software Library ", - }, - "Lido": { - definition: "Lido is a liquid staking protocol for Ethereum that allows users with less than 32 ETH to collectively fund new validators and receive rewards.", - }, - "light client": { - definition: "In computing, a 'client' is a software that runs or accesses a program made available by a remote computer. With blockchain networks, then, clients are the programs that sync blockchain data and participate in network consensus . More often and more specifically, 'Layer 2 ' is used as a noun, to refer to a type of network that is specifically built to handle a large number of transactions quickly by relying on Ethereum mainnet for security functions, and optimizing for speed and scale. Examples include Arbitrum and Optimism ; this is different from a 'sidechain ', which is a network that has its own security mechanism, yet still allows compatibility and bridging of assets between itself and Ethereum .", - }, - "Lightning Network": { - definition: "The Lightning Network is a second layer for Bitcoin that uses micropayment channels to scale the blockchain ’s capability to conduct transactions more efficiently. This layer consists of multiple payment channels between parties or Bitcoin users. A Lightning Network channel is a transaction mechanism between two parties. Using channels, the parties can make or receive payments from each other. Transactions conducted on the Lightning Network are faster, less costly, and more readily confirmed than those conducted directly on the Bitcoin blockchain .", - }, - "liquid democracy (delegative democracy)": { - definition: "A government system where votes can be delegated or proxied to other individuals such as friends, politicians, or subject matter experts. For example, in a liquid democracy, Bernadette could give Ahmad her vote and Ahmad would then vote for both himself and Bernadette. Liquid democracy is used at times as a governance mechanism for Decentralized Autonomous Organizations (DAOs) wherein every participant is able to vote or delegate their vote to another individual.", - }, - "liquidation": { - definition: "Liquidation happens when a trader has insufficient funds to keep a leveraged trade open. Liquidation ", - }, - "liquidity": { - definition: "An asset is considered more ‘liquid’ if it can easily be converted into cash, and therefore, ‘liquidity ’ refers to the availability of assets to a company or market. Conversely, the harder it is to turn an asset into cash, the more illiquid the asset. For example, stocks are considered relatively liquid assets, as they can be easily converted to cash, while real estate is considered an illiquid asset. The liquidity of an asset affects its risk potential and market price.", - }, - "liquidity pool": { - definition: "A liquidity pool is a crowdsourced pool of cryptocurrencies or tokens locked in a smart contract that is used to facilitate trades between the assets on a decentralized exchange (DEX ). Instead of traditional markets of buyers and sellers, many decentralized finance (DeFi) platforms use automated market makers (AMMs), which allow digital assets to be traded in an automatic and permissionless manner through the use of liquidity pools.", - }, - "liquidity staking": { - definition: "Liquid staking allows users to stake tokens and simultaneously use them in the DeFi ecosystem . This is made possible by wrapping the staked tokens and providing users with a wrapped token that is a claim on the underlying collateral. The wrapped tokens can be transferred and generate yield. Liquid staking permits users to stake and unstake their coins without being beholden to a lock-up period. It thus enables greater capital efficiency and increased liquidity on proof-of-stake blockchains, allowing users to maximize the benefits of staking and DeFi simultaneously. Furthermore, liquid staking enhances network security on PoS chains.", - }, - "Low": { - definition: "In the context of 'gas fees', Low is a category that allows you to wait a bit longer and save money if you choose. There are 3 categories available in MetaMask : Low , Market, Aggressive Using Advanced Gas Controls", - }, - "mainnet": { - definition: "The primary network where actual transactions take place on a specific distributed ledger . For example, The Ethereum Mainnet (capitalized in this case) is the public blockchain where network validation and transactions take place", - }, - "Maker Protocol": { - definition: "The Maker Protocol , built on the Ethereum blockchain , enables users to create and hold currency. Current elements of the Maker Protocol are the DAI stable coin , Maker Vaults, and Voting. MakerDAO governs the Maker Protocol by deciding on key parameters (e.g., stability fees, collateral types and rates, etc.)", - }, - "malware": { - definition: "Any software intentionally designed to cause disruption to a computer, server, client, or computer network , leak private information, gain unauthorized access to information or systems, deprive access to information, or which unknowingly interferes with the user's computer security and privacy.", - }, - "market cap": { - definition: "Short for 'market capitalization', this refers to the total value held in a particular industry, market, company, or asset. For a publicly traded company, the market cap is the total dollar market value of a company's outstanding shares. For Bitcoin or Ethereum , the total market cap is a reflection of the current existing supply times the market price.", - }, - "Maximal Extractable Value (MEV)": { - definition: "Originally known as Miner Extractable Value, MEV is a broad complex topic that refers to the inclusion, exclusion, and reordering of transactions within a block in order to extract more value from it, generally in excess of what a validator (or miner, on PoW networks) would earn from producing the block. MEV includes activities such as frontrunning, arbitrage, and what could be considered malicious actions to profit off of other users' transactions. This is a very active topic of research that is changing rapidly.", - }, - "Maximum Priority Fee": { - definition: "The fee, or 'miner tip ', goes to the validator or miner, and incentivizes them to prioritize your transaction .", - }, - "memory pool; mempool": { - definition: "a.k.a. Transaction Pool When a user submits a transaction to the Ethereum network –or many other networks based on Ethereum –the transaction goes into what’s known as a “transaction pool”, or “txpool” for short. This is essentially a queue of transactions that are waiting to be added to a block and recorded to the blockchain . There are mechanisms that determine which transactions are “picked up” and included in the next block, and there is currently a lot of research surrounding how this decision gets made. In Bitcoin, the transaction pool was referred to as the “memory pool”, or “mempool”, and often these terms are used interchangeably.", - }, - "Merge": { - definition: "Finalized in September 2022, the Merge was the culmination of years of work involved in transitioning Ethereum from a Proof of Work consensus model, to Proof of Stake, all while keeping the network live. This was successful, and reduced the network ’s carbon footprint by more than 99.9%.", - }, - "Merkle Patricia trie": { - definition: "Often referred to simply as a 'Merkle trie' (pronounced 'tree'), a Merkle Patricia trie is a data structure in which a single hash code function (see 'hash') splits into smaller branches. In a similar way to a family tree, where a parent branch splits into child branches, which are then extrapolated into grandchild branches, a Merkle Patricia trie keeps a record of the filiation and history of each element. This type of data structure enables for faster verification on a blockchain network .", - }, - "Mesh": { - definition: "ConsenSys Mesh is a network of loosely coupled, tightly aligned teams, products, and investments advancing the Ethereum ecosystem and the arrival of web3.", - }, - "metadata": { - definition: "In the context of 'NFT metadata ': Metadata is 'data that provides information about other data' Metadata ", - }, - "MetaMask": { - definition: "MetaMask , either in its mobile app form on iOS and Android, or in its browser extension form, is a tool to access and interact with blockchains and the decentralized web . It allows users to manage their digital identity and the permission of others to interact with that identity; its functions include that of a wallet , a dapp permissions manager, and access to token swaps. It is an open-source project that encourages developers from other projects to build on top of it through MetaMask Snaps.", - }, - "MetaMask Bridge": { - definition: "MetaMask Bridge : You can now access a curated, straightforward bridging experience in MetaMask Bridge , available at https://portfolio .metamask .io/bridge Only certain tokens and network combinations are available initially. MetaMask Bridge ", - }, - "MetaMask Community Platform": { - definition: "The MetaMask forums located at community.metamask .io MetaMask 's community platform can be accessed here: MetaMask Community", - }, - "MetaMask Extension": { - definition: "MetaMask is a web browser extension and mobile app that allows you to manage your Ethereum private keys. By doing so, it serves as a wallet for Ether and other tokens, and allows you to interact with decentralized applications, or dapps. Unlike some wallets, MetaMask keeps no information on you: not your email address, not your password, and not your Secret Recovery Phrase or other private keys. You retain all power over your crypto- identity.", - }, - "MetaMask Flask": { - definition: "MetaMask Flask is a distribution of the software designed for developers. It's like a laboratory (hence the name) where the MetaMask team can try out new ideas and features. It has experimental, even dangerous functionality in it that is not meant for everyday use. It also doesn't have the same stability guarantees that the production distribution of MetaMask has. What is MetaMask Flask , and how is it different from normal MetaMask ?", - }, - "MetaMask Institutional": { - definition: "MetaMask Institutional is an institution-compliant version of the world’s leading web3 wallet , MetaMask . Organizations trust us to manage their web3 access and engagement with institution-required security, operational efficiency, and compliance. MetaMask Institutional", - }, - "MetaMask Learn": { - definition: "MetaMask Learn is a free-to-use educational platform available in 10 languages for anyone interested in learning about web3. Through engaging lessons and interactive simulations, it helps you understand what web3 is, why it matters, and how to get started. MetaMask Learn", - }, - "MetaMask SDK": { - definition: "MetaMask SDK (Software Development Kit) is a library that can be installed by developers in their projects. It will automatically guide their users to connect easily with a MetaMask Wallet client. MetaMask SDK", - }, - "MetaMask Snaps": { - definition: "The first big feature shipped through Flask has been MetaMask Snaps. Snaps is a whole topic in and of itself, but think of it like this: Snaps allows developers to bring any kind of functionality they want to the application. Given how broad that is, and the potential security implications, snaps can only be used in Flask at the moment; however, the plan is to allow users to customize their MetaMask experience through this functionality.", - }, - "MetaMetrics": { - definition: "MetaMetrics is an opt-in analytics platform that aims to collect information on non-sensitive user events to help us improve the software for MetaMask users. How to manage your MetaMetrics settings", - }, - "metaverse": { - definition: "A metaverse is a digital universe that contains all the aspects of the real world, such as real-time interactions and economies. It offers a unique experience to end-users. Metaverse ", - }, - "miner tip": { - definition: "The miner tip is the Maximum Priority Fee that incentivizes the miner to prioritize a transaction . Learn the basics of blockchains and Ethereum (miners and validators, gas , cryptocurrencies and NFTs, block explorer , networks, etc.)", - }, - "mining": { - definition: "The process by which blocks or transactions are verified and added to a blockchain using a Proof of Work (PoW) consensus mechanism. In order to verify a block, a miner must use a computer to solve a cryptographic problem. Once the computer has solved the problem, the block is considered “mined” or verified. On Bitcoin or other PoW blockchains, the first computer to mine or verify the block receives bitcoin, or the equivalent network token , as a reward.", - }, - "Mint": { - definition: "Minting refers to the act of publishing a token on the blockchain to make it transferrable and purchasable.", - }, - "mnemonic phrase": { - definition: "This is an alternative way of referring to a Secret Recovery Phrase , also known as a 'seed phrase ': a series of words that correspond to a very long cryptographic key, used to generate and control all the addresses of a crypto wallet .", - }, - "MobiKwik": { - definition: "MobiKwik is an Indian payment service provider founded in 2009 that provides a mobile phone-based payment system and digital wallet .", - }, - "modular blockchain": { - definition: "Bitcoin is an example of a monolithic blockchain : all of the functions of the network (consensus , execution, data availability, and settlement) are run on one chain. This has significant drawbacks (see 'blockchain trilemma' for more). A modular blockchain , on the other hand, separates some or all of these functions into separate chains, each one optimized for its specific function, and relying on the other chains for the other functions. Ethereum is currently moving towards modularization, both on a protocol level beginning with the Merge , which split consensus and execution into two chains, and at the level of 'Layer 2 ' networks which provide optimized execution environments, and then 'roll up' their data to Ethereum for its consensus functionality.", - }, - "MoonPay": { - definition: "MoonPay is a financial technology company that builds payments infrastructure for crypto. Its on-and-off-ramp suite of products provides a seamless experience for converting between fiat currencies and cryptocurrencies using all major payment methods, including debit and credit cards, local bank transfers, Apple Pay , Google Pay, and Samsung Pay . MoonPay is active in more than 160 countries and is trusted by 300+ leading wallets, websites, and applications to accept payments and defeat fraud. The company is based in Miami, Florida, and was founded in 2019.", - }, - "multi-sig": { - definition: "multi-signature wallet (multisig) A crypto- asset wallet which requires multiple keys in order to access and transact. Typically, a specified number of individuals are required to approve or “sign” a transaction before they are able to access the wallet . This is different from most wallets, which only require one signature to approve a transaction .", - }, - "multi-signature wallet (multisig)": { - definition: "A crypto- asset wallet which requires multiple keys in order to access and transact. Typically, a specified number of individuals are required to approve or “sign” a transaction before they are able to access the wallet . This is different from most wallets, which only require one signature to approve a transaction .", - }, - "Multifactor Authentication": { - definition: "Authentication using two or more different factors to achieve authentication.", - }, - "Near-Field Communication (NFC)": { - definition: "Near-field communication is a set of communication protocols that enables communication between two electronic devices over a distance of 4 cm or less. NFC offers a low -speed connection through a simple setup that can be used to bootstrap more capable wireless connections..", - }, - "Nested Blockchain": { - definition: "A nested blockchain is essentially a blockchain within — or, rather, atop — another blockchain . See 'Layer 2 '", - }, - "Network": { - definition: "A network refers to all nodes in the operation of a blockchain at any given moment in time.", - }, - "Network Congestion": { - definition: "The reduced quality of service that occurs when a network node or link is carrying more data than it can handle. Typical effects include queueing delay, packet loss or the blocking of new connections. Congestion", - }, - "NFT": { - definition: "When discussing Non-Fungible Tokens (NFTs), “fungibility” refers to an object’s ability to be exchanged for another. For example, an individual dollar is considered fungible, as one dollar is fully interchangeable with another. Artwork is usually deemed non-fungible, as paintings or sculptures are likely to be unequal between them in quality, value, or other attributes. A non-fungible token is a type of token that is a unique digital asset and has no equal token . This is in contrast to cryptocurrencies like ether that are fungible in nature.", - }, - "NFT aggregator": { - definition: "In the initial wave of interest in buying and selling NFTs, a number of NFT marketplaces--websites where you can buy and sell NFTs--were created. As the market matured, aggregators appeared, which offer the user the ability to view available stock and price, buy and sell across marketplaces from a single unified application. Similar to familiar web2 shopping portals, these have come to be known as NFT Marketplace Aggregators, or just NFT Aggregators.", - }, - "NFT drop": { - definition: "An NFT drop happens when a new NFT collection is released. NFT drops can vary in both how the NFTs are sold (listed for sale or auction), and in who they’re released to (the public, or a specific list called an “allowlist”). Often, NFT drops coincide with when the NFTs in the collection are minted, that is, written to the blockchain . You might hear these terms used interchangeably— a drop might be referred to as the project’s mint .", - }, - "Ngrave": { - definition: "Crypto hardware wallet .", - }, - "node": { - definition: "Public blockchains consist of a network of computers which sync the network 's data, coordinate transaction requests, and participate in consensus regarding the validity of those transactions; each one of these computers is called a 'node '. A full node is a computer that can fully validate transactions and download the entire data of a specific blockchain . In contrast, a “lightweight” or “light” node does not download all pieces of a blockchain ’s data, and uses a different validation process.", - }, - "Non-fungible token": { - definition: "See NFT ", - }, - "nonce": { - definition: "The word ‘nonce ’ has a few different meanings, and in different contexts, it ends up getting used a lot of different ways. Originally formed from a contraction of a phrase meaning “not more than once”, on the Ethereum Mainnet , “nonce ” refers to a unique transaction identification number that increases in value with each successive transaction in order to ensure various safety features (such as preventing a double-spend). Note that due to its broader use in cryptography , you may encounter ‘nonce ’ being used differently on other sidechains or decentralized projects.", - }, - "off-chain": { - definition: "A transaction that is processed outside the blockchain network with an increased speed and reduced cost. There are two different transactions that occur on the blockchain : On-chain transactions are those reflected on the distributed ledger and are visible to all the network users. On the other hand, off-chain transactions occur outside the blockchain network . Such a transaction doesn’t need the services of miners because no ledger verification is conducted. Unlike on-chain transactions, off-chain transactions can be made instantly. This method entails lower fees, happens instantly, and offers more anonymity.", - }, - "ommer block": { - definition: "Under the Proof of Work (PoW) consensus mechanism, miners received rewards for being the first to mine a new block. However, at times a block would be mined just after, and in competition with, the last block. This block, known as an ommer and previously as an uncle, could get rolled into subsequent blocks and the miner of the original ommer would get a partial block reward . All of this functionality was deprecated as of the launch of the Beacon Chain .", - }, - "on-chain": { - definition: "On-chain , as the name implies, refers to blockchain transactions that exist on and have been verified to the blockchain by miners or validators. On-Chain also means that transactions have been recorded to the blockchain ", - }, - "on-ramp, off-ramp": { - definition: "Based on a metaphor from the American highway system, 'on-ramp' refers to a tool, or a service provider, or the action, of converting fiat currency into tokens on a blockchain . Conversely, 'off-ramp' refers to exchanging on-chain assets for their value in a given fiat currency . There are many providers of such services, and MetaMask users have access to them through the 'Buy Crypto' feature.", - }, - "OpenSea": { - definition: "OpenSea is the world's first and largest web3 marketplace for NFTs and crypto collectibles.", - }, - "Opera": { - definition: "Internet browser.", - }, - "Optimism": { - definition: "Optimism is a layer-2 scaling solution for Ethereum , which is a blockchain -based platform for decentralized applications. It is designed to reduce the cost and increase the speed of transactions on the Ethereum network . Optimism works by using a technique called optimistic rollups , which allows it to process a large number of transactions off-chain , while still maintaining the security and decentralization of the Ethereum network . In optimistic rollups , transactions are initially processed off-chain , and a summary of these transactions is then submitted to the Ethereum network for verification. This verification process ensures that the transactions are valid and that no fraud has occurred. Once the transactions are verified, they are added to the Ethereum blockchain , allowing users to interact with the decentralized applications built on the platform.", - }, - "optimistic rollup": { - definition: "A rollup that assumes the validity and good faith of transactions, and only runs a fraud proof in the case of fraud being alleged. See also 'rollup'.", - }, - "Oracle": { - definition: "Typically, an oracle is any entity or person that is relied on to report the outcome of an event. In a blockchain network an oracle (human or machine) helps communicate data to a smart contract , which can then be used to verify an event or specific outcome.", - }, - "ParaSwap": { - definition: "ParaSwap is a decentralized exchange (DEX ) aggregator that optimizes swaps for users through better prices, limited gas fees, and lower slippage . ParaSwap sources their liquidity from major DEXes such as Uniswap , Balancer, Curve , Kyber, in addition to ParaSwapPool, their professional Market Maker network .", - }, - "parity": { - definition: "In a general sense, to say that something 'has parity ' with another thing means 'equal in features or other important quality', and is a phrase often used by software developers and computer scientists.", - }, - "Parity": { - definition: "Parity Technologies is the name of a blockchain technology company that is developing a number of significant projects in the blockchain space. One of its first projects was an Ethereum client, known as Parity ; its name was changed to Parity Ethereum , and then was spun out as a DAO -owned and operated project called Open Ethereum , which has also been deprecated. See also 'client'.", - }, - "Passphrase": { - definition: "See 'Secret Recovery Phrase '", - }, - "password manager": { - definition: "A password manager is a tool or software that stores all sorts of passwords needed for online applications and services. Password manager ", - }, - "PayPal": { - definition: "PayPal is a multinational financial technology company operating an online payments system in the majority of countries.", - }, - "peer-to-peer (P2P)": { - definition: "P2P refers to interactions that happen directly between two parties, usually two separate individuals, and have been present in Internet technology in different ways for some time. These interactions are often coordinated through some sort of app or network , which can consist of any number of individuals. Public blockchains can be considered to have a high degree of P2P functionality, as individuals are able to transact or interact with each other without relying on an intermediary or single point of failure.", - }, - "permissioned ledger": { - definition: "A blockchain network in which access to ledger or network requires permission from an individual or group of individuals, as opposed to a public blockchain . Permissioned ledgers may have one or many owners. Consensus on a permissioned ledger is conducted by the trusted actors, such as government departments, banks, or other known entities. Permissioned blockchains or ledgers contain highly-verifiable data sets because the consensus process creates a digital signature , which can be seen by all parties. A permissioned ledger is much easier to maintain and considerably faster than a public blockchain . For example, Quorum or Hyperledger Besu are permissioned ledgers that can be more easily set up for large enterprises. In contrast, the public Ethereum blockchain is a permissionless ledger which anyone can access.", - }, - "phishing (noun)": { - definition: "Phishing is a form of social engineering where attackers deceive people into revealing sensitive information or installing malware such as ransomware.", - }, - "Plasma": { - definition: "Plasma ' is a term that is used to refer to one of the solutions being built and deployed in order to securely scale the Ethereum network . A Plasma network functions similarly to an optimistic rollup , inasmuch as it relies on Ethereum Mainnet to maintain the record of transactions, and as the source for arbitration or fraud resolution. However, a Plasma network differs in other important technical ways from rollups , and is currently limited to simple operations, such as swaps and token transfers. More technical information is available here.", - }, - "PoA, PoS, PoW": { - definition: "Acronyms standing for Proof of X consensus mechanisms: Authority, Stake, Work. The “o” is lowercase since you wouldn’t capitalize “of” when writing out the phrase. See also 'consensus ', 'Proof of Authority', 'Proof of Stake', 'Proof of Work'.", - }, - "Polygon": { - definition: "Polygon (formerly Matic Network ) is a layer-2 scaling solution for Ethereum that aims to address the scalability issues of the Ethereum blockchain . It is designed to provide faster and cheaper transactions with the same level of security and decentralization as the Ethereum network . Polygon achieves this by creating a multi-chain ecosystem that is built on top of the Ethereum network . This ecosystem consists of various interconnected sidechains that can process transactions independently of the main Ethereum blockchain . These sidechains are called 'Polygon chains' or 'commit chains'.", - }, - "Portfolio": { - definition: "The Portfolio Dapp enables you to view all your MetaMask accounts and their assets in one place. It aggregates values from across your accounts and shows your total holdings, making it easier than ever to get an at-a-glance summary of their value in your chosen currency. Getting started with MetaMask Portfolio ", - }, - "PoS/PoW Hybrid": { - definition: "A hybrid consensus model that utilizes a combination of Proof of Stake (PoS) and Proof of Work (PoW) consensus . Using this Hybrid consensus mechanism, blocks are validated from not only miners, but also voters (stakeholders) to form a balanced network governance .", - }, - "Priority fee": { - definition: "The priority fee , also referred to as the 'miner tip ', incentivizes the miner to prioritize your transaction . Naturally, whether this does actually go to a miner depends on the consensus mechanism they use: Ethereum mainnet became a Proof of Stake network following the Merge in September 2022, so the priority fee goes to validators instead of miners.", - }, - "private blockchain": { - definition: "A blockchain or distributed ledger that has a closed network wherein participants are controlled by a single entity. A private blockchain requires a verification process for new participants. A private blockchain may also limit which individuals are able to participate in consensus of the blockchain network . See also 'permissioned ledger '.", - }, - "private currency": { - definition: "A currency or token issued by a private individual or firm. Typically, the token or currency is limited to use within the network of that particular firm or individual. This is not to be confused with a “privacy cryptocurrency ”, which are cryptocurrencies with specific privacy features, such as hidden user identities.", - }, - "private key": { - definition: "A private key is an alphanumeric string of data that, in MetaMask , corresponds to a single specific account in a wallet . Private keys can be thought of as a password that enables an individual to control a specific crypto account . Never reveal your private key to anyone, as whoever controls the private key controls the account funds. If you lose your private key , then you lose access to, and control over, that account .", - }, - "Proof of Authority (PoA)": { - definition: "A consensus mechanism used in private blockchains, granting a single private key the authority to generate all of the blocks or validate transactions.", - }, - "Proof of Stake (PoS)": { - definition: "A consensus mechanism in which an individual node , or “validator ”, validates transactions or blocks. Validators lock up a certain amount of cryptocurrency , such as ether, into a ‘stake’, in order to be able to participate in consensus . If the node validates a block (group of transactions) correctly, then the validator receives a reward. Conversely, if the validator behaves poorly by validating incorrect transactions or by not maintaining sufficient network connectivity, the cryptocurrency they staked can be ‘slashed’, or taken from them and put out of circulation (‘burned’). PoS requires a negligible amount of computing power compared to Proof of Work consensus .", - }, - "Proof of Work (PoW)": { - definition: "A consensus mechanism in which each block is ‘mined’ by one of the nodes, or a group of nodes, on the network . The computational process involved in committing a series of transactions into a block on the network , known as ‘hashing a block’, is technically quite simple, and therefore subject to attack. Under PoW, each miner must solve a math problem to find a set, difficult variable in order to be able to propose their block to the network as the next to be ‘mined’. In effect, the process of hashing each block becomes a competition. This addition of solving for a target increases the difficulty of successfully hashing each block, and consequently the security of the network . For each hashed block, the overall process of hashing will have taken some time and computational effort. Thus, a hashed block is considered Proof of Work, and the miner that successfully hashes the block first receives a reward, in the form of cryptocurrency . PoW is singificantly more energy-intensive than other consensus mechanisms, such as Proof of Stake.", - }, - "protocol": { - definition: "Formally speaking, a 'protocol ' is a set of rules governing how a process is carried out. This concept is used throughout public blockchain networks and web3 to refer to the way smart contracts execute their functionality in the same way regardless of the user. The products or services built on top of smart contracts are often referred to as 'protocols' by extension .", - }, - "public blockchain": { - definition: "A globally open network wherein anyone can participate in transactions, participate in the consensus protocol to help determine which blocks get added to the chain, maintain and examine the contents of the chain.", - }, - "public key": { - definition: "Public blockchain networks are just that: public. Their data is accessible and readable by anyone. In order to have any degree of usability when it comes to allowing users to do some things, like send transactions, but not others, like steal other peoples' tokens, cryptographic technology is used. In particular, a design paradigm known as 'public/private key pairs' is employed to ensure users can interact with others on the network as they wish, while keeping their own account secure. These key pairs consist of two long strings of alphanumeric characters. A public key can be derived mathematically from its corresponding private key , but the inverse is not true: it is mathematically impossible to derive a private key from its corresponding public key . This allows, for example, users to have a public wallet address that anyone can use to send them tokens, with the peace of mind that as long as they properly keep the corresponding private key safe, those tokens cannot be stolen. See also 'private key '.", - }, - "Public-Key Cryptography": { - definition: "See 'public key ',see 'Cryptography ', see 'blockchain '. Public-Key Cryptography ", - }, - "Public-Key Infrastructure": { - definition: "A public key infrastructure (PKI) is a collection of roles, rules, hardware, software, and processes for creating, managing, distributing, using, storing, and revoking digital certificates. Public-Key Infrastructure ", - }, - "QR code": { - definition: "A QR code is a type of matrix barcode, constituting a machine-readable optical label that can contain information about the item to which it is attached.", - }, - "Quorum": { - definition: "ConsenSys Quorum enables enterprises to leverage Ethereum for their high-value blockchain applications. Businesses can rely on the Quorum open-source protocol layer and integrate on top of it product modules from ConsenSys , other companies, or your own in-house development team to build high-performance, customizable applications. Quorum ", - }, - "Rarible": { - definition: "An NFT marketplace.", - }, - "relayer": { - definition: "A relayer is an intermediary that facilitates the exchange or transfer of information, assets, or services between two or more parties. The term is used in various fields, including finance, communication, and technology. In the context of cryptocurrencies and blockchain technology, a relayer typically refers to an intermediary that facilitates peer-to-peer transactions on a decentralized network . This can include decentralized exchanges (DEXs), where relayers act as matching engines to connect buyers and sellers of digital assets. A few examples of popular relayers include 0x: 0x is a decentralized exchange protocol that enables the creation of relayers on the Ethereum blockchain . These relayers can be built by anyone and allow for peer-to-peer trading of ERC -20 tokens. Kyber Network : Kyber Network is a decentralized liquidity network that also operates as a relayer . It enables users to trade a wide range of digital assets, including ERC -20 tokens, without the need for a centralized intermediary. Uniswap : Uniswap is a popular decentralized exchange that operates as a relayer . It uses an automated market maker (AMM) system to enable peer-to-peer trading of ERC -20 tokens. AirSwap : AirSwap is a decentralized exchange that operates as a peer-to-peer relayer on the Ethereum blockchain . It uses an off-chain order book to match buyers and sellers and execute trades.", - }, - "Remote Procedure Call (RPC)": { - definition: "The Remote Procedure Call is a technology that is used to transfer data between endpoints. You may often see it referred to as JSON-RPC , which is its full name; see ‘JSON-RPC ’ for further details.", - }, - "Rinkeby": { - definition: "An Ethereum testnet that uses Proof of Authority consensus , available through MetaMask ; Following the transition to Proof of Stake, Rinkeby scheduled its deprecation for the end of 2023.", - }, - "Roadmap": { - definition: "A planning technique which lays out the short and long term goals of a particular project within a flexible estimated timeline.", - }, - "Rocket Pool": { - definition: "Rocket Pool is a decentralized Ethereum staking pool.", - }, - "rollups": { - definition: "Rollups (pronounced 'roll ups') are one element in the set of tools and infrastructure being built as scaling solutions for the Ethereum network . They consist, in general, of networks which prioritize their ability to compute transactions and smart contract functionality, and then 'roll up' those transactions to Ethereum Mainnet for secure verification of their validity. There are different ways of approaching this problem from a technical point of view, namely Zero Knowledge, or ZK, rollups , and Optimistic rollups . Arbitrum and Optimism are prominent examples. See the entries on both of these types of rollup for more, and more in-depth discussion here.", - }, - "Ropsten": { - definition: "An Ethereum testnet that used Proof of Work, and, following the transition to Proof of Stake, was deprecated.", - }, - "RPC": { - definition: "The Remote Procedure Call is a technology that is used to transfer data between endpoints. You may often see it referred to as JSON-RPC , which is its full name; see 'JSON-RPC ' for further details.", - }, - "rug pull": { - definition: "Similar to the traditional financial scam of a pyramid scheme, a 'rug pull ' is a cryptocurrency or crypto- token based scam in which the creators of the token create hype, through injecting liquidity into their token , airdropping, and other schemes, and once investors pile in and boost the price of the token up to a certain point, the creators liquidate their (generally majority) share of the tokens, leaving their investors with next to nothing.", - }, - "Safeheron": { - definition: "Safeheron is an open-source platform for managing digital assets.", - }, - "Samsung Pay": { - definition: "Samsung Pay is a mobile payment and digital wallet service that lets users make payments using compatible phones and other Samsung-produced devices.", - }, - "sandbox": { - definition: "A testing environment in a computer system in which new or untested software or coding can be run securely.", - }, - "Sardine": { - definition: "Sardine is an instant fiat and crypto settlement platform.", - }, - "Satoshi Nakamoto": { - definition: "A pseudonymous individual or entity who created the Bitcoin protocol , solving the digital currency issue of the “double spend .” Nakamoto first published their white paper describing the project in 2008, and the first Bitcoin software was released one year later.", - }, - "scalability": { - definition: "A change in size or scale to handle a network ’s demands. This word is used to refer to a blockchain project’s ability to handle network traffic, future growth, and capacity in its intended application.", - }, - "Scaling": { - definition: "The main goal of scalability is to increase transaction speed (faster finality), and transaction throughput (high transactions per second), without sacrificing decentralization or security.", - }, - "Scrypt": { - definition: "An alternative proof-of-work (PoW) algorithm to SHA-256, used in Bitcoin mining . Scrypt mining relies more heavily on memory than on pure CPU power, aiming to reduce the advantage that ASICs. Scrypt ", - }, - "Secret Recovery Phrase": { - definition: "The seed phrase , mnemonic, or Secret Recovery Phrase is a crucial part of public blockchain technology, originally created for Bitcoin, and goes by many names. However, they all refer to a set of ordered words which correspond to determined values. These values never change, and therefore the same string of words in the same order will always produce the same number–this is the underlying functionality that allows seed phrases to back up wallets. This is also where the name ‘hierarchical deterministic wallets’ comes from, as all the accounts in a given wallet are deterministically created from the seed phrase , and they are hierarchically controlled by it. A Secret Recovery Phrase is exactly what it sounds like: something that is secret, and should be known only to the owner of the account . If the seed phrase is given to someone else, that person has complete control over the account ; they can drain it of tokens and funds, execute transactions with it, etc. What is a ‘Secret Recovery Phrase ’ and how to keep your crypto wallet secure", - }, - "Security Token": { - definition: "A security token is essentially a digital form of traditional securities. There are three primary types of traditional securities: equities, debt and a hybrid of debt and equity. Examples of securities include stocks, bonds, ETFs, options and futures. Hypothetically, any of these things can be tokenized to become a security token . It is possible that in the near future, security tokens could serve as a very viable alternative and competitor to stocks and other traditional securities. Security Token ", - }, - "Security Token Offering (STO)": { - definition: "A security token offering (STO) is a form of initial coin offering (ICO ) where a company or organization issues a security token that is backed by a tangible asset, such as real estate, technology or other assets. The security token represents the right to ownership of the underlying asset, with the tokens being tradeable on a compliant digital asset exchange . Security Token Offering", - }, - "seed phrase": { - definition: "Another term for Secret Recovery Phrase ", - }, - "self-custody (noun)": { - definition: "Self-custodial' refers to the fact that it's you ('self') who holds your wallet 's private key (s). A self-custodial wallet eliminates the third party between you and your crypto- assets, which is more suitable for some people.", - }, - "self-executing": { - definition: "A smart contract is a self-executing contract : a computer program that automatically executes the terms of a contract when certain conditions are met.", - }, - "Sepolia": { - definition: "Sepolia is a test networks. It is primarily used for development on the blockchain (testing out applications and smart contracts, etc). ETH on these testnets is a dummy balance and cannot be withdrawn or sent to mainnet ", - }, - "Serenity": { - definition: "The Ethereum network is working on a series of technical upgrades that will allow massive increases in transaction throughput, amongst other things. The plan that outlined these changes was originally referred to as 'Serenity ', although that name has become less popular, in favor of specific definitions of the upgrades themselves.", - }, - "serialization": { - definition: "The process of converting a data structure into a sequence of bytes. Ethereum internally uses an encoding format called recursive-length prefix encoding (RLP).", - }, - "Shard chain": { - definition: "A proof-of-stake chain that is coordinated by the Beacon Chain and secured by validators. There will be 64 added to the network as part of the shard chain upgrade . Shard chains will offer increased transaction throughput for Ethereum by providing additional data to layer 2 solutions like optimistic rollups and ZK-rollups .", - }, - "sharding (noun)": { - definition: "Sharding, in public blockchains, refers to splitting an entire network into multiple portions, called “shards.” Each shard would contain its own independent state , meaning a unique set of account balances and smart contracts. Sharding is currently being investigated and developed as one of the set of tools and solutions for scaling Ethereum .", - }, - "Shielded Transaction": { - definition: "A shielded transaction is essentially a transaction that is between two shielded addresses. Shielded Transaction ", - }, - "sidechain": { - definition: "A ‘sidechain ’ refers to a chain that is connected to another (most often, to Ethereum ) through a bridge , allowing assets to be transferred between them. In contrast to a Layer 2 network or a rollup, a sidechain is a full blockchain network in and of itself, and does not rely on Ethereum for consensus . It therefore must be evaluated independently in terms of its security, stability, and other features. See also “blockchain trilemma”, “modular blockchain ”. Note: Bridges exist for good reason; sending tokens from a sidechain to Ethereum mainnet or vice versa would result in token loss.", - }, - "Signature (Cryptographic)": { - definition: "See 'Digital signature '", - }, - "slashing condition": { - definition: "Under a Proof of Stake (PoS) consensus mechanism, a slashing condition is one that causes the validator 's deposit to be destroyed when they trigger it. See also 'Proof of Stake'.", - }, - "slippage": { - definition: "Slippage is the expected percentage difference between a quoted and an executed price.", - }, - "slot": { - definition: "In Proof of Stake consensus in Ethereum , a 'slot ' is a period of time equivalent to 12 seconds; 32 slots make up an 'epoch '. Slots are significant in that for each slot , a different validator node is randomly chosen to propose blocks to the network , and a different committee of validators are chosen to vote on whether each block is valid", - }, - "smart contract": { - definition: "Smart contracts are programs that have been published on a public blockchain , and can be used by anyone. While they often contain agreements or sets of actions between parties that emulate a traditional legal contract , they are not, in and of themselves, legal documents. Smart contracts are automated actions that can be coded and executed once a set of conditions is met, and are the dominant form of programming on the Ethereum Virtual Machine.", - }, - "snap": { - definition: "A program or piece of code that extends the functionality of MetaMask by using the MetaMask Snaps framework.", - }, - "soft fork": { - definition: "A change to the blockchain protocol resulting in only previously valid blocks and transactions being made invalid. Since old nodes will recognize the new blocks as valid, a soft fork is backward-compatible. However, this can result in a potential divide in the blockchain , as the old software generates blocks that read as invalid according to the new rules. Contrast with 'hard fork '; for more basic information regarding forks, see 'fork '.", - }, - "Software Development Kit (SDK)": { - definition: "A software development kit is a collection of software development tools in one installable package. They facilitate the creation of applications by having a compiler, debugger and sometimes a software framework. See 'MetaMask SDK'", - }, - "Solidity": { - definition: "The programming language developers use to write smart contracts on the Ethereum network . See also ‘smart contract ’. Solidity ", - }, - "stablecoin": { - definition: "A cryptocurrency whose value has been ‘pegged’ to that of something considered a ‘stable’ asset, like fiat currency or gold. It theoretically remains stable in price, as it is measured against a known amount of an asset which should be less subject to fluctuation. Always spelled as one word. User Guide: Tokens", - }, - "staking (noun)": { - definition: "On the Ethereum Proof of Stake network , those wishing to participate in consensus must first lock up, or ‘stake’, 32 ETH into a smart contract ; this ETH may be ‘slashed’ (taken from them and ‘burned’, put out of circulation) in the event that their validator behaves maliciously or does not meet performance requirements. Similar Proof of Stake mechanisms are in operation on other networks, as well. Although this is the canonical meaning of the word, similar actions taken at the level of a decentralized exchange (DEX ) or another dapp are often called ‘staking’, though it would probably be more accurate and descriptive to just call this ‘locking up tokens’.", - }, - "state": { - definition: "The set of data that a blockchain network strictly needs to keep track of, and that represents data currently relevant to applications on the chain.", - }, - "state channels": { - definition: "State channels are part of the set of tools and platforms involved in scaling Ethereum . While a complex topic, state channels are essentially methods through which the current 'state ' of the blockchain can be exported, and then based on that, any given number of transactions can take place off-chain , and then be moved back onto the main Ethereum chain.", - }, - "Streaming": { - definition: "Money streaming represents the idea of continuous payments over time. Block numbers are used to measure time in the blockchain and continuously update the balances of the parties in the contract .", - }, - "swap (noun)": { - definition: "As the number of different blockchain projects and tokens has proliferated, the system by which users exchange one token for another has come to be known as swapping, and the individual action, a swap. Within MetaMask , users have access to a powerful aggregator showing them information about swaps across the ecosystem , this is MetaMask Swaps: User Guide Swaps", - }, - "Swap /MetaSwap": { - definition: "As the number of different blockchain projects and tokens has proliferated, the system by which users exchange one token for another has come to be known as swapping, and the individual action, a swap.", - }, - "szabo": { - definition: "A denomination of ETH . See also 'ether (denominations)'.", - }, - "testnet (test network)": { - definition: "A testnet is a blockchain network that mirrors, as closely as possible, the current conditions of a corresponding ‘main’ network . Testnets are used by developers to verify that their smart contracts and other functionality work as intended, before permanently recording their code to a live blockchain network (and often spending significant gas fees in the process!). Tokens minted on testnets are not transferrable for their equivalent value on mainnets.", - }, - "Testnet Kovan": { - definition: "An Ethereum testnet that uses Proof of Authority consensus , available through MetaMask ; website here.", - }, - "Testnet Rinkeby": { - definition: "An Ethereum testnet that uses Proof of Authority consensus , available through MetaMask ; faucet here. Following the transition to Proof of Stake, Rinkeby scheduled its deprecation for the end of 2023.", - }, - "Testnet Ropsten": { - definition: "An Ethereum testnet that used Proof of Work, and, following the transition to Proof of Stake, was deprecated.", - }, - "token": { - definition: "A token represents an asset issued on an existing blockchain ; the transfer of tokens and the addresses that currently hold them are the subject of the network ’s consensus activities. There are many types of tokens; see also ‘ERC -20’ and ‘ERC -721’ entries.", - }, - "token lockup": { - definition: "A token lock-up refers to a mechanism where certain tokens or cryptocurrency holdings are locked up or frozen for a specified period of time to restrict their transfer or sale. This is often used in the context of initial coin offerings (ICOs), where token issuers may require investors to commit to holding onto their tokens for a certain period, typically to ensure that investors are committed to the project's long-term success. Token lock-up periods can vary in duration and can be predetermined or set according to certain conditions, such as reaching a certain milestone, liquidity event or network upgrade . During the lock-up period, the tokens cannot be transferred or sold, although in some cases, they may be staked or used to participate in certain network activities. Once the lock-up period is over, the tokens can be freely traded or sold.", - }, - "Token standard": { - definition: "See ERC -20, ERC -721, ERC -1155, etc.", - }, - "Total Value Locked (TVL)": { - definition: "Total Value Locked, or TVL, is a common expression used in many contexts across the crypto ecosystem , so it's important to pay attention to the specifics. In general, it refers to how much value, in tokens, has been deposited into something. Most often, it refers to a protocol , which is an application on the blockchain , or a set of protocols. For example, a decentralized token trading platform might have a series of liquidity pools, which are protocols enabling swaps between tokens, and the platform may quote the 'TVL' for all the pools combined. Alternatively, if a network uses proof of stake for their consensus mechanism, they may represent the TVL of all the tokens staked into that consensus protocol .", - }, - "Transaction": { - definition: "Data committed to the Ethereum Blockchain signed by an originating account , targeting a specific address. The transaction contains metadata such as the gas limit for that transaction .", - }, - "transaction block": { - definition: "A collection of transactions on a blockchain network , gathered into a set or a block that can then be hashed and added to the blockchain . See 'hash'.", - }, - "transaction fee": { - definition: "A small fee imposed on transactions sent across a blockchain network . These fees are used to pay network validators or miners for their participation in consensus , and thus ensure that a blockchain network is self-sustaining.", - }, - "transaction ID": { - definition: "A transaction hash/ID (often abbreviated as tx hash or txn hash) is a unique identifier, similar to a receipt, that serves as proof that a transaction was validated and added to the blockchain . In many cases, a transaction hash is needed in order to locate funds.", - }, - "transaction pool": { - definition: "When a user submits a transaction to the Ethereum network --or many other networks based on Ethereum --the transaction goes into what's know as a 'transaction pool', or 'txpool' for short. This is essentially a queue of transactions that are waiting to be added to a block and recorded to the blockchain . There are mechanisms that determine which transactions are 'picked up' and included in the next block, and there is currently a lot of research surrounding how this decision gets made (see 'MEV'). In Bitcoin, the transaction pool was referred to as the 'memory pool', or 'mempool', and often these terms are used interchangeably.", - }, - "Transak": { - definition: "Transak is a developer integration toolkit to let users buy/sell crypto in any app, website or web plugin.", - }, - "Trezor": { - definition: "Hardware wallet .", - }, - "Truffle": { - definition: "Truffle Suite is a development environment based on Ethereum Blockchain , used to develop dapps. Truffle is a one-stop solution for building dapps: compiling contracts, deploying contracts, injecting it into a web app, creating front-end for dapps and testing. Truffle Suite", - }, - "trustless": { - definition: "Trustless ' is a term that gets used a lot in the decentralized web , and it deserves some explanation. Traditionally, to call something 'trustless ' would sound like a negative thing. In the context of decentralized technology, it has a more technical meaning: since everyone has a copy of the ledger of all transactions ever executed, there is no need for a centralized entity that 'must be trusted' as the source of truth. With public blockchain networks, data isn't kept on some centralized server somewhere that could be hacked or changed arbitrarily; anyone can verify the transactions themselves. This is why the term 'trustless ' was coined: there is no need for trust, although, in a way, the rules and assurances built into the blockchain provide the basis for greater trust between people, because the system is guaranteed to work the same for everyone.", - }, - "Turing-complete": { - definition: "Any machine that can calculate on a level equal to a programmable computer is Turing-complete , or computationally universal. The Ethereum Virtual Machine, which processes smart contracts and transactions, is Turing-complete , despite not existing on a single physical computer.", - }, - "Two-Factor Authentication (2FA)": { - definition: "Two-factor authentication (2FA) is an identity and access management security method that requires two forms of identification to access resources and data. 2FA gives businesses the ability to monitor and help safeguard their most vulnerable information and networks.See also 'U2F ' When 2FA", - }, - "TXID": { - definition: "Transaction ID", - }, - "U2F": { - definition: "Universal 2nd Factor (U2F ) is an open standard that strengthens and simplifies two-factor authentication (2FA) using specialized Universal Serial Bus (USB) or near-field communication (NFC) devices based on similar security technology found in smart cards", - }, - "Uniswap": { - definition: "Uniswap is a decentralized cryptocurrency exchange that uses a set of smart contracts to execute trades on its exchange .", - }, - "unspent transaction output (UTXO)": { - definition: "An unspent transaction output (UTXO ) represents some amount of digital currency which has been authorized by one account to be spent by another. UTXOs use public key cryptography to identify and transfer ownership between holders of public/private key pairs. UTXOs are formatted with the recipient's public key , thus restricting the ability to spend that UTXO to the account that can prove ownership of the associated private key . The UTXO can only be spent if it includes the digital signature associated with the public key attached the last time it was sent.", - }, - "upgrade": { - definition: "Upgrading is the process of replacing a product with a newer version of the same product. In computing and consumer electronics, an upgrade is generally a replacement of hardware, software, or firmware with a newer or better version, in order to bring the system up to date or to improve its characteristics. See also EIP-1159, merge , and other important Ethereum upgrades", - }, - "UTXO": { - definition: "Acronym; Unspent Transaction Output.", - }, - "validator": { - definition: "A participant in Proof of Stake (PoS) consensus . On Ethereum ’s Proof of Stake network , validators need to stake 32 ETH in order to get included in the validator set. See also ‘staking’.", - }, - "validity proof": { - definition: "The proof submitted along with certain types of rollups to prove that the transactions are valid. See also 'rollups '.", - }, - "Validium": { - definition: "One of the technologies developed for scaling of the Ethereum network ; see more here.", - }, - "Vault Decryptor": { - definition: "The MetaMask Vault Decryptor is a tool used in recovering the Secret Recovery Phrase . This tool was written by MetaMask co-founder Dan Finlay and can be accessed here: Vault Decryptor ", - }, - "Vesting": { - definition: "In the context of 'vesting period': The act of restricting the sale of a token for a particular period of time. Vesting period", - }, - "wallet": { - definition: "In Ethereum -based blockchain technology, a 'wallet ' is a something that allows you to manage private keys, your Secret Recovery Phrase , and the accounts generated from it. This could be an internet-connected 'hot wallet ', like MetaMask , or an 'airgapped' hardware wallet . In more technical speak, you could say 'the wallet is the client, not the keys.' It is very common for people to use the word 'wallet ' to refer to their SRP itself, or the accounts generated from it, or even to one account .", - }, - "WalletConnect": { - definition: "WalletConnect is an open source protocol for connecting decentralised applications to mobile wallets with QR code scanning or deep linking.", - }, - "web3, Web 3.0": { - definition: "Web3, or Web 3.0, are terms used synonymously with “the decentralized web ” and are often used to refer, broadly, to the blockchain and decentralized technology ecosystems and communities as a whole.", - }, - "WebHID": { - definition: "WebHID (Human Interface Device) Enables web applications to interact with human interface devices (HIDs) other than the standard supported devices (mice, keyboards, touchscreens, and gamepads). However, there are many other HID devices that are currently inaccessible to the web", - }, - "WebSocket": { - definition: "WebSocket is a computer communications protocol , providing full-duplex communication channels over a single TCP connection. It's often used by dapps to regularly fetch up-to-date information from the blockchain .", - }, - "Wei": { - definition: "Wei is the smallest denomination of ether, the currency used to facilitate transactional operations on the Ethereum blockchain network , where 10^18 or 1,000,000,000,000,000,000 wei is equivalent to one ether.", - }, - "Whitepaper": { - definition: "Whitepapers explain the purpose and technology behind a project.", - }, - "Wrapping": { - definition: "Wrapping a token is a way of bringing a token from one network to another, like wrapped Bitcoin or MATIC tokens on Ethereum Mainnet . User Guide: Tokens", - }, - "Wyre": { - definition: "Wyre is a regulated Money Service Business (MSB), which means it is a financial services provider licensed to transmit and convert money. The company is almost a decade old, having been around since 2013. Wyre provides what the company calls a secure and compliant bridge between fiat and cryptocurrencies. It serves as an infrastructure provider for blockchain businesses to connect with the fiat economy. In other words, Wyre payments enable blockchain businesses to efficiently integrate highly customizable fiat on-ramps into their onboarding flows.", - }, - "yield farming": { - definition: "Yield farming is an investment practice that involves locking crypto in a dapp for token rewards. Yield farmers deposit their tokens into DeFi applications for crypto trading, lending, or borrowing.", - }, - "yield-bearing tokens": { - definition: "Yield tokens. See 'yield farming '", - }, - "zero address": { - definition: "The Zero Address is an address on the Ethereum network that is the recipient of a special transaction used to register the creation of a new smart contract on the network .", - }, - "Zero-knowledge proof": { - definition: "A zero-knowledge proof is a cryptographic method that allows an individual to prove that a statement is true without conveying any additional information.", - }, - "Zero-knowledge rollup": { - definition: "A rollup of transactions that use validity proofs to offer increased layer 2 transaction throughput while using the security provided by mainnet (layer 1 ). Although they can't handle complex transaction types, like Optimistic rollups , they don't have latency issues because transactions are provably valid when submitted.", - }, - "zk-SNARKs": { - definition: "Zero-Knowledge Succinct Non-interactive ARguments of Knowledge are an incredible technology, and vital to the scaling of blockchain technology and the decentralized web . They are mathematically complex and can be daunting; this explanation from the Ethereum Foundation is a good primer.", - } -}; - -export default linkedDefinitions; \ No newline at end of file diff --git a/src/utils/terms_linked.js b/src/utils/terms_linked.js deleted file mode 100644 index 46890d3..0000000 --- a/src/utils/terms_linked.js +++ /dev/null @@ -1,82 +0,0 @@ -const fs = require('fs'); -const path = require('path'); -const React = require('react'); -const { renderToStaticMarkup } = require('react-dom/server'); - -// Read the existing terms.json file -const termsFilePath = path.join(__dirname, './../', 'terms.json'); -const termsFileContent = fs.readFileSync(termsFilePath, 'utf8'); - -// Parse the terms object from the JSON file -const jsonData = JSON.parse(termsFileContent); -const termsObject = jsonData["0"]["terms"]; - -// Function to create a Link component for a term -const createLink = (term) => React.createElement( - 'Link', - { to: `/${term}`, key: term }, - term + ' ' // Add a space after the term -); - - -const parseDefinition = (definition, terms) => { - const termRegex = new RegExp(`\\b(${Object.keys(terms).join('|')})\\b`, 'gi'); - - if (typeof definition === 'string') { - // Trim excess spaces from the definition - definition = definition.trim().replace(/\s+/g, ' '); - - const elements = definition.split(termRegex).map((part, index) => { - if (index % 2 === 0) { - return part; - } else { - const term = part ? part.trim() : ''; - if (term) { - return createLink(term); - } else { - return null; - } - } - }).filter(Boolean); - - return React.createElement(React.Fragment, null, ...elements); - } - - if (React.isValidElement(definition)) { - return definition; - } - - return null; -}; - - -// Generate the linked definitions -const linkedDefinitions = {}; -for (const [term, data] of Object.entries(termsObject)) { - const parsedDefinition = parseDefinition(data.definition, termsObject); - linkedDefinitions[term] = { - definition: renderToStaticMarkup(parsedDefinition), - }; -} - -// Convert the linked definitions to a string suitable for a .jsx file -const escapeSpecialChars = (str) => str.replace(/"/g, '\\"').replace(/\n/g, '\\n'); - -const linkedDefinitionsJSX = `import React from 'react'; -import { Link } from './Link'; - -const linkedDefinitions = { -${Object.entries(linkedDefinitions).map(([term, data]) => ( - ` "${term}": { - definition: <>${escapeSpecialChars(data.definition)}, - }` -)).join(',\n')} -}; - -export default linkedDefinitions;`; - -// Write the linked-definitions.jsx file -const outputFilePath = path.join(__dirname, 'linked-definitions.jsx'); -fs.writeFileSync(outputFilePath, linkedDefinitionsJSX); - -console.log('Linked definitions generated successfully!'); diff --git a/tsconfig.json b/tsconfig.json index ce9d1a4..ebc0d33 100644 --- a/tsconfig.json +++ b/tsconfig.json @@ -17,5 +17,5 @@ "jsx": "react-jsx", "types": ["vite/client", "vite-plugin-svgr/client"] }, - "include": ["src"] + "include": ["src", "data/v1/linked-definitions.jsx", "data/v09/linked-definitions.jsx", "data/v09/terms_linked.js"] } \ No newline at end of file diff --git a/vite.config.js b/vite.config.js index a992d4b..ac8c76c 100644 --- a/vite.config.js +++ b/vite.config.js @@ -1,13 +1,28 @@ import { defineConfig } from 'vite'; import react from '@vitejs/plugin-react'; +import path from 'path'; export default defineConfig({ - base: '/web3-glossary-website/', plugins: [react()], - build: { - outDir: 'dist', + resolve: { + alias: { + '@': path.resolve(__dirname, 'src'), + }, }, server: { - historyApiFallback: true, + fs: { + allow: ['..'], + }, + historyApiFallback: true, // Ensure fallback for SPA routing + }, + build: { + outDir: 'dist', + rollupOptions: { + output: { + manualChunks: { + 'react-vendor': ['react', 'react-router-dom'], + }, + }, + }, }, });