Bitcoin Forum
May 29, 2024, 06:57:44 PM *
News: Latest Bitcoin Core release: 27.0 [Torrent]
 
  Home Help Search Login Register More  
  Show Posts
Pages: « 1 ... 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 [131] 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 ... 288 »
2601  Bitcoin / Development & Technical Discussion / Re: "Easy way" to extract the UXTO from Bitcoin Core? on: June 13, 2014, 12:23:44 AM
That would actually be something worth documenting.
Preferably on the wiki.
This is really a deep software internal and may change from version to version. You really should not be writing external software that does anything with it— and if you do, well— you get to keep the pieces. It's documented in the source (serialize.h) I'd worry that putting it on the wiki would make it sound like there was some commitment at all to preserve it.
2602  Bitcoin / Development & Technical Discussion / Re: "Easy way" to extract the UXTO from Bitcoin Core? on: June 11, 2014, 12:37:58 AM
Using this I have been able to locate some tx and decode some portions of the vouts.  The height and value are still a mystery though due to this "compact format".  Any ideas?
0x86af3b = 120,891
0x8bb85e = 203,998
0x86ef97d579 = 234,925,952
0x8358 = 60,000,000,000

Oh come on, just follow the calls.. Smiley not so hard to find the ctxoutcompressor and the call to decompress amount:

Code:
// Amount compression:
// * If the amount is 0, output 0
// * first, divide the amount (in base units) by the largest power of 10 possible; call the exponent e (e is max 9)
// * if e<9, the last digit of the resulting number cannot be 0; store it as d, and drop it (divide by 10)
//   * call the result n
//   * output 1 + 10*(9*n + d - 1) + e
// * if e==9, we only know the resulting number is not zero, so output 1 + 10*(n - 1) + 9
// (this is decodable, as d is in [1-9] and e is in [0-9])

uint64_t CTxOutCompressor::CompressAmount(uint64_t n)
{
    if (n == 0)
        return 0;
    int e = 0;
    while (((n % 10) == 0) && e < 9) {
        n /= 10;
        e++;
    }
    if (e < 9) {
        int d = (n % 10);
        assert(d >= 1 && d <= 9);
        n /= 10;
        return 1 + (n*9 + d - 1)*10 + e;
    } else {
        return 1 + (n - 1)*10 + 9;
    }
}

uint64_t CTxOutCompressor::DecompressAmount(uint64_t x)
{
    // x = 0  OR  x = 1+10*(9*n + d - 1) + e  OR  x = 1+10*(n - 1) + 9
    if (x == 0)
        return 0;
    x--;
    // x = 10*(9*n + d - 1) + e
    int e = x % 10;
    x /= 10;
    uint64_t n = 0;
    if (e < 9) {
        // x = 9*n + d - 1
        int d = (x % 9) + 1;
        x /= 9;
        // x = n
        n = x*10 + d;
    } else {
        n = x+1;
    }
    while (e) {
        n *= 10;
        e--;
    }
    return n;
}

Because there are millions of txouts the format works fairly hard to save every byte (the leveldb compression does nothing useful for txouts at all).
2603  Bitcoin / Development & Technical Discussion / Re: Bit-thereum on: June 10, 2014, 08:12:52 PM
I think the IBM cards are basically dead, at this point. TC is now all about Intel TXT (sort of crappy) or SGX (not here yet but seems to have a much better design).
Nope, still sold and supported— and there was a new version (third generation) released last year. (I also have a second generation card to screw around with…)
2604  Bitcoin / Development & Technical Discussion / Re: Would preventing pooled mining help or hurt Bitcoin? on: June 10, 2014, 03:54:04 AM
It would be very easy to design a PoW which requires knowledge of the private key.  Bitcoin will never be forked to support this but a simple solution would be to require the block to be digitally signed by the private key which corresponds to the PubKey designated in the coinbase (reward) tx.  A block which is not signed, improperly signed, or signed w/ a different key is invalid.  

It is probably not a good idea though.   Some of the largest operators use no pools (look at the unknown portion of the network) and they would be unaffected.  Another negative is that it would eliminate p2pool and direct payout pool structures (eligus) which are preferable.  It would also prevent using multisig to enable more secure mining pools.  If anything it would be a barrier to entry for smaller players and further drive mining toward large hosted systems.
What you described there doesn't prevent pooling, since the block could just be submitted to the pool, who could sign it.  Though a non-randomized signature could be used by using its value in the target check.

It wouldn't even necessarily need to be incompatible with multisig, since it could just support an arbitrary script.... but yea, incompatibility with pooling is worse than the alternatives you'd get instead it seems.

2605  Bitcoin / Development & Technical Discussion / Re: Bit-thereum on: June 09, 2014, 11:13:20 PM
This subject has been a frequent one in #bitcoin-wizards.

The point I like to make is that anything you can do with script or a sufficiently enhanced script you can do with N of M oracles plus additional things (E.g. things which need secrecy or trusted I/O).   So putting something in the consensus network is merely a security improvement.   It would seem reasonable to me to expect any grand application that wants a significant script change to _first_ be implemented as N of M oracles to hammer out the use case before making the consensus system changes.

One thing I've had in mind would be to use such a system to stage any new Script2.0 for bitcoin— e.g. the oracles can just run the proposed new script directly.

There are some enhancements we could make in the Bitcoin system to facilitate oracles— for example, our multisignature system has good loose coupling, but it scales poorly: the signatures are linear in N+M. A threshold signature would be constant size— making things like 16 of 30 oracles completely practical. Though the ECDSA threshold cryptography proposed might be adequate, though it requires more communications rounds between the signers.

I have a science project grade implementation of an oracle system that I've been slowly toying with.  In mine I use the Moxie virtual machine plus some special handling for fast crypto functions, I used moxie because it's GCC targetable and an implementation of the VM is just a 1kloc switch statement— easy to audit.  My design works by the user having one or more scripts (binary inputs for the VM), which they commit to in a hash-tree. The root of the hash-tree is the ID of the script-set.   When you ask the oracle to run a script, you give it the script, it's index, and the tree fragments connecting it to the root— and also a cycle count limit which determines how much you have to pay.  Outside of the secure execution environment the oracle computes HMAC(root_hash, oracle_secret_key)  and makes the resulting value available to the script, along with the time, and other inputs provided by the user.  The script is free to then do things like generate and return a pubkey, or sign messages.  The use of the tree means that you don't have to waste the oracle's bandwidth with contingency code you never run (or lose privacy about those branches).

I didn't allow any script directed I/O in my design at all, instead, I planned on having IO done as a pre-processing stage and provided as inputs to the scripts— they're pure functions.  Turns out it's a lot easier to handle the VM security when it does no IO, it's also easier to handle resource usage when the script won't be blocking to wait on the network.

Part of my concern with resource control and IO complexity is that ultimately I'd like to have this virtual machine running inside an IBM cryptocard, with remote attestation... not just to protect the users from a cheating operator, but to protect the operator from being threatened by users that might want to try to coerce them.

I imagined the way payment would work is that you could purchase (with bitcoin) chaum tokens from the oracles for units of compute... then supply them with your scripts when you want to run them.  The oracle could maintain a work queue, constantly working on the script with the best tokens per max_cycle remaining... if you're unhappy with how long your script is taking to make it to the head of the line, you could add more tokens to it after the fact.  Though I don't know how valuable this would be to implement out of the gate— being taxed for resource would be a huge success. Smiley

There are some extra neat things you can do along these lines— Oracles are already more private than using the consensus network (absent rocket science like script-in-ZK), but you can do even better:  For a script arbitrating a transaction has a binary winner and loser where the winner takes all, you can make the script release private keys instead of signing.  By summing a public key from the oracle prior to the contract and summing the private keys after you can cryptographically blind the oracle so that it doesn't know which transaction it was deciding the fate for...

2606  Bitcoin / Development & Technical Discussion / Re: Vanitygen: Vanity bitcoin address generator/miner [v0.22] on: June 09, 2014, 08:11:12 PM
Yeah it would make life much more easier. How hard is to implement that ?
I did not saw any devs commenting on this thread in a long time.
I have a hack of an implementation for cpu only— I don't have any gpus anymore, so doing more than that wasn't interesting to me. https://people.xiph.org/~greg/compressed.keys.patch
2607  Bitcoin / Development & Technical Discussion / Re: Vanitygen: Vanity bitcoin address generator/miner [v0.22] on: June 09, 2014, 07:58:50 PM
Still no compressed keys?  I'm kinda surprised considering how much faster it makes the searching.
2608  Bitcoin / Bitcoin Technical Support / Re: how to send multiple payments without waiting for change? on: June 09, 2014, 05:42:43 PM
First and foremost, use sendmany.— I don't understand why you're bringing up bc.i.

Technically you can spend unconfirmed outputs, but it's advisable to avoid it.

For high throughput environments you should also avoid merging your coins beyond the amounts you'll be paying where you can, so that you'll have more outputs to spend.
2609  Bitcoin / Development & Technical Discussion / Re: Would preventing pooled mining help or hurt Bitcoin? on: June 09, 2014, 05:01:34 AM
Would there be any effective difference between everyone switching to p2pool (including centralized pools) and changing Bitcoin's target to 30 seconds?  From what I understand small miners are still pretty unlikely to get any mining rewards using p2pool.  20 times better than almost impossible is still pretty bad.
Yes, an enormous difference, P2Pool doesn't just make the shares 20x more frequent than the blocks: you're credited for a three day long rolling window of shares, so more like a ratio of 8640.... even more than that, p2pool users mine at different share difficulties, when a node gets too many shares in the window it increases its share difficulty to make more room for smaller miners (once you've got a few hundred shares in the window more shares hardly decreases your variance— the variance is dominated by the block finding variance at that point).
2610  Bitcoin / Development & Technical Discussion / Re: Would preventing pooled mining help or hurt Bitcoin? on: June 09, 2014, 12:06:47 AM
The end result would be that the only way to get low variance would be to invest in a hosted mining company. This would not be an improvement over pooled mining.
2611  Alternate cryptocurrencies / Announcements (Altcoins) / Re: [BCN] Bytecoin (CPU-mining, true anonymity) on: June 08, 2014, 03:19:22 PM
I don't have the .onion address. But it looked similar to the one mentioned earlier.
How did you have the onion address in the first place if you don't have it now?
2612  Alternate cryptocurrencies / Altcoin Discussion / Re: 【Truth or FUD???】DarkCoin – The Next Big Thing, or Just Another Pump and Dump? on: June 06, 2014, 08:14:23 PM
Btw, this is my alleged pumping link that Greg took exception to: https://bitcointalk.org/index.php?topic=279249.msg7159773#msg7159773
Not including the two (IIRC) other OT posts of yours that I outright deleted.
Being the objective staff/moderator that you are of course. Well done mate. Keep it up. You're showing everyone what centralised authority is capable of. Moreover, I have not posted anything on this issue on IIRC.
It was offtopic, posting about DarkCoin and IRS black helecoptors over and over again in an unrelated thread… exactly the sort of stuff that gets deleted every day. Post in the correct threads and your posts won't be deleted.

WRT having contact info for the other coins, the bcn&forks have the nice property that I don't have to constantly change the addresses to avoid reuse as I do in Bitcoin. I didn't have any Bitcoin address listed at all except I have to have one to get the moderator payments from the forum, and so I'm stuck replacing it every time it receives a payment. I posted some design criticisms in the bytecoin thread and I got asked to post a donation address, since it doesn't have the reuse problem. I'd list anything else I tried that didn't have the address reuse problem, at the moment thats limted to the bcn&forks.  Altcoins are a mess but I'm happy to take tips of whatever people want to send. Whoptie do, my profile is open and non-secret.

Wow, so I think you need to go back and look at how Darkcoin started. It was my hobby, I wrote X11 in a weekend and launched it. I was thinking I might be able to write the anon tech into the wallet using a variation of Coinjoin, which I started afterward. Darkcoins success was much like Dogecoin, an accident. Please read this:  https://darkcointalk.org/threads/the-birth-of-darkcoin.162/
Had I know what was going to happen, I would have obviously taken much more care with the launch and tested everything thoroughly. It's too bad we can't all get past that, it irritates me seeing this constantly everywhere.
If you want to checkout the source for Darksend and see how it works I'm open to that. I think you'd be the best person to look it over before it's opened anyway.

That things happened which you never expected are all the more reason to not take the concerns or criticism personally.  That people are finding cause to speak out aggressively is because of the promotion other people are doing, ... but you don't control them so you shouldn't worry about it too much.

I'll be glad to look at it when its actually released. I don't have the time or interest to review closed systems.
2613  Alternate cryptocurrencies / Announcements (Altcoins) / Re: [BCN] Bytecoin (CPU-mining, true anonymity) on: June 06, 2014, 02:31:56 PM
I was at Bitcoin London Conf in 2012 and went to have a beer with friends to the nearest pub last evening. I met a guy there (don't remember his name. something like Jeff or John, maybe).
He told me about ring signatures and mentioned something about CryptoNote. I felt interested and tried to ask him for more details. He was with a company too(10 or 12 people meetup) so our conversation was rather short. We chatted a bit and he gave me a card with .onion website address. He said it would be a currency of the future and I had to mine it.
Your BCT account looks suspiciously like one of the ones that was sold after the bct hacks last year.

Do you have the onion address you were given? Do you still have the bytecoin wallet?

I want you to sha256 all the files you have related to bytecoin and post the hashes, then we can ask further questions about them.

You claim here to have been mining with a laptop, but your posting history doesn't support that, e.g.:

Ive tried saving up money to buy a decent video card, and for whatever reason, i cannot do it. So im ready to rent out my PCI-E space, whoever wants to send me a card, ill install it, and run it 24x7. We will split what BTC is made 80% (you) / 20% (me) - until the card is paid off (which we both will agree on). Afterwards, we will split the BTC 40% (you) / 60% (for a specified amount of time to be agreed upon).

Im open to other offers, just let me know. System:
1 x Auria 32" 1080p 60Hz LCD HDTV EQ3266e
1 x Rosewill RFA-80-BL 80mm 4 Blue LEDs LED Case Fan
1 x ASUS M4A785-M AM3/AM2+/AM2 AMD 785G HDMI Micro ATX AMD Motherboard
1 x AMD Phenom 9850 Black Edition 2.5GHz Socket AM2+ 125W Quad-Core Desktop Processor HD985ZXAJ4BGH - OEM
1 x ASUS DRW-24B1ST/BLK/B/AS Black SATA 24X DVD Burner - Bulk - OEM
1 x LOGISYS Computer Area 51 CS51WSL Silver Steel ATX Mid Tower Computer Case 480W Power Supply
1 x Rosewill RFA-80-K 80mm Case Fan
1 x AMD Phenom 8650 Toliman 2.3GHz Socket AM2+ 95W Triple-Core Processor HD8650WCJ3BGH - OEM
1 x Rosewill RCX-ZAIO-92 92mm Sleeve Bearing Fan CPU Cooler
4 x 1GB DDR2 800Mhz 240 pin Memory
1 x Nvidia GT 220 1GB Video Card (which i will remove)
2614  Bitcoin / Development & Technical Discussion / Re: Listing all consensus rules changes on: June 06, 2014, 02:18:02 PM
As I remember, in the BIP50 fork, Gavin first thought we should follow the longest chain, and Luke suggested to orphan the longest chain.
As someone who was there and involved in dealing with it I don't recall any _dispute_, I'm really unhappy about the history revisionism people throw around hwere— it was obvious what needed to be done: there was a chain that was acceptable to all nodes, and a chain that was acceptable to a small minority (which, on quick testing didn't include many major businesses)— because of the consolidation of hash-power around pools the mining deployed software looked very much unlike the systems overall, but even if it had been a slim majority only one was acceptable to all nodes.  Being acceptable to all nodes meant that the issue could be healed back to consensus immediately— as soon as the acceptable-to-all chain was also the longest, the other side would have meant weeks of split consensus as people gradually fixed their software.
2615  Alternate cryptocurrencies / Altcoin Discussion / Re: 【Truth or FUD???】DarkCoin – The Next Big Thing, or Just Another Pump and Dump? on: June 06, 2014, 10:03:31 AM
Btw, this is my alleged pumping link that Greg took exception to: https://bitcointalk.org/index.php?topic=279249.msg7159773#msg7159773
Not including the two (IIRC) other OT posts of yours that I outright deleted.

Altcoins don't have the luxury of bitcoin. Not even litecoin has it (next year it'll produce another 10mn coins over the existing 29mn - requiring >100mn USD to buy these, so its price has only one way to go... DOWN)... In effect steady minting of coins leads to dead coins due to inflation.
People can't afford to have a coin that goes like 1mn coin this year, 2mn next year, 3mn the year after etc etc. It's guaranteed suicide in terms of investment. Especially in the first months, inflation can be like 2-3% per day, requiring hundreds of BTCs to keep prices steady.
Uh, yea when the coin has no real value to folks and is just a speculative bubble or a speculative hedge... thats what happens. Not my cup of tea at least. As I've said, I normally leave the altcoin stuff alone— except for the rare novel idea, or someone pulling me in for an opinion in one way or another.
2616  Bitcoin / Development & Technical Discussion / Re: Listing all consensus rules changes on: June 06, 2014, 09:55:46 AM
I think the "one line bdb config change" is already a hard fork. Anyway, it just depends on the precise definition of "hard fork". We may have one more type of forks: to turn a non-deterministic behavior into a deterministic one.
I agree that the config change is a hard fork, but the point of my post was to point out that those old versions do synchronize okay, they're just unreliable on reorgs involving large blocks depending on the phase of the moon (really how many BDB pages the transactions being modified span).

Quote
The worst fact revealed, however, is the existence of non-deterministic behavior in the rules of bitcoin, and we won't be sure if there were still other undiscovered non-deterministic rules.
That there was non determinism wasn't a surprise. It's not even the first non-determinism, the handling of rewrites on reorgs for duplicate txids was also non-deterministic (behavior depended on which order the node saw a series of forks), which was why it had to be fixed. Absent a formal proof you can't be sure software is bug free— or even with one, considering the bugs that have been found in compcert. Smiley

Quote
and many political debates could be avoided.
There has never been a single political debate about buggy behavior like that, and I never expect there to be one.  Non-determinism in a consensus system is a fatal error, no one has any impression that it ought to stay. A document also will not reliably resolve non-deterministic behavior, since the behavior that would have been non-deterministic would simply have not been specified in the document.
2617  Bitcoin / Development & Technical Discussion / Re: Listing all consensus rules changes on: June 06, 2014, 08:52:21 AM
If most pre-0.8 nodes couldn't process our current chain, it's already a hard fork. Actually, no one is running a pre-0.8 node: https://getaddr.bitnodes.io/dashboard/
You can sync up a totally unmodified 0.2.10 node, or initial release if you add a gateway to deal with the checksum on the version handshake. They're just not reliable in the face of reorgs (they'll get stuck on reorgs involving large blocks). If you drop in the one line bdb config change, they're even somewhat reliable (but SLLLLLLLLLLLLLOOOOOOOOOOWWWWWWWW).

Fwiw, as far as I know bitnodes.io filters out pre-0.8. There are actually many still running. Though presumably most of the ones that aren't stuck by now have the bdb tweak in place.
2618  Alternate cryptocurrencies / Altcoin Discussion / Re: 【Truth or FUD???】DarkCoin – The Next Big Thing, or Just Another Pump and Dump? on: June 06, 2014, 08:49:54 AM
gmaxwell, I think it would be great if you could spare some of your time to review Darkcoin's code once Evan has completed it.
I have no doubt that you would be able to provide valuable constructive feedback to Evan. Collaboration I see is the key to evolution and advancing ourselves in the crypto technology space - I am sure with both of your minds together something great could happen!
I will, if someone remembers to point me to it— ideally if it also comes with a high level design document so I don't have to extract all the behavior from the code (doing so is very time consuming).

As an aside, and apart from the privacy tech—

Whats with the claims here that the subsidy was changed after some millions of coins were created?  Thats pretty damning if true— shades of Solidcoin.

The whole too-low-initial-difficulty plus exponential distribution thing seems to be a trope now. Bitcoin's initial difficulty was high enough (relative to existing hardware and software) that it couldn't even keep up with its 10 minute target during the first year.  If I were crazy enough to launch an altcoin I'd set it so that the real mining didn't begin until it crossed some somewhat reasonable difficulty to reduce the land grab intensity, because it smells pretty fishy otherwise.
2619  Alternate cryptocurrencies / Altcoin Discussion / Re: 【Truth or FUD???】DarkCoin – The Next Big Thing, or Just Another Pump and Dump? on: June 06, 2014, 08:40:48 AM
Well now that's not what I said at all, is it? Smiley
I couldn't figure out what you were saying, thats why I asked. Smiley
Quote
You stated that indications were pointing more and more to the fact that Darksend is "substance-less vaporware", which I found odd in that the status of its code availability hasn't changed from the beginning.  Which indications, exactly?  Has it somehow become "more" closed source since the beginning?
Because not being open on (or even before, at least in the form of a clear technical whitepaper) day one is bad, but it only gets worse the longer it goes on.

Quote
You said yourself that alt-coin land is a hive of scum and villainy (or something like that).  What, exactly, do you think would have happened if Darksend had ben open source since day 1?
If it were open source and usable then presumably it would have been adopted. Even as an altcoin, if it were something good I'd speak positively of it... even if the system itself weren't open a clear description of the techniques it was using (like zerocash has) in a whitepaper would allow peer review and analysis of the techniques without the crappy competitive landscape of the altcoin ecosystem coming to play. Keep in mind though, 99% of the design of these things in 99% of the cases is straight up copied from Bitcoin. Before anyone is too territorial about their own precious inventions, they should keep in mind that they're just variations of a tune created by giants whos shoulders they're standing on— something only possible because those people released their code and their designs instead of keeping them secret.

Quote
Also, why must everything good (in your estimation, it would seem) come through Bitcoin?
Must wouldn't be the right word— should would be more correct.  In systems of money Metcalf's law applies much more strongly than in other things because the value of a money is derived exclusively from its liquidity and from people being willing to accept it. If our hope is that trustless cryptocurrencies are broadly successful, we undermine that effort if we disrupt their network effect over and over again by starting a brand new currency for this feature or that. It's like having to build a separate internet per program, madness. There is no technical justification for it... and it endangers the success of the entire field, at least to some extent.  Some starry eyed folks think this is a revolution which cannot fail, I am more cynical than that. Doubly so when the frequent outright scams and failures discourage people from investing in infrastructure in the space.

If there are actual good things developed outside of Bitcoin, I'm happy to see them.

As an aside— the "so and so has XYZ foocoin" assumptions might be pretty spurious, its completely reasonable for people to sell off large amounts of coins they have while they're nearly valueless— if you have a lot and who knows what the future holds. I know this is true for most people who were involved in Bitcoin early on, it may well be true for other things. Or not.

Gmaxwell has made it very plain he does not like altcoins. He's stated it directly.  I disagree with him on this point, and in fact I think it's quite dangerous to centralize on one coin with one set of developers.
Bitcoin does not have only one set of developers. There are several complete re-implementations, some with active development bases— something you can't say about (AFAIK) any of the altcoins. Moreover, the permissive licensing of Bitcoin means that you aren't, and shouldn't be, dependent on any particular developers... you can freely fork the code at any point for any reason, and many people have. For similar reasons, people working on Bitcoin generally don't make incompatible changes in the software (with a protocol gateway, Bitcoin is compatible with the very first release, and without a gateway, 0.2.10 from 2010 will still happily synchronize with the network, though old versions are not very reliable anymore).

If you're depending on developers to take an active role in the real operation of you decentralized cryptocurrency then it's not really all that decentralized, it's still controlled by the politics of men instead of math. Having a choice of one master out of many is not really freedom.

I'm not sure whether you are just completely ignorant right now or intentionally overlooking major projects such as NXT which are clearly full of innovation.
Another coin heavy with closedness, its hard to analyze and so you won't see much if any serious review. The initial snippits of code they published had a clear and obvious nothing-at-stake vulnerability, and so far I've not seen any explanation as to how its actually viable at all. Perhaps none of the people who actually understand it speak english, but the people who've recently posted about it in the tech subforum didn't give a positive impression at all to others who are clueful about distributed consensus systems.... but this is totally offtopic here.

is the anonymous transaction ever possible? and when do you think Bitcoin would have this implement or addon?
Anonymity isn't a binary state, there are degrees. Really strong anonymity is very hard to achieve, and needs more than just some features— it's a lifestyle, even a state of mind. I think perfect anonymity is generally beyond human capability except in very limited circumstances.  _Better_ anonymity, or— perhaps more correctly stated as "better privacy"— is possible... and things like the darkwallet and the other tools that implement coinjoin in Bitcoin let people get better privacy today.  Even stronger privacy is possible, but it comes with tradeoffs, which is why it might not be desirable to implement the stronger systems in Bitcoin even though we know how to create them.

BTC core dev is fighting against a shitcoin. Why is he spending time on shit DRK ?
Because some darkcoin pumpers showed up in an entirely unrelated thread and started crapping on other people's efforts in order to promote DarkCoin. I certantly wasn't interested in seeking out this discussion, but since it came to me I don't have any problem in responding to it. Smiley
2620  Alternate cryptocurrencies / Altcoin Discussion / Re: 【Truth or FUD???】DarkCoin – The Next Big Thing, or Just Another Pump and Dump? on: June 06, 2014, 08:04:37 AM
I would also trust gmaxwell, because he has pointed out the clear scam. Please don/t try to hide anymore.
Things can be unfair or a bad deal, or simply a failed offering without being a scam.  I too might too easily lapse into the language of "scam" around here, — and there is no shortage of actual ill motivation in the altcoin space— but I do think more of it is really people getting in over their heads.  Cryptosystem work is very difficult, and Bitcoin seems to have resulted in people thinking that creating this stuff is no big deal since they can just copy the code... but in a cryptosystem the details matter, greatly... a single line changed can have subtle effects that ruin the security properties completely.

I don't care about DRK one way or the other, but this thread is quickly leaving me with the impression gmaxwell is just another coin developer who feels his particular coin is the One True Coin, and so he slams all others.  
Hm?  Thats pretty weird, considering that I've said nothing positive about Bitcoin here, and only positive things about cryptocoins (and proposed cryptocoins) that I have had basically nothing to do with. Smiley
Pages: « 1 ... 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 [131] 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 ... 288 »
Powered by MySQL Powered by PHP Powered by SMF 1.1.19 | SMF © 2006-2009, Simple Machines Valid XHTML 1.0! Valid CSS!