Search content
Sort by

Showing 20 of 85 results by ICYNOTE2023
Post
Topic
Board Digital goods
Re: Wallets BTC Files - Wallet.dat 64000 BTC Balance
by
ICYNOTE2023
on 21/08/2023, 18:48:54 UTC
23.06.23 - UPDATED BTC WALLET PACKAGES. ADDED ELECTRUM WALLETS + LTE + DOGE + VACIA + DASH + SOFTWARE BRUTE FORCE WALLET. BALANCE WALLETS 320.000 BTC

https://telegra.ph/All-BTC-Files---Walletdat-files-for-BTC--Balance-of-all-wallets-more-then-6400-BTC-11-15

Do you sell original wallet.dat? or Fake wallet?  Cry
Post
Topic
Board Altcoins (Bahasa Indonesia)
Re: Buying PI coins
by
ICYNOTE2023
on 07/08/2023, 15:30:59 UTC
My telegram @blackpanther255

How many do you want buy PI coin and what rates??  Wink
Post
Topic
Board Currency exchange
Re: trade your usdt for cash or luxury car in dubai
by
ICYNOTE2023
on 04/08/2023, 16:57:26 UTC
Hi im buying / selling usdt for cash in dubai
Rate @2 % if value is +5 M usdt rate 1%
i can do bank transfer too but  fees on client
if you want to buy a luxary car & penthouse or rare watches or pay for anything in dubai i can do it for you
TG : @lotfiuser


Warning: One or more bitcointalk.org users have reported that they strongly believe that the creator of this topic is a scammer. (Check their trust page to see the detailed trust ratings.) While the bitcointalk.org administration does not verify such claims, you should proceed with extreme caution.

Why is your reputation bad in the writing above? what scam have you done? And now you say that you can receive cash in Dubai. Does that show you are residing in Dubai?  Smiley
Post
Topic
Board Currency exchange
Topic OP
[Ask] Where can I exchange GLPM, DXN and YQX tokens?
by
ICYNOTE2023
on 04/08/2023, 12:31:04 UTC
I apologize in advance if I'm new, but after opening my data, I found some token coins like GLPM, DXN and YQX. what I want to ask is,
Where can I exchange GLPM, DXN and YQX tokens? they use the Ethereum platform  Smiley

really appreciate anyone who has helped me provide accurate information.  Smiley

https://www.talkimg.com/images/2023/08/04/GZIiJ.png
Post
Topic
Board Project Development
Re: Try create Private Key Recovery
by
ICYNOTE2023
on 04/08/2023, 12:27:16 UTC
Sorry, I'm a bit confused by your statement. please help by writing where should I add or even replace the code in my code above?  Smiley
Start by looking at the existing projects on github that are already doing this (recovering WIF with missing characters). You'll get a good idea.

As for what I meant, I'll give you an example.
Instead of using the line I mentioned above (key = Key(wif=test_wif)) you'd use these 4 lines and under the if branch instead of throwing an exception you'd just skip when the checksum is invalid. And in the else branch (you add) you perform the conversion to address and the rest of the checks.

Sorry,,, can you replace the code above? because I also confused where put your code.  Smiley
Post
Topic
Board Bitcoin Discussion
Re: 51% attack
by
ICYNOTE2023
on 02/08/2023, 14:32:26 UTC
Not many people were mining with high-tech mining machines when Bitcoin was released (2009, if I'm not mistaken).
Thus, bitcoin was vulnerable to a 51% attack by a big company or an individual with huge resources.

But was there any such attack on Bitcoin around that time?



we use reason and logic, why attack a coin that at that time had no value? even people were given it for free at that time many did not want it. but after a valuable item, then people will look for it.  Wink
Post
Topic
Board Project Development
Re: Try create Private Key Recovery
by
ICYNOTE2023
on 02/08/2023, 12:25:48 UTC
You could use a lib such as multiprocessing (https://docs.python.org/3/library/multiprocessing.html) to run the generate_random_wif function in parallel.

This will most likely improve performance, as you will be running multiple instances of the same function at the same time.

if you wish, please write down the code you mean, so that it runs well. whether the performance can be faster by using the processor as the process?  Smiley

I asked GPT-4 to do this for you.

https://www.talkimg.com/images/2023/08/02/G2iBI.png

This is the answer:
Quote
Sure, I can help you improve the performance of this Python code using the multiprocessing library. Here is an improved version of the code that uses the multiprocessing library to speed up the process of finding the correct WIF:
Code:
import random
from multiprocessing import Pool
from bitcoinlib.keys import Key

def generate_random_wif(wif, target_address):
    alphabet = "123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz"
    missing_indices = [i for i in range(len(wif)) if wif[i] == '*']
    found = False
    while not found:
        rand_chars = ''.join(random.choice(alphabet) for _ in range(len(missing_indices)))
        test_wif = wif
        for index, char in zip(missing_indices, rand_chars):
            test_wif = test_wif[:index] + char + test_wif[index+1:]
        try:
            key = Key(wif=test_wif)
            address = key.address()
            if address == target_address:
                found = True
                return test_wif, address
            print(f"Scanning WIF: {test_wif}")
        except:
            print(f"Invalid WIF: {test_wif}")

def worker(input_wif, target_address):
    return generate_random_wif(input_wif, target_address)

def main():
    input_wif = input("Enter a WIF string with missing characters (mark with *): ")
    target_address = input("Enter the target Bitcoin address: ")

    if '*' not in input_wif:
        print("Incorrect entry: * sign missing.")
        return

    pool = Pool(processes=4)
    results = pool.starmap(worker, [(input_wif, target_address)]*4)
    pool.close()
    pool.join()

    found_wifs = [result for result in results if result is not None]
    if found_wifs:
        found_wif, found_address = found_wifs[0]
        print("Correct WIF found:", found_wif)
        print("Corresponding Bitcoin address:", found_address)
        with open("found.txt", "w") as file:
            file.write(found_wif)

        with open("found2.txt", "w") as file:
            file.write(f"WIF: {found_wif}\nAddress: {found_address}")

    else:
        print("The correct WIF was not found. try more.")

if __name__ == "__main__":
    main()
This version of the code creates a Pool of worker processes and uses the starmap method to distribute the work of finding the correct WIF across multiple processes. This should significantly speed up the process of finding the correct WIF. You can adjust the number of processes used by changing the processes parameter when creating the Pool. I hope this helps! Let me know if you have any questions or need further assistance.

https://www.talkimg.com/images/2023/08/02/G2Wmc.png

what about multiple imports? like :
Code:
random import
import hashlib
import base58

and I've added the code :
Code:
from multiprocessing import Pool

it seems that an error has occurred which makes the program never stop. I tried with the private key that I took and tried removing the characters to try it.  Lips sealed
Post
Topic
Board Project Development
Re: Try create Private Key Recovery
by
ICYNOTE2023
on 02/08/2023, 12:15:59 UTC
You could use a lib such as multiprocessing (https://docs.python.org/3/library/multiprocessing.html) to run the generate_random_wif function in parallel.

This will most likely improve performance, as you will be running multiple instances of the same function at the same time.

if you wish, please write down the code you mean, so that it runs well. whether the performance can be faster by using the processor as the process?  Smiley

I asked GPT-4 to do this for you.

https://www.talkimg.com/images/2023/08/02/G2iBI.png

This is the answer:
Quote
Sure, I can help you improve the performance of this Python code using the multiprocessing library. Here is an improved version of the code that uses the multiprocessing library to speed up the process of finding the correct WIF:
Code:
import random
from multiprocessing import Pool
from bitcoinlib.keys import Key

def generate_random_wif(wif, target_address):
    alphabet = "123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz"
    missing_indices = [i for i in range(len(wif)) if wif[i] == '*']
    found = False
    while not found:
        rand_chars = ''.join(random.choice(alphabet) for _ in range(len(missing_indices)))
        test_wif = wif
        for index, char in zip(missing_indices, rand_chars):
            test_wif = test_wif[:index] + char + test_wif[index+1:]
        try:
            key = Key(wif=test_wif)
            address = key.address()
            if address == target_address:
                found = True
                return test_wif, address
            print(f"Scanning WIF: {test_wif}")
        except:
            print(f"Invalid WIF: {test_wif}")

def worker(input_wif, target_address):
    return generate_random_wif(input_wif, target_address)

def main():
    input_wif = input("Enter a WIF string with missing characters (mark with *): ")
    target_address = input("Enter the target Bitcoin address: ")

    if '*' not in input_wif:
        print("Incorrect entry: * sign missing.")
        return

    pool = Pool(processes=4)
    results = pool.starmap(worker, [(input_wif, target_address)]*4)
    pool.close()
    pool.join()

    found_wifs = [result for result in results if result is not None]
    if found_wifs:
        found_wif, found_address = found_wifs[0]
        print("Correct WIF found:", found_wif)
        print("Corresponding Bitcoin address:", found_address)
        with open("found.txt", "w") as file:
            file.write(found_wif)

        with open("found2.txt", "w") as file:
            file.write(f"WIF: {found_wif}\nAddress: {found_address}")

    else:
        print("The correct WIF was not found. try more.")

if __name__ == "__main__":
    main()
This version of the code creates a Pool of worker processes and uses the starmap method to distribute the work of finding the correct WIF across multiple processes. This should significantly speed up the process of finding the correct WIF. You can adjust the number of processes used by changing the processes parameter when creating the Pool. I hope this helps! Let me know if you have any questions or need further assistance.

just adding in the import section, does this include modules? do we have to install a new module?
Post
Topic
Board Project Development
Re: Try create Private Key Recovery
by
ICYNOTE2023
on 02/08/2023, 10:00:43 UTC
First of all, using print frequently would slow down your Python script.

You could use a lib such as multiprocessing (https://docs.python.org/3/library/multiprocessing.html) to run the generate_random_wif function in parallel.

This will most likely improve performance, as you will be running multiple instances of the same function at the same time.

With that library, OP probably have to modify his generate_random_wif function a bit where each process check different possible range/combination.

kindly ask, where should i add. The point is this tool can be used to recover lost characters.  Smiley
Post
Topic
Board Project Development
Re: Try create Private Key Recovery
by
ICYNOTE2023
on 02/08/2023, 05:58:27 UTC
When you want to write a recovery code (ie. a computation heavy code needing to be heavily optimized) you shouldn't go through the simple route writing a "normal" code like what you'd write for a normal function that encodes/decodes Base58 keys. Instead you should find the bottlenecks in your code and try to go around them by finding alternative computation route that perform faster.

I'm not a python expert but for example in your code when you are replacing * with random chars and then convert it to a key in this line:
Code:
key = Key(wif=test_wif)
you are adding a big bottleneck that slows your code specially since you are throwing and catching an exception which adds additional computational cost.
Changing that code and doing the conversion from base58 in your own code would significantly improve your speed. Of course when optimizing you must always perform benchmarks on your code and the changes you make so that you don't make it slower. And you should add tests so that you don't introduce bugs.

Sorry, I'm a bit confused by your statement. please help by writing where should I add or even replace the code in my code above?  Smiley
Post
Topic
Board Project Development
Re: Try create Private Key Recovery
by
ICYNOTE2023
on 02/08/2023, 03:58:11 UTC
You could use a lib such as multiprocessing (https://docs.python.org/3/library/multiprocessing.html) to run the generate_random_wif function in parallel.

This will most likely improve performance, as you will be running multiple instances of the same function at the same time.

if you wish, please write down the code you mean, so that it runs well. whether the performance can be faster by using the processor as the process?  Smiley
Post
Topic
Board Project Development
Topic OP
Try create Private Key Recovery
by
ICYNOTE2023
on 01/08/2023, 14:33:01 UTC
Hi Guys,,,

I want to try to make a program in python to find or restore a lost private key. The program's goal is also to search for missing characters. Any input, suggestions will be greatly appreciated. If there are deficiencies, please correct them so that they become better.

Code:
import random
import hashlib
import base58
from bitcoinlib.keys import Key

def generate_random_wif(wif, target_address):
    alphabet = "123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz"
    missing_indices = [i for i in range(len(wif)) if wif[i] == '*']
    found = False
    while not found:
        rand_chars = ''.join(random.choice(alphabet) for _ in range(len(missing_indices)))
        test_wif = wif
        for index, char in zip(missing_indices, rand_chars):
            test_wif = test_wif[:index] + char + test_wif[index+1:]
        try:
            key = Key(wif=test_wif)
            address = key.address()
            if address == target_address:
                found = True
                return test_wif, address
            print(f"Scanning WIF: {test_wif}")
        except:
            print(f"Invalid WIF: {test_wif}")

def main():
    input_wif = input("Enter a WIF string with missing characters (mark with *): ")
    target_address = input("Enter the target Bitcoin address: ")

    if '*' not in input_wif:
        print("Incorrect entry: * sign missing.")
        return

    found_wif, found_address = generate_random_wif(input_wif, target_address)
   
    if found_wif:
        print("Correct WIF found:", found_wif)
        print("Corresponding Bitcoin address:", found_address)
        with open("found.txt", "w") as file:
            file.write(found_wif)

        with open("found2.txt", "w") as file:
            file.write(f"WIF: {found_wif}\nAddress: {found_address}")

    else:
        print("The correct WIF was not found. try more.")

if __name__ == "__main__":
    main()


I want to ask the experts here, how can this program run even faster.

Thank's  Wink
Post
Topic
Board Project Development
Re: WifSolverCuda - new project for solving WIFs on GPU
by
ICYNOTE2023
on 01/08/2023, 13:31:52 UTC
update:

v 0.4.7
I have improved memory management, now default configuration for single rtx3090 uses less than 100MB of RAM. previous it was more than 900MB  

In the meantime I have added progress indicator, resume from status file and some other minor changes.

v 0.4.8
Support for segwit/p2sh addresses

v 0.5.0
I have changed the way how memory/data transfer is managed and if it is possible I use memory from host. It should not be a problem, even for sets with 4-8 cards on one host. Speed is improved up to 10%, but still it is good to play with number of blocks/threads/steps processed per thread.
On 3080Ti I process around 4000 MKey/s for WIF with missing beginning, I think it is a good result.

v0.5.2
I have prepared a new release, 0.5.2, it could be mini-mini-minimally better, as I decreased some unnecessary latency. But displayed speed probably will be lower - what was until now was a bit too optimistic (I was dividing work done by full seconds, when I divide by miliseconds result is closer to reality). On 3080ti I see speed +-3.830, but now we see it fluctuates every time is displayed - in old version it was 4.096 all the time.
There is also a new parameter "-v" - verbose output - to display WIF processed in status line - but as it is extra work, it slows down the process (not much but still).
And 2 new parameters "-wifStart -wifEnd" for automatic conversion of provided WIF to range start/end

v0.5.3
https://github.com/PawelGorny/WifSolverCuda/releases/tag/v0.5.3

Added support for P2WPKH addresses (bc1...)

i have downloaded the latest version, after i run the interface closed. is there any error running WifSolverCuda v0.5.3 ?? please help to fixed it.  Smiley
Post
Topic
Board Reputation
Re: AI Spam Report Reference Thread
by
ICYNOTE2023
on 31/07/2023, 13:43:29 UTC
ICYNOTE2023

Post #1

Using USB Bitcoin miners can be an interesting way for newcomers to dip their toes into mining, but there are important considerations to keep in mind. Here are some tips and advice for beginners interested in using USB Bitcoin miners:
- Research and Choose Reputable USB Miners
- Understand Mining Basics
- Calculate Potential Profitability
- USB Miner Efficiency

Remember that mining is not a guaranteed way to make quick profits, and the cryptocurrency market carries inherent risks. Before investing in mining hardware, conduct thorough research and consider your financial situation and risk tolerance.

Hive Moderation there is a 99.8% probability of using AI
Sapling AI Detector there is a 97.1% probability of using AI

Post #2

Maintaining the entire blockchain ledger and running a full node is indeed a crucial aspect of the Bitcoin network's decentralization and security. As you rightly pointed out, it does require substantial resources, and the question of incentivizing individuals to run full nodes has been a topic of discussion within the Bitcoin community.

Hive Moderation there is a 99.8% probability of using AI
Sapling AI Detector there is a 100% probability of using AI
Copyleaks AI Content Detector there is a 94.3% probability of using AI
Contentatscale AI Detector 0% likely to be human

Post #3

while the idea of recovering lost Bitcoins and its potential impact on the market is a fascinating concept, it remains highly improbable in reality. Lost Bitcoins contribute to the scarcity narrative and the overall value proposition of Bitcoin. The cryptocurrency market is complex and influenced by multiple factors, making it challenging to predict the precise impact of any single event or scenario.

Sapling AI Detector there is a 99.2% probability of using AI
Copyleaks AI Content Detector there is a 75.4% probability of using AI
Contentatscale AI Detector 0% likely to be human

Post #4

Solo mining to your own Bitcoin node was indeed the norm in the early days of Bitcoin when the network was smaller and less competitive. However, as the Bitcoin network grew, the mining difficulty increased significantly, making it extremely challenging for individual miners to find blocks on their own. This led to the rise of mining pools, which allow miners to combine their hash power and share the rewards proportionally based on their contributions.

Sapling AI Detector there is a 100% probability of using AI
Copyleaks AI Content Detector there is a 98.9% probability of using AI

Is your job looking for other people's faults? you are such a talkative woman. maybe even you perfect people do not have mistakes? hahahaha.... sorry for your life.  Grin
Post
Topic
Board Electrum
Re: [HELP] Electrum script failed
by
ICYNOTE2023
on 31/07/2023, 13:33:13 UTC
If you haven't created the wallet by yourself and you have purchased the wallet file, you have been scammed.
Don't mind him

OP along with so many of his other alt accounts that he uses is a fake wallet seller. I am not surprised. humerh3 is his other account - https://bitcointalk.org/index.php?topic=5411405.0

I don't even know who humer3 is. but many have accused me, i am a humer3. if you are a smart person, please ask the moderator where is my IP address, is my IP the same as humer3?  Angry
Post
Topic
Board Electrum
Re: [HELP] Electrum script failed
by
ICYNOTE2023
on 31/07/2023, 13:16:24 UTC
The error means that you have signed the transaction with a wrong private key. In other words, you couldn't prove that you own the coins you are trying to spend.
How did you create your wallet?
Do you have the seed phrase? If so, create a new wallet. Maybe, the wallet file is corrupted.

If you haven't created the wallet by yourself and you have purchased the wallet file, you have been scammed.

Really? can you explain, what electrum wallet can made fake wallet? I created this wallet around 2014, but I've changed computers more than 4 times. I just copy wallet.dat every move from old computer.
Post
Topic
Board Electrum
Topic OP
[HELP] Electrum script failed
by
ICYNOTE2023
on 30/07/2023, 18:33:59 UTC
Hello,,,  Smiley

Previously I apologize if my post looks like a new child. But I'm confused why my electrum wallet always occurs errors when sending bitcoin out of the address of the electrum wallet?
Please help.

https://i.hizliresim.com/pp7izom.png
Post
Topic
Board Services
Re: Tokencore.io - Payment Forwarding API
by
ICYNOTE2023
on 30/07/2023, 17:34:49 UTC
Hello colleagues.

We are pleased to present you our low-level USDT TRC-20 payment solution https://tokencore.io/

We provide an API to automate payments in USDT TRC-20 without AML

Withdrawals for all payments are made once at 00:00 UTC

Payout limit 20 USDT (once the amount of receipts is exceeded, everything will be sent).

Our commission is 4%

For all your questions, you can write in a personal or telegram @zavhost

if you provide TRC20 payment by API, can it use single link from your website? then how long does it take for a withdrawal to our wallet?  Smiley
Post
Topic
Board Services
Re: I need Pertime online income platform. Perday [$5-20]
by
ICYNOTE2023
on 30/07/2023, 16:59:17 UTC
I need a job
[/glow][/b]
I am Jackieking.

Can anyone tell me the name of some best sites from where I can earn.
Perday [ $5-20]
I have no skill but I am interested to learn job.

If you're interested in earning some money online without specific skills and are open to learning, there are a few websites and platforms where you can explore opportunities. However, please keep in mind that earning potential can vary, and it's essential to approach online opportunities with caution, as some may not be legitimate or may require more effort than anticipated.
You need check like :
- Online Surveys like yougov.com
- Microtasks or Platforms like Amazon Mechanical Turk (MTurk) and Microworkers offer small online tasks that you can complete for a fee. These tasks can include data entry, categorization, and other simple jobs.
Post
Topic
Board Services
Re: Discovering Crypto Fund Trader: A Revolutionary Company in Cryptocurrency Tradin
by
ICYNOTE2023
on 30/07/2023, 16:26:58 UTC
This revolutionary company offers a solid and secure platform for traders to trade cryptos, forex, indices and more, without putting their money at risk.

The key behind Crypto Fund Trader's success lies in its focus on trader development and support. Its rigorous selection process ensures that only the most talented and experienced traders are chosen to trade with the company's capital. In addition, Crypto Fund Trader's collaborative community provides invaluable support, where traders can learn, share knowledge and celebrate their achievements together.

As a novice trader, I was insecure and worried about the risks involved in cryptocurrency trading. However, since joining Crypto Fund Trader, my confidence has grown exponentially. The intuitive platform, community support and the ability to trade with significant capital without risk have transformed my trading experience. I now feel empowered and excited to explore new opportunities in the financial world


It sounds like you've had a positive experience with Crypto Fund Trader and have found value in their platform and community. The company's focus on trader development, support, and collaboration appears to have helped you gain confidence as a novice trader in the cryptocurrency market.

Trading cryptocurrencies and other financial instruments can indeed be risky, especially for beginners. Platforms like Crypto Fund Trader, which offer the opportunity to trade with the company's capital and benefit from the expertise of experienced traders, can provide a more secure and guided approach to trading.  Smiley