Bitcoin Forum
May 21, 2024, 08:30:51 AM *
News: Latest Bitcoin Core release: 27.0 [Torrent]
 
  Home Help Search Login Register More  
  Show Posts
Pages: « 1 ... 69 70 71 72 73 74 75 76 77 78 79 80 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 ... 915 »
2361  Alternate cryptocurrencies / Altcoin Discussion / Re: MT Gox Btc on: August 29, 2022, 09:44:36 PM
We must first wait for this great event, when finally these bitcoins will be distributed to the affected investors, rather than postponing the deadline for distributing bitcoins for the thousandth time. How long has this been going on? It will soon be 10 years.  If those bitcoins are still distributed, it would be foolish to sell them now. Many people understand that bitcoin's value grows over time, so I would hazard a guess that many investors will hold bitcoins.
2362  Alternate cryptocurrencies / Altcoin Discussion / Re: Ethereum the future home for cbdc's? on: August 29, 2022, 09:18:17 PM
And why should CBDCs even be hosted on some blockchain to which the state does not have full access? The whole point of CBDCs is complete autonomy and centralization, as well as complete control by the state. Most likely they will be run on their own blockchains, where they will have all the leverage and control, they don't need someone else's networks for that.
2363  Alternate cryptocurrencies / Altcoin Discussion / Re: Is it right time to invest in Cardano? on: August 29, 2022, 09:14:01 PM
Is Cardano (ADA) a good coin to invest in it for long term?

I would answer your question positively, but this is not investment advice. Cardano has now lost about 85% of its value and is not a bad option for a long-term investment, especially when you consider that Cardano is constantly working on updates of its project, adding new products. The vasil hardfork, which aims to improve Cardano's own features, is currently being prepared for release. In general, ADA is constantly evolving and for the long term it is a good option.
2364  Alternate cryptocurrencies / Altcoin Discussion / Re: Still into high APY projects? on: August 28, 2022, 10:21:48 PM
What's the end of those high APY projects with 99,000% returns? The likes of Helena and others? I haven't heard about them in a while, the last time I checked they have no volume on exchanges anymore..

All these projects do not live long. I would like to see at least one project that was able to pay such a huge interest rate to its investors a year after they invested such funds. They do not exist, simply because it is impossible. Just ask yourself the question, what makes a project pay that kind of interest to its investor? What kind of trading turnover does it have to have in order to be able to service such an interest rate? There would have to be trillions of dollars in turnover, and that probably wouldn't be enough. Such interest rates exist only on paper, in theory, as an advertising campaign to attract investors who are uneducated.
2365  Other / Meta / Re: Any custom script to put note on user? on: August 28, 2022, 09:35:16 PM
when I visit the forum on my smartphone, do i still get the "Add Note" link?

I'll answer that, if I may.
No, you have to have a browser that supports extensions installed on your smartphone. This is needed to install the Tampermonkey (Chrome) or Greasemonkey (FireFox) extension and then install the script. Of browsers based on Chromium, I know only one - it is Kiwi Browser. I use it myself. And FireFox supports extensions by default, if I'm not mistaken.
2366  Alternate cryptocurrencies / Altcoin Discussion / Re: The effects of the upcoming ethereum merge on: August 28, 2022, 09:06:39 PM
Following the assertions about the upcoming ethereum merge which is scheduled to happen in september, what is likely going to be the effects on the market price of ethereum, ethereum based coins, and the general cryptocurrency market at large?

We can definitely say that for the whole crypto market this will not have any global effect, because the market does not follow the price of ETH, the market follows the price of bitcoin. Even if the merger will have a positive effect, it will hardly affect the price of ETH for the better, because the whole industry is in a bearish phase right now and the process of switching from one algorithm to another will not change this situation, the market will not suddenly become bullish. So in the short and medium term it is unlikely there will be any major changes in the price of ETH.
2367  Local / Русский (Russian) / Re: 📌 Подборка скриптов для форума on: August 28, 2022, 08:38:08 PM
Скрипт, который добавляет возможность оставлять для себя краткие заметки у пользователей форума.

Выглядит вот так:




Нажимаете "Add Note", появляется окно для ввода короткой заметки. Также можно нажать на "Add Note" под аватаром, то же самое, появится окошко для ввода заметки.





Сама заметка отображается под аватаром и в самом профиле пользователя




Сам скрипт

Code:
// ==UserScript==
// @name         BitcoinTalk User Notes
// @version      0.2
// @description  Adds an note field to each user on BitcoinTalk
// @author       TryNinja
// @match        https://bitcointalk.org/index.php?topic=*
// @match        https://bitcointalk.org/index.php?action=profile;u=*
// @icon         https://www.google.com/s2/favicons?sz=64&domain=bitcointalk.org
// @grant GM.setValue
// @grant GM.getValue
// @grant GM_setValue
// @grant GM_getValue
// ==/UserScript==

(async function() {
    'use strict';

    const getValue = typeof GM_getValue === "undefined" ? GM.getValue : GM_getValue;
    const setValue = typeof GM_setValue === "undefined" ? GM.setValue : GM_setValue;

    const getParentNodeNth = (element, num) => {
        let parent = element;
        for (let i = 0; i < num; i++) {
            if (parent.parentNode) {
                parent = parent.parentNode;
            }
        }
        return parent;
    };

    const getUserNote = async (user) => {
        const notes = JSON.parse(await getValue('notes') ?? '{}');
        if (!notes) {
            return null;
        }
        return notes[user];
    };

    const setUserNote = async (user, note) => {
        const notes = JSON.parse(await getValue('notes') ?? '{}');
        notes[user] = note;
        await setValue('notes', JSON.stringify(notes ?? {}));
    }

    const texts = {
        addNote: `<span style="cursor: pointer; font-weight: bold">📜 Add Note</a>`,
        withNote: note => `<span style="cursor: pointer; font-weight: bold"><b>📜</b> ${note}</span>`
    };

    const addNote = async (user, element) => {
        const note = prompt('Input the note (empty to remove):');
        await setUserNote(user, note);
        if (note) {
            element.innerHTML = texts.withNote(note);
        } else if (note !== null) {
            element.innerHTML = texts.addNote;
        }
    }

    if (window.location.href.match(/topic=\d+/)) {
        const targets = [...document.querySelectorAll('td.poster_info div a:last-child')].filter(e => window.getComputedStyle(getParentNodeNth(e, 11)).display !== 'none');

        targets.map(async target => {
            const [_, userId] = [...target.parentNode.parentNode.childNodes].find(childNode => childNode.innerHTML).innerHTML.match(/u=(\d+)/);
            const noteDiv = document.createElement("div");
            const note = await getUserNote(userId);
            if (!note) {
                noteDiv.innerHTML = texts.addNote;
            } else {
                noteDiv.innerHTML = texts.withNote(note);
            }
            target.before(noteDiv);
            noteDiv.addEventListener("click", () => addNote(userId, noteDiv), false);
        });
    } else if (window.location.href.match(/profile;u=\d+/)) {
        const [_, userId] = window.location.href.match(/u=(\d+)/);
        const target = getParentNodeNth(document.querySelector("#bodyarea table tr td tbody tr:nth-child(2) tr:last-child").parentNode, 1);
        const noteDiv = document.createElement("div");
        const note = await getUserNote(userId);
        if (!note) {
            noteDiv.innerHTML = texts.addNote;
        } else {
            noteDiv.innerHTML = texts.withNote(note);
        }
        target.before(noteDiv);
        noteDiv.addEventListener("click", () => addNote(userId, noteDiv), false);
    }
})();

Либо по ссылке, указанной вверху
2368  Alternate cryptocurrencies / Altcoin Discussion / Re: Would you stake stablecoins now? on: August 28, 2022, 07:06:16 PM
-snip-
It's offering 16% APY but the TVL is relatively low, should I be worried about it? Any suggestions or what to look for?

https://app.beefy.finance/vault/cone-usdc-busd

And what do these high APYs give you? As practice shows, many pools instead of the claimed 12-18% APY actually pay 5-6%. If you think you should focus on finding stablecoin stackings that will pay 16% APY or more, that's a bad idea. You're not likely to get paid that much. Staking pools like to use floating interest rates and all that high interest very often turns into 3-5%.
2369  Alternate cryptocurrencies / Altcoin Discussion / Re: Is this a good one for invest on: August 28, 2022, 02:39:57 PM
It's a real scam and a ponzi scheme, and it's so naive, trying to lure investors with huge numbers. The first thing you pay attention to is the purchase of tokens directly on the site and then look at the percentage of investment.

The $1,000, when you move the slider to the maximum 365 days, shows a return of $3,746,386. Who would seriously believe it? 375 000% of profit for a year, it will work only for absolute beginners in the world of cryptocurrencies or financially illiterate people.
2370  Alternate cryptocurrencies / Altcoin Discussion / Re: Bull Run and Bear Market on: August 28, 2022, 12:59:39 PM
This is a simple question, When this bearish market end and Bull run start.
Thanks

This is not a simple question, because not a single person, not on this forum, not in the world in general, knows the answer to this question. If we look at the current economic events in the world, everything is not so rosy and there is no immediate change of trend and investment sentiment on the horizon. Most likely, the real bull run will not start until the next halving, as it was 2 years ago. I'm more inclined to this very option and I don't consider the soonest trend change at all.
2371  Alternate cryptocurrencies / Altcoin Discussion / Re: Shiba Inu has no value and shouldn't be bought on: August 25, 2022, 08:29:14 PM
Many coins will lose massively value and we need to look very carefully which coins are likely to die.
Reason number one why coins are going to die is if a coin is simply a cheap copy of an existing coin.
Copied coins will die!
And reason number two why coins are going die is a lack of good tech.

If you see a coin now, where
- it is a copy
AND
- it is bad tech
Plz go IMMEDIATELY SELL such coins because such coins will die and you will get a massive LOSS.

One of such coins is Shiba Inu because it is a cheap copy from Dogecoin!
And longterm, it will be failed because it doesn't have innovative tech.
Shiba Inu coin is a very weak coin and it is just pushed by marketing and Elon Musk. Shiba Inu is just driven by hype and hot air, it is not justified and will fail very bad.

Very important: Shiba Inu has no value and should not be bought by anyone in their right mind / should be directly sold to prevent LOSS

What you wrote makes little sense, because you touch on superficial criteria, but forget about others, which may be more important than those you take into account. You can't say that a Shiba is a cheap copy of some coin, because that copy has long since surpassed the original in functionality and you certainly can't call it cheap anymore. The other factor you are overlooking is that as long as big investors invest in the coin, it will grow, even though it is a copy of some project. In cryptocurrency, the originality of a product decides very little, and the support and influence of large funds and Influencers decides a lot.
2372  Alternate cryptocurrencies / Altcoin Discussion / Re: What is the best portfolio for a $30k fund? on: August 25, 2022, 08:25:18 PM
Hey guys, just wanna ask, what do you think is the best crypto portfolio for a $30k fund?

Cheers!

Clearly not conservative. Too little money to buy projects that have been on the market for a long time and that have already grown by thousands of percent, so you should not expect strong profits from such projects with such a budget. With such an amount, it is better to balance your portfolio in such a way that you have some projects that came out relatively recently, and some projects from long-established coins that have lost a lot in value. They will rise again in the near future.

It's worth understanding what you want out of your portfolio. If you want to keep its value in time, then buy bitcoin, ETH and some more similar projects and hold it for several years. But if you want to make good profit with this portfolio, then you should look at young projects and diversify them with projects which have been on the market for a long time.
2373  Alternate cryptocurrencies / Altcoin Discussion / Re: Ethereum will get more demand on: August 25, 2022, 08:21:15 PM
The latest rumour going around about the Ethereum merge is a dump after, you are wrong if you are one of them, Ethereum going proof of stake and fixing the high gas fee have automatically turn this project into a GOLD, every whales will want to stake and enjoy the rewards, even if a dump happens after the so called fork it won't last.

The imminent merger of ETH has already split the community into two camps. Some think, that after the merger there will be a panic and ETH will lose a lot in price, the value of coin will fall below $700, up to $500. The other side says, that after merger the price of ETH will reach $4000 till the end of the year. This all sounds more like manipulation and FUD. Personally, I'm of the opinion that after the merger, the price of ETH could still experience some volatility for a while, and in both directions, I would buy some ETH if the price goes down to $1000. In the current market realities, that's quite possible.
2374  Economy / Digital goods / Re: Sell, buy, exchange wallet.dat from Bitcoin core with a lost password on: August 25, 2022, 07:45:31 PM
Balance: 1.09 BTC wallet.dat . Sale wallet.dat
Address with balance: 
1AS8nsUcQYvJQJDrxi9rpjSHa5n9hVLLno                                                                                                                   
https://wallet-dat.net/bitcoin-core-wallet-dat/bitcoin-core-wallet-dat-1-09-btc/                                                     
https://satoshi-box.com/pay/CFXcBO                                                                                                                         
Contact https://t.me/wallet_dat_net .
Mail admin@wallet-dat.net . wallet-dat.net@protonmail.com

You know what's funny? This same wallet was sold in the Russian-speaking section back in 2021 Smiley "Password 15 (+) characters, lost, do not advise this purse." It turns out that you're just reselling the purse Smiley There this wallet was sold together with dozens of other wallets for 0.009 BTC, and how much is it worth to you alone?

1AS8nsUcQYvJQJDrxi9rpjSHa5n9hVLLno - пароль 15(+) символов, потерян, не советую этим кошельком заниматься.
2375  Alternate cryptocurrencies / Altcoin Discussion / Re: Why are soccer tokens pumping on: August 24, 2022, 09:21:53 PM
The market is in red today but football tokens like Santos and every other are pumping on binance exchange, is there something going on with soccer right now? I am not a fan but I am just curious to know.

https://i.imgur.com/FMetHlN.jpeg

It was reported on the forum that, thanks to a tweet by Ilon Musk, the Manchester United fan token has grown a lot. After that, there was a wave of similar pumps. It's hardly related to any soccer events. Don't forget that fan tokens are low capitalization cryptocurrencies and are very easy to pump, they are perfect for pump & dump schemes.
2376  Alternate cryptocurrencies / Altcoin Discussion / Re: Next Gem Coin on: August 24, 2022, 09:08:21 PM
$HTR  is the next gem, that will create the next wealth generation in th crypto space, few projects as Launch under there Blockchain in some months ago, and they are doing great, the next bull run might be massive.

The coin exactly as is own use cases, and a good road map,

#Do your own research and invest wisely,
Remember, no one will bear your loses, just try and play safe in the Industry...

Link to there website : https://hathor.network/

It depends on what counts as the next gem coin. If we are talking about growth by several tens of x, then this coin by the next bull run may well show such a yield. The project is of course not the newest and already managed to grow by x30 in the last bull run, it is possible that it will never grow again, but for medium-term speculation it may be worth considering.
2377  Alternate cryptocurrencies / Altcoin Discussion / Re: XRP potential? on: August 24, 2022, 09:04:32 PM
I bought my first 500 XRP yesterday and plan to DCA while these prices are low. I am aiming to get to 5000 and plant to hold till 2024 at least.

I don’t know too much about XRP to be honest but it seems to be getting a lot of news lately and I just watched a video of some guy saying it can reach $200 by 2030.

This sounds way over the top to me , that would make it over a 500x  from current price so just wondering if this is realistic? Be interesting to hear arguments for and against this price prediction.

If someone could explain what is currently going on with XRP lately and why it is in the news so much?

Same nonsense as Shiba inu at $5 by 2025. XRP has been stomping around and not updating its ATH for a long time, it's been six years since the price saw the $3 mark and has never risen to that mark since then, let alone updated ATH. Five years XRP can't grow to $3, but in eight years it can grow to $200? Given the current capitalization, the project has almost $9 trillion in capitalization to get to that price, and that's with their issues, when it looks like the courts are not over and the lawsuits are ongoing.
2378  Local / Токены / Re: [ANH] Anhydrite - Открытые крипто-пирамиды on: August 24, 2022, 06:39:42 PM
Каюсь грешен, но входит ли в это ограничение запрет на публикацию нового сообщения по происшествии определённого времени, если появились новые данные касательно темы?

Вы можете постить не чаще, чем один раз в сутки. Имеются ввиду подряд идущие посты от одного пользователя. Если вы хотите добавить какую-либо информацию раньше этого срока, то добавляйте инфо в ранее оставленный пост.
2379  Other / Meta / Re: Ninjastic.space - BitcoinTalk Post/Address archive + API on: August 23, 2022, 02:52:40 PM
You are right. I have never heard of it...  Most interesting. I assume the main purpose of this browser is increased privacy?

EDIT:
I found the English version of the site: https://browser.360.cn/se/en.html and https://browser.360.cn/ee/en.html

The English-language sites of this browser have not been updated for a long time. They contain outdated versions of the browser. You can get basic information about the browser there, though. I use it because it has features that pure Chrome turned off long ago.
P.S. We need to stop discussing the browser. Otherwise TryNinja will smack us in the ass for Grin
2380  Other / Meta / Re: Ninjastic.space - BitcoinTalk Post/Address archive + API on: August 22, 2022, 07:14:05 PM
Thank you all, it's working. I found the problem. The problem was in the browser I use for bitcointalk. For some reason it is in this browser that there is such a limitation. In other similar browsers (based on Chromium) there is no such problem. I had to switch to another browser.

Stalker22, I think you've never even heard of this browser Smiley It is a Chinese 360 Speed Browser, but I do not recommend to install it to your main system. If you understand Russian, here is a thread about this browser. There you can find portable builds, cleaned from unnecessary stuff. Here you can try them. And it has this function.
Pages: « 1 ... 69 70 71 72 73 74 75 76 77 78 79 80 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 ... 915 »
Powered by MySQL Powered by PHP Powered by SMF 1.1.19 | SMF © 2006-2009, Simple Machines Valid XHTML 1.0! Valid CSS!