CryptoURANUS Economics

Anti-AdBlocker

Thursday, May 6, 2021

Addy: Defined in CryptoCurrency

Addy:
Defined in CryptoCurrency

Addy is short for address.
Addy is an abbreviation for "Address" which is the string of letters and numbers that is publicly available and allows cryptocurrency to be received.

Algorithm: Defined in CryptoCurrency

Algorithm: Defined in CryptoCurrency

An algorithm is defined as a series of steps that will solve a problem.
In cryptocurrencies, algorithms are used to hide and reveal information.

Also Known As:
Block Hashing Algorithm
Bitcoin mining uses the hashcash proof of work function; the hashcash algorithm requires the following parameters: a service string, a nonce, and a counter. In bitcoin the service string is encoded in the block header data structure, and includes a version field, the hash of the previous block, the root hash of the merkle tree of all transactions in the block, the current time, and the difficulty. Bitcoin stores the nonce in the extraNonce field which is part of the coinbase transaction, which is stored as the left most leaf node in the merkle tree (the coinbase is the special first transaction in the block). The counter parameter is small at 32-bits so each time it wraps the extraNonce field must be incremented (or otherwise changed) to avoid repeating work. The basics of the hashcash algorithm are quite easy to understand and it is described in more detail here. When mining bitcoin, the hashcash algorithm repeatedly hashes the block header while incrementing the counter & extraNonce fields. Incrementing the extraNonce field entails recomputing the merkle tree, as the coinbase transaction is the left most leaf node. The block is also occasionally updated as you are working on it.
A block header contains these fields:
Field Purpose Updated when... Size (Bytes)
Version Block version number You upgrade the software and it specifies a new version 4
hashPrevBlock 256-bit hash of the previous block header A new block comes in 32
hashMerkleRoot 256-bit hash based on all of the transactions in the block A transaction is accepted 32
Time Current block timestamp as seconds since 1970-01-01T00:00 UTC Every few seconds 4
Bits Current target in compact format The difficulty is adjusted 4
Nonce 32-bit number (starts at 0) A hash is tried (increments) 4
The body of the block contains the transactions. These are hashed only indirectly through the Merkle root. Because transactions aren't hashed directly, hashing a block with 1 transaction takes exactly the same amount of effort as hashing a block with 10,000 transactions.
The compact format of target is a special kind of floating-point encoding using 3 bytes mantissa, the leading byte as exponent (where only the 5 lowest bits are used) and its base is 256. Most of these fields will be the same for all users. There might be some minor variation in the timestamps. The nonce will usually be different, but it increases in a strictly linear way. "Nonce" starts at 0 and is incremented for each hash. Whenever Nonce overflows (which it does frequently), the extraNonce portion of the generation transaction is incremented, which changes the Merkle root.
Moreover, it is extremely unlikely for two people to have the same Merkle root because the first transaction in your block is a generation "sent" to one of your unique Bitcoin addresses. Since your block is different from everyone else's blocks, you are (nearly) guaranteed to produce different hashes. Every hash you calculate has the same chance of winning as every other hash calculated by the network.
Bitcoin uses: SHA256(SHA256(Block_Header)) but you have to be careful about byte-order.
For example, this python code will calculate the hash of the block with the smallest hash as of June 2011, Block 125552. The header is built from the six fields described above, concatenated together as little-endian values in hex notation:
>>> import hashlib
>>> header_hex = ("01000000" +
 "81cd02ab7e569e8bcd9317e2fe99f2de44d49ab2b8851ba4a308000000000000" +
 "e320b6c2fffc8d750423db8b1eb942ae710e951ed797f7affc8892b0f1fc122b" +
 "c7f5d74d" +
 "f2b9441a" +
 "42a14695")
>>> header_bin = header_hex.decode('hex')
>>> hash = hashlib.sha256(hashlib.sha256(header_bin).digest()).digest()
>>> hash.encode('hex_codec')
'1dbd981fe6985776b644b173a4d0385ddc1aa2a829688d1e0000000000000000'
>>> hash[::-1].encode('hex_codec')
'00000000000000001e8d6829a8a21adc5d38d0a473b144b6765798e61f98bd1d'

Endianess

Note that the hash, which is a 256-bit number, has lots of leading zero bytes when stored or printed as a big-endian hexadecimal constant, but it has trailing zero bytes when stored or printed in little-endian. For example, if interpreted as a string and the lowest (or start of) the string address keeps lowest significant byte, it is little-endian.
The output of blockexplorer displays the hash values as big-endian numbers; notation for numbers is usual (leading digits are the most significant digits read from left to right).

Here is the same example in plain PHP without any optimization.
<?
  //This reverses and then swaps every other char
  function SwapOrder($in){
      $Split = str_split(strrev($in));
      $x='';
      for ($i = 0; $i < count($Split); $i+=2) {
          $x .= $Split[$i+1].$Split[$i];
      } 
      return $x;
  }
  
  //makes the littleEndian
  function littleEndian($value){
      return implode (unpack('H*',pack("V*",$value)));
  }
  
  $version = littleEndian(1);
  $prevBlockHash = SwapOrder('00000000000008a3a41b85b8b29ad444def299fee21793cd8b9e567eab02cd81');
  $rootHash = SwapOrder('2b12fcf1b09288fcaff797d71e950e71ae42b91e8bdb2304758dfcffc2b620e3');
  $time = littleEndian(1305998791);
  $bits = littleEndian(440711666); 
  $nonce = littleEndian(2504433986); 
  
  //concat it all
  $header_hex = $version . $prevBlockHash . $rootHash . $time . $bits . $nonce;
  
  //convert from hex to binary 
  $header_bin  = hex2bin($header_hex);
  //hash it then convert from hex to binary 
  $pass1 = hex2bin(  hash('sha256', $header_bin )  );
  //Hash it for the seconded time
  $pass2 = hash('sha256', $pass1);
  //fix the order
  $FinalHash = SwapOrder($pass2);
  
  echo   $FinalHash;
?>

Zero Confirmation Transaction: defined in CryptoCurrency

Zero Confirmation Transaction:
defined in CryptoCurrency

A zero confirmation transaction is defined as an exchange that has not yet been recorded and verified on the blockchain. Instead the seller immediately assumes he received his money and delivers what was sold.

A blockchain can be compared to a digital book that can record anything where each page in that book is known as a block. The blockchain is simultaneously maintained by a network of computers who must all agree on the data.

Any bad actor who wants to manipulate the blockchain would need to have at least 51% of the computing power of the entire network to make changes. In a big blockchain like bitcoin, that’s incredibly expensive and difficult.

After sending data to the blockchain, you have to wait for one of the computers maintaining the network to record and verify your data into a block. Because blocks are connected to each other, every block confirms all prior blocks. That means the longer the blockchain gets, the more secure earlier blocks are.

When using bitcoin, it is recommended you wait for at least 6 confirmations (5 blocks recorded after yours) before considering your transaction is permanent. After 6 blocks, there is less than a 0.1% chance your data will ever be altered.

The first confirmation comes when a block records your data. Every block recorded afterwards is counted as an additional confirmation.

Airdrop: defined in CryptoCurrency

Airdrop: defined in CryptoCurrency


Airdrop (cryptocurrency):
The term Airdrop: defined in CryptoCurrency is as follows. An airdrop is defined as the process of freely distributing a new cryptocurrency to people hopefully creating more demand.

When a new cryptocurrency is created, it needs to gain users. One way of doing this through an airdrop.

The group issuing the airdrop hopes new users will begin researching and sharing the coin creating more demand. 

To start an airdrop, the crypto group will often find people who already have another cryptocurrency and identify them as being equipped with wallets that can accept these airdropped coins.

Their other option is to have people voluntarily complete a form where they will then receive their coins.

NOTE: Beware of any website that asks for your private keys. DO NOT share your private keys with anyone unless you trust them with your money!


An airdrop is a distribution of a cryptocurrency token or coin, usually for free, to a large number of wallet addresses. 
 
Airdrops are primarily implemented as a way of gaining attention and new followers, resulting in a larger user-base and a wider disbursement of coins. 
 
Overview:
Airdrops aim to take advantage of network effect by engaging existing holders of a particular blockchain-based currency, such as Bitcoin or Ethereum in their currency or project. 

There are two ways creators distribute their tokens: by selecting recipients at random, or by publishing the event in airdrop-related bulletin boards or newsletters. 
 
Often, random Ethereum accounts with value above a certain threshold will receive various unsolicited airdropped tokens. 
 
Many websites now exist which promote cryptocurrency Airdrops, and social media is a great place to read about upcoming Airdrops.

Cryptocurrency enthusiasts can gain free cryptocurrency by supporting projects who release coins through an Airdrop. 
 
Often, Airdrops will have requirements such as joining a Telegram channel, retweeting a tweet, or inviting new users to the project. 
 
Should the participant have to contribute capital towards the project, then this is not considered an airdrop.

Airdrops can be considered[by whom?] a very effective and common marketing strategy among new cryptocurrency projects. 
 
Its goal is usually to spread the word about a certain product, coin or exchange in the world of cryptocurrencies.
 
[citation needed] Additionally, the new token-holders are incentivized towards the success of the project due to owning a certain number of coins themselves.

There are many guides available for users wanting to join cryptocurrency airdrops.

Lately[when?] this strategy has become increasingly important to the larger cryptocurrency community due to the effectiveness of the strategy, as well as unwanted/spammy[clarification needed] advertising practices. 
 
Because of this unsavory reputation, many social networks, most notably Facebook, are now refusing to allow ads promoting various virtual coins.

In the United States, the practice has raised questions about tax liabilities and whether they amount to income or capital gains.



Use-Case: Defined in CryptoCurrency



Use-Case: Defined



A use case is defined as any possible way a technology or tool could be used.

Originally a software term, use case has evolved to mean any possible way something could be used, especially in some way that provides value to its us









Project Overview:


  • The Stellar payments system exists to move money as quickly and efficiently as possible.
  • Boasting tiny fees, 3-5 second confirmation times, and a throughput of thousands of transactions per second.
  • Stellar has been established as one of the leading payment cryptocurrencies on the market.
  • Cryptocurrencies like Stellar are the biggest current Use-Case is working as a connection service between fiat and cryptocurrencies.
  • To allowing both financial institutions and individuals to make fast and reliable payments is a breakthrough.
  • Stellar has made a concentrated effort to serve migrant workers who go abroad to make a living and send money back to their families in developing countries.
  • Depending on your own personal circumstances, you might not immediately recognize how big of a Use-Case this is.
  • International transactions involving migrant workers accounts for a multi-billion dollar industry.
  • This billion dollar industry is one that has thus far been exploited by services such as Western Union.
  • Stellar-Coin is adamantly leading the way, because migrant workers are quickly the earlier adopters of blockchain technology.
  • Migrant workers are just one of many  Use-Case.
  • The scope of Stellar covers remittance payments, international settlements, cross-border transactions, and much more.
  • The total addressable market is worth tens of trillions of dollars more the federal reserve private banking all-family owned businesses.
  • Stellar-Coins still have a whole lot of room for growth.





The Enigma Project For Privacy Advocates:



Here’s an exciting project for all the privacy advocates out there!

  • Enigma isn’t a standalone cryptocurrency or a smart contract platform.
  • Enigma-Coins are a privacy protocol that can augment other blockchains with privacy features.
  • People across the developing world are slowly waking up to the fact that privacy isn’t just important for people who “have something to hide.”
  • The amount of data being collected on each and every one of us online is downright George Orwell 1984 and the Matrix movies combined.
  • The only way not care about privacy anymore is to be ignorant of how bad the issue has become.
  • Just ask Alexa what time it’s going to rain today? 
  • Alexa will answer: "See ads for designer umbrellas and rain jackets the next time you open Instagram, tell your friends and loved ones."
  • Or, if you want to take a look at where this is all headed, read about China’s social credit system.
  • The worst case scenario is like(?), the Nosedive episode of Black Mirror will probably do the trick.
  • Privacy matters whether you “have something to hide” or not.
  • The emergence of blockchain infrastructure have the chance to solve the problem of consumer privacy once and for all.


About Your Privacy!

  • Privacy cryptocurrency features are not exactly easy to include in just any old blockchain.
  • Privacy requires some complex cryptography developed by highly capable programmers.
  • This sheds light back to Enigma the private-banking industry.
  • The protocol transforms “smart contracts” into “secret contracts,” such that nodes can process data without being able to see the data’s actual contents.
  • Your internet service provider and all the apps on your phone worked same privacy as with Enigma, no-one can see your data?  
  • This is the future that blockchain creates, and Enigma is here to usher the future in. 

Why You Should Watch Enigma?


  • 2018 of September is set to be a milestone month for Enigma.
  • Their mainnet going live by the end of the month.
  • It is one of our most anticipated mainnet launches for the end of 2018. 
  • This may resolve into further evidence of Ethereum’s industry-leading development community.
  • The strong Use-Case in personal data, healthcare and genomics, credit, and the Internet of Things, among others, Enigma’s first-of-its-kind solution has truly world-changing potential.
  • Enigma already supports an application, Catalyst, that provides a solid proof of concept before the mainnet even launches.
  • Enigma is the newest project on this list.
  • Enigma is already poised to start making a big impact in the crypto industry.



September is the beginning of a bright, bright future for these CryptoCurrencies.


Vanity Address: Defined in CryptoCurrency



Bitcoin Vanity Address: Defined























What is a Vanity Address and How Does It Work?

It's a normal bitcoin address that starts with some string of characters that appeals to you.

In some way it is a bit like having a personalised number plate on your car.

How to import a Private Key into a Wallet?

By design HD wallets are not compatible with vanity addresses.
List of compatible wallets with import instructions:


    Paper Wallet:

    With your vanity address, you automatically receive paper wallet. You can print it and fold like below.  More informations about paper wallet is in our FAQ


    Delivery method:

    When your vanity address is ready, you will receive it by chosen delivery method:
    1. Email (one time link to receive your address).
    2. Traditional post (whole world delivery).

    Security:

    • Security is our top priority. 
    • After address generation is complete we send it to you with chosen delivery method.
    • Our automatic process delete every trace of generation.

    Forbidden characters:

    Bitcoin addresses consist of random digits and uppercase and lowercase letters, with the exception that the uppercase letter "O", uppercase letter "I", lowercase letter "l", and the number "0" are never used to prevent visual ambiguity.

    Longer and cheaper Vanity Address:

    We are in process of expanding our infrastructure to allow even longer Vanity Addresses at lower prices.

    1. Two examples are below:


    1GOOGLEzZDwTGhXJwPSapWtViWJf2NJYyt
    1googLemzFVj8ALj6mfBsbifRoD4miY36v

    [Vanitygen]: 

    Vanity-Generator is a command-line vanity bitcoin address generator.

    If you're tired of the random, cryptic addresses generated by regular bitcoin clients, you can use vanitygen to create a more personalized address. Add unique flair when you tell people to send bitcoins to 1stDownqyMHHqnDPRSfiZ5GXJ8Gk9dbjO. Alternatively, vanitygen can be used to generate random addresses offline.

    Vanitygen accepts as input a pattern, or list of patterns to search for, and produces a list of addresses and private keys. Vanitygen's search is probabilistic, and the amount of time required to find a given pattern depends on how complex the pattern is, the speed of your computer, and whether you get lucky.



    The example below illustrates a session of vanitygen. It is typical, and takes about 10 sec to finish, using a Core 2 Duo E6600 CPU on x86-64 Linux:
    $ ./vanitygen 1Boat Difficulty: 4476342 Pattern: 1Boat Address: 1BoatSLRHtKNngkdXEeobR76b53LETtpyT Privkey:

    5J4XJRyLVgzbXEgh8VNi4qovLzxRftzMd8a18KkdXv4EqAwX3tS

    Vanitygen includes components to perform address searching on your CPU (vanitygen) and your OpenCL-compatible GPU (oclvanitygen). Both can be built from source, and both are included in the Windows binary package. Also included is oclvanityminer, the vanity address mining client. Oclvanityminer can be used to automatically claim bounties on sites such as ThePiachu's Vanity Pool.

    Current version: 0.22
    Windows x86+x64 binaries here. PGP signature here.
    Get the source from GitHub. Includes Makefiles for Linux and Mac OS X.
    Main discussion at BitCoinTalk

    The latest source doesn't work properly for high-end AMD cards (7XXX and greater). Solution is to change line 459 in oclengine.c from: return quirks; to: return quirks & ~VG_OCL_AMD_BFI_INT; Windows x86+x64 binaries that solve this problem plus provide support for compressed keys here. PGP signature here. If you have any problems with the binaries, join the relevant BitCoinTalk discussion.



    What is a Vanity Address?


    It's a normal bitcoin address that starts with some string of characters that appeals to you. In some way it is a bit like having a personalised number plate on your car.

    How to import a Private Key into a Wallet?


    By design HD wallets are not compatible with vanity addresses.  List of compatible wallets with import instructions:



    Paper Wallet:


    With your vanity address, you automatically receive paper wallet. You can print it and fold like below.


    Delivery Method:


    When your vanity address is ready, you will receive it by chosen delivery method:

    1. Email (one time link to receive your address).
    2. Traditional post (whole world delivery).

    Security:


    Security is our top priority. After address generation is complete we send it to you with chosen delivery method. Our automatic process delete every trace of generation.

    Forbidden Characters:


    Bitcoin addresses consist of random digits and uppercase and lowercase letters, with the exception that the

    uppercase letter "O", uppercase letter "I", lowercase letter "l", and the number "0" are never used to prevent visual ambiguity.

    Longer and cheaper Vanity Address:


    We are in process of expanding our infrastructure to allow even longer Vanity Addresses at lower prices.

    Vertcoin [VTC]: Defined in CryptoCurrency


    Vertcoin [VTC]:
























    Introduction:


    Vertcoin is a proof-of-work cryptocurrency that was released on January 8, 2014.

    It is similar to Bitcoin and Litecoin, but offers additional features including an ASIC resistant proof-of-work mining algorithm and advanced privacy via stealth addresses.

    ASIC resistance is probably Vertcoin’s most defining feature, and while it may seem like a minor addition to the typical altcoin market feature set, it actually has huge implications for the distribution and decentralization of the coin.

    Vertcoin’s goal is to remain a cryptocurrency asset owned by its users, not companies with industrial mining rigs that favor the pursuit of profit over progress.