Bitcoin Forum
June 13, 2025, 06:59:22 AM *
News: Latest Bitcoin Core release: 29.0 [Torrent]
 
  Home Help Search Login Register More  
  Show Posts
Pages: [1] 2 3 4 5 6 7 8 9 10 11 12 »
1  Local / Português (Portuguese) / Depix, stablecoin brasileira na Liquid Network on: June 12, 2025, 07:05:47 PM
Alguem conhece essa Depix? Andei vendo muitas pessoas comentando sobre ela com a recente remoção da isenção de R$ 35k no Brasil.

Aparentemente é uma stablecoin do Real na rede da Liquid, mas não entendi muito bem a vantagem dela para pagar menos impostos (pelo menos legalmente). Eles cobram 2% para compras acima de R$ 100 ou R$ 1 + 2% para compras abaixo de R$ 100, tendo um limite diário de R$ 5000 por CPF/CNPJ pagante. Depois é só fazer swap por USDT ou L-BTC.

Claro que vi muita gente recomendando ela para comprar BTC de forma anonima, sem que o governo saiba que você fez isso. Compra depix -> swap por BTC sem deixar marcas -> saque para carteira recém criada.

E claro que holdar depix exige confiança que a empresa responsavel mantenha o lastro corretamente (1:1).

https://www.depix.info/
2  Local / Português (Portuguese) / ⭕ BitList.co - Mixers ' Exchanges ' Serviços ' Casinos on: June 03, 2025, 06:43:36 AM
Traduzindo o tópico oficial do BitList: ⭕ BitList.co - Mixers ' Exchanges ' Services ' Casinos

Quote from: Catálogo de sites #kycfree / Rastreamento em tempo real [Página Inicial] & [Campanha de Assinatura] & [Tutoriais]Altcointalk [Tópico]
O conteúdo oferecido no BitList sobre .Mixers, Exchanges, Serviços, Cassinos, Cartões Cripto. é feito meramente para fins informativos. Todos os sites são revisados pela comunidade. Se você notar alguma discrepância ou quiser adicionar um novo site à lista, por favor, reporte nesse tópico. Qualquer feedback é bem-vindo! [𝑖]
Mixers
Exchanges Privadas
Serviços
Cassinos
Cartões Cripto






Ano de Lançamento






Hashtags






Classificação AML






Taxas e Moedas aceitas






Tópicos ANN em Tempo Real






Clearnet & Tor em Tempo Real






____________



Sabia que é de extrema importância verificar as Letters of Guarantee de serviços que oferecem ela? Pra quem não sabe, uma Letter of Guarantee é uma mensagem assinada pelo serviço, com uma chave privada ou endereço controlada por eles, que assegura certas informações. Por exemplo, um mixer pode assinar uma mensagem informando que você criou uma ordem XYZ para enviar BTC para o endereço XXX e receber no endereço YYY. Assim você consegue provar que não recebeu as moedas se algo der errado. É sobre proteger o seu dinheiro.

O BitList oferece esse sistema de verificação integrado a diversos sites conhecidos: https://bitlist.co/pgp

Wink



[𝑖]: O conteúdo fornecido em nosso site é obtido de fontes terceiras e destina-se apenas a fins informativos. Não garantimos a atualidade ou precisão desse conteúdo. Se você encontrar algo que não entende, use o Google. Independentemente das informações que você encontrar online, seja cético! Qualquer feedback é bem-vindo!
3  Local / Português (Portuguese) / Doação de crypto = dinheiro limpo? on: June 01, 2025, 04:55:24 AM
Acabei de ver esse tweet sobre como o Ross Ulbricht, criador do Silk Road e ex-prisão perpetua, recebeu 300 BTC (~$31.4M) no seu endereço de doação publico.

Aí fiquei pensando, o cara foi criador da Silk Road e recebeu milhões em BTC quando a moeda não valia quase nada. Claro que quando ele foi preso o FBI limpou as suas carteiras, tanto que um agente literalmente foi pego roubando bitcoins do Ross após a sua captura: Former Silk Road Task Force Agent Pleads Guilty to Money Laundering and Obstruction

Mas qual a chance de ele não ter guardado uns trocados em backups escondidos para se tudo desse errado? Você tem lá 10k BTC, não seria uma boa ideia pegar uns 500 BTC e botar em um endereço super escondido, que você nunca acessaria? Como se fosse um traficante enterrando dinheiro pra se precisasse em uma emergencia?

No caso do Ross ele nunca poderia mover esse dinheiro pois ele não poderia declarar de onde saíram esses milhões em BTC. O FBI saberia que o dinheiro é sujo e provavelmente impederia o seu uso. Mas e se ele ""recebe"" uma ""doação"" em seu endereço publico? Pode usar esse dinheiro? Agora ele é limpo? Tem que provar algo ou devolver? Várias perguntas...

Doação pro ross de 300 BTC: https://mempool.space/tx/aded1a0572afec653d0056a6d7b0473f4e778093c04542dfc0a4f2a20306d775
4  Other / Meta / [UserScript] ACTUALLY ignore users: remove quotes from ignored users on: May 09, 2025, 04:13:44 AM
So, we can ignore users through our ignore list, and when they post something, we won't see their posts.

The problem is that we still see their quotes, so sometimes we're reading a topic and we get their bs jumpscared on our face because another user replied to them.

To fix that, I wrote a small usercript that fetches your ignore list and removes the entire quote content when they're from a user on that list. The ignore list is cached for 1 hour.



1. Download the Tampermonkey or ViolentMonkey extension for PC, Kiwi Browser for Android.
2. Install the script: https://greasyfork.org/en/scripts/535425-full-ignore-bitcointalk-users

Or copy and paste a script with the source code:

Code:
// ==UserScript==
// @name         Full Ignore bitcointalk users
// @version      0.1
// @description  Ignore quotes from users you already ignore on the forum
// @author       TryNinja
// @match        https://bitcointalk.org/*
// @icon         https://www.google.com/s2/favicons?sz=64&domain=bitcointalk.org
// @grant GM_setValue
// @grant GM_getValue

// ==/UserScript==

(async function () {
'use strict';

let list;

const isLogged = document.querySelector('#hellomember') !== null;
if (!isLogged) return;

const getCachedList = () => {
const cached = GM_getValue('ignoreListCache');
if (cached) {
const parsed = JSON.parse(cached);
const cacheDate = new Date(parsed.date);
const oneHourAgo = new Date(Date.now() - 60 * 60 * 1000);

if (cacheDate > oneHourAgo) {
return parsed;
}
}
return null;
};

const setCachedList = (list) => {
return GM_setValue('ignoreListCache', JSON.stringify({ list, date: new Date().toISOString() }));
};

const fetchIgnoreList = async () => {
const res = await fetch('https://bitcointalk.org/index.php?action=profile;sa=ignprefs');
const html = await res.text();
const parser = new DOMParser();
const page = parser.parseFromString(html, 'text/html');
const ignoreListTextArea = page.querySelector('#ign_ignore_list');
const ignoreListUsers = ignoreListTextArea?.textContent?.split('\n');
return ignoreListUsers;
};

const cached = getCachedList();
if (cached) {
list = cached.list;
} else {
    console.log('No cached ignore list, fetching now...')
list = await fetchIgnoreList();
setCachedList(list);    
}

console.log('ignore list', { list });

  const quoteHeaders = document.querySelectorAll('.post .quoteheader')

  for (const quoteHeader of quoteHeaders) {
    const quoteBody = quoteHeader.nextElementSibling
    const authorMatch = quoteHeader.getHTML().match(/Quote from: (.*) on/)
    if (authorMatch && authorMatch[1]) {
      if (list.includes(authorMatch[1]) && quoteBody) {
        quoteBody.innerHTML = 'USER IS IGNORED'
      }
    }
  }
})();
5  Local / Português (Portuguese) / eXch fechando, qual serviço de swap instantâneo usar agora? on: April 19, 2025, 05:18:54 AM
Infelizmente parece que o eXch vai fechar as suas portas depois de descobrir uma potentical operação entre países para prender sua equipe e desligar o site, provavelmente igual ao que aconteceu com o ChipMixer (mesmo com o eXch afirmando não ser um mixer e não ser usado por criminosos da forma que a mídia e alguns players afirmam).

Eu comecei a usar o eXch recentemente para uns swaps de pequeno valor, principalmente por terem suporte para lightning. Alguem que andou usando outro serviço que poderia recomendar depois que eles deixarem de funcionar?

Para quem não viu...

OFFICIAL ANNOUNCEMENT

It's time, friends.

eXch will officially shutdown its operations effective May 1st, 2025.

Almost all of you know that eXch started as a project aimed at demonstrating to the community that alternatives can exist during times when there were none. We have never had any financial goals with this project and rather, we conducted an experiment that was unexpectedly successful.

Recently, we received confirmation of information we had previously, thanks to some friends we have even in the state intelligence sector, that our project is the subject of an active transatlantic operation aimed at forcibly shutting our project down and prosecuting us for "money laundering and terrorism."

Even though we have been able to operate despite some failed attempts to shutdown our infrastructure (attempts that have also been confirmed to be part of this operation), we don't see any point in operating in a hostile environment where we are the target of SIGINT simply because some people misinterpret our goals. Starting from the date of the merger with a new management team this month, and as a result of some urgent meetings, the majority of us voted to cease and retreat instead of going against strong winds, because none of us want to cause any harm to innocent people or this forum.

The goals we certainly never had in mind were to enable illicit activities such as money laundering or terrorism, as we are being accused of now. We also have absolutely no motivation to operate a project where we are viewed as criminals. This doesn't make any sense to us.

Originally, we were just a team of privacy enthusiasts with main areas of interest quite distant from cryptocurrency, where we saw the absolutely unfair happenings. This project was an attempt to restore balance in this industry.

Our project has demonstrated that an instant exchange done properly can be more effective than any centralized mixer in terms of privacy, which is why it has been referred to as "a mixer" many times by third parties, even though we have continuously rejected this label.

Our project has shown that it's possible to operate without abusing customers with nonsensical policies, unlike projects that will accept this announcement as a "weight lifted off their shoulders" that pretend to believe the false idea that confiscating crypto from customers somehow prevents "money laundering", who rely on random and unreliable scoring systems created and operated by companies that are parasites aiming to extract money from their governments by providing consulting based on the segregation of the crypto space and blockchain data. If we were to look at these projects from the perspective of "preventing money laundering and terrorism financing", any instant exchangers that screen their customer deposits using third-party APIs and appeal to nonsensical AML/KYC terms are far from preventing money laundering and terrorism. If they were serious about this, they would need to stop hiding behind shelf offshore companies and start conducting strict due diligence on every customer, which none of them do in reality. The absurdity is compounded by the absolute uselessness of the address score reporting APIs they use, as any of these screening mechanisms can be easily bypassed.

Our project will also demonstrate that even without it, this space will continue to have ways and instruments for those engaging in illicit activities to effectively "launder" their funds. Thus, the goal of stopping eXch under the belief that it may stop all money laundering in the world is ridiculous.

Meanwhile, our project effectively provided privacy to all our customers and even anonymity to most. However, there are still far more effective ways to achieve it, thanks to these flagship projects that exist nowadays:

- Monero, with its total privacy, although not without some recently discovered issues that are serious and should be fixed with the Full-Chain Membership Proofs implementation
- Litecoin, with its optional privacy (MWEB)
- Dash, with its optional privacy
- Tornado Cash
- Bitcoin CoinJoin protocols

Another distinctive project that does not betray its mission is Thorchain. Even under the immense pressure that the whole industry had to deal with due to the irresponsible actions of those at ByBit, Thorchain was the only decentralized protocol that resisted the pressure to implement screening mechanisms at the protocol level, proving itself to be absolutely reliable. Even though all Thorchain trades are transparent on-chain, privacy and even total untraceability can be easily achieved when combined with some of the privacy-enabling projects mentioned above, when used correctly. However, the Thorchain network currently has a very limited choice of good interfaces, aside from Asgardex and MMGen wallets, and none of them are privacy-preserving, but we hope this can change.

Bitcoin privacy remains, however, in the midst of a notable crisis given the collapse of all important projects and protocols that had significant liquid CoinJoin-like pools. The most interesting and convenient of them in terms of usability remains WabiSabi; however, it needs some lightweight client implementations to achieve greater popularity in order to effectively prevent serious risks associated with Sybil attacks. We certainly know that most people in this space prefer lightweight solutions to heavy software solutions, and this factor can significantly affect the popularity and usage of any good project.

Given this, we are announcing a 50 BTC open-source fund to support any FOSS projects aiming to enhance the availability of privacy solutions. We hope we can still make a difference. Here are examples of the projects we will support:

- Bitcoin wallets and protocols aiming to preserve user privacy
- Lightweight clients for WabiSabi
- Thorchain wallets aiming to preserve user privacy
- Bisq Light Client
- Ethereum wallets and smart contracts aiming to preserve user privacy (an example of such might be a "non-rigged" fork of Railgun smart contracts and wallets allowing users to operate in Tor)

Unfortunately, we will not support projects that are written in Java, NodeJS, Go, or C#, especially developers who don't take module chain supply attacks seriously and believe they're some kind of "conspiracy theory".

There will be other projects that will hopefully take our place as the industry leader in privacy-oriented centralized exchanges, and we wish them success.

Our partners will still have access to our API for a limited time, but what happens after May 1st will depend on our new management team, who will be in possession of all access to our infrastructure. Thus, we recommend launching their own liquidity pools to guarantee seamless operation. We will provide consulting and recommendations to them.

Privacy is not a crime.

[thread locked for a few days for propagation]
6  Local / Português (Portuguese) / Rug pull do top 20 em marketcap: Mantra on: April 13, 2025, 11:15:09 PM
Mais uma prova que marketcap não vale de nada, especialmente no mercado crypto.

A crypto Mantra $OM simplesmente caiu 90% do dia para a noite e suas redes sociais foram deletadas de forma inesperada. Essa moeda era a top 20 do mercado considerando marketcap, então aparecia até na página inicial de sites como CoinMarketCap.



https://x.com/beast_ico/status/1911526210880127214/photo/1

Eu sinceramente nunca ouvi falar nela, só me deparei com a notícia enquanto scrollava no X, mas achei interessante o fato de que tudo isso aparenta ter sido um rug pull completo (do tipo que os devs vendem tudo e somem do mapa, levando as provas junto) e que a moeda era a suposta top 20 + até mesmo listada na Binance.

Não sei se procede, mas...

Quote
The rumor is the team holds most of the supply and MMs alongside some rich dude in Dubai have been manipulating the chart up for months crushing perp shorts because literally no one had tokens to sell. Seems like they decided it was time to dump the chart. Kind regards. -6bn FDV in a single daily candle
https://x.com/beast_ico/status/1911526210880127214/photo/1

Depois olhe marketcap e ache que vale de algo. Tongue
7  Other / Meta / [Web] BitcoinTalk notification bot (mentions and merits) - no app required on: April 09, 2025, 12:22:36 AM
Creating this separated topic to spread the news!

So you don't like telegram and that's why you don't use my telegram notification bot...

You also don't like SimpleX, an open-source E2E-encrypted chat app, and that's why you don't use my simplex notification bot...



Well, you don't have any more excuses, because now you can see your forum mentions and merits directly on the browser!

For example: https://beta.ninjastic.space/user/id/459836/notifications

The page is updated in real time (as my bot scrapes the posts/merits) and you can toggle a sound notification by clicking the speaker button. You'll hear a ping when there is anything new, so you can keep the page open on the background. Wink

- Mentions, quotes
- Merits received
- Tracked users, tracked topics
- Ignored users

How to

1. Go to https://beta.ninjastic.space/users
2. Search your username and go to your user page.
3. Click the "Notifications" tab.
4. Bookmark the page for easy access!





Btw, check the new beta.ninjastic.space - ann thread: [BETA] [NEW] beta.ninjastic.space (forum search, archive and data visualization)

Many cool features, like a very nice advanced post search that works better than the forum's (search posts that quoted a user or specific post, posts that have received at least X merits, search only quoted or unquoted content, etc...). Also see merits directly on the search page, if the post was edited, your user stats (i.e merits and posts charts) and much more!
8  Local / Português (Portuguese) / Ataque da chave de fenda: espanhol sequestrado em SP tem $50 milhões roubados on: March 30, 2025, 07:41:46 PM
É... você vai lá, compra uma Ledger e usa usa senha super segura, guarda a seed direitinho, não pega malware e nem cai em phishing. Mas de que adianta se o ataque da chave de $5 ainda é super eficiente?

Quote
SÃO PAULO, SP (FOLHAPRESS) - Um policial militar reformado foi preso neste sábado (29) sob suspeita de sequestrar e manter um espanhol por cerca de uma semana em um cativeiro em Mogi da Cruzes, na região metropolitana de São Paulo.

[...]

A vítima acusa o PM de roubar moedas virtuais. Em depoimento aos policiais, o espanhol afirma ter sido abordado por dois homens vestidos com uniformes falsos da Polícia Civil e obrigado a entrar em uma caminhonete no Ipiranga, zona sul da capital. Depois, foi levado ao casebre na Grande São Paulo, onde conseguiu fugir.

Segundo a GloboNews, o valor desviado teria sido de 50 milhões de dólares.

https://www.msn.com/pt-br/noticias/brasil/empres%C3%A1rio-espanhol-%C3%A9-sequestrado-em-sp-fica-uma-semana-em-cativeiro-e-tem-moedas-virtuais-roubadas/ar-AA1BX01d

Quase R$ 300 milhões de reais. Tongue

Por isso salve a dica: nunca ostente! As vezes nem contar pra família é uma boa, pois sabe-se lá o que eles vão sair divulgando por aí em conversa de bar ou para outros conhecidos.
9  Local / Português (Portuguese) / Sanções ao Tornado Cash são derrubadas nos EUA on: March 22, 2025, 12:44:38 AM
É... sanciona o site, derruba tudo, prende os desenvolvedores, depois de alguns anos volta atrás e fala "na verdade pensamos melhor e as sanções agora vão ser retiradas".

Quote
WASHINGTON — Based on the Administration’s review of the novel legal and policy issues raised by use of financial sanctions against financial and commercial activity occurring within evolving technology and legal environments, we have exercised our discretion to remove the economic sanctions against Tornado Cash as reflected in Treasury’s Monday filing in Van Loon v. Department of the Treasury.  

https://home.treasury.gov/news/press-releases/sb0057

Dá pra ver que o site tornado.cash e vários endereços (incluindo do smart contract da Tornado Cash) foram removidos da lista da OFAC: https://ofac.treasury.gov/recent-actions/20250321

Bem que o theymos podia considerar essa notícia pra desbanir os mixers por aqui, né? Tongue
10  Local / Português (Portuguese) / [SimpleX] Bot de notificações do BitcoinTalk on: March 19, 2025, 09:00:56 AM
Tópico oficial em inglês: [SimpleX] BitcoinTalk notification bot (mentions, merits, topics, users)

Para aqueles que não gostam ou não usam o Telegram, aqui está um bot de notificações para o SimpleX.

O que é o SimpleX?

SimpleX é um aplicativo de mensagens com criptografia E2E que não exige número de telefone, e-mail ou qualquer outra informação pessoal.

https://simplex.chat



Funcionalidades

- Mentions
- Merits
- Tracked topics
- Tracked phrases
- Tracked users
- Ignored users



Como usar o bot?

1. Adicione o bot aos seus contatos com o endereço do SimpleX:

Quote
simplex:/contact#/?v=2-7&smp=smp%3A%2F%2FPQUV2eL0t7OStZOoAsPEV2QYWt4-xilbakvGUGOItUo%3D%40smp6.simplex.im%2F3-DlKp810rjWdx9WnzsMFpnGbl6RY2gy%23%2F%3Fv%3D1-3%26dh%3DMCowBQYDK2VuAyEA0tDzeBBjlWO1f0C5uQR2cIXcvoNbtTufArwHporP1D0%253D%26srv%3Dbylepyau3ty4czmn77q4fglvperknl4bi2eb2fdy2bh4jxtf32kf73yd.onion



2. Aguarde alguns segundos para que o bot aceite seu contato.

3. Siga as instruções do bot (defina seu nome de usuário do fórum e uid).

4. Pronto!

Tenha em mente que o bot pode ter um pequeno delay ao responder (em comparação com o do Telegram) devido à API do cliente SimpleX.
Além disso, podem haver bugs, já que é a primeira vez que estou programando um bot para o SimpleX. Reporte qualquer problema. Cool



Comandos

Quote
/help - mostra uma lista de comandos

/mentions - Liga e desliga notificações de mentions
/merits - Liga e desliga notificações de merits

/topic ID - Adiciona um tópico rastreado
/del_topic ID - Deleta um tópico rastreado
/list_topics - Lista os tópicos rastreados

/phrase TEXT - Adiciona uma frase rastreada
/del_phrase TEXT -  Deleta uma frase rastreada
/list_phrases - Lista as frases rastreadas

/user TEXT - Adiciona um usuário rastreado
/del_user TEXT - Deleta um usuário rastreado
/list_users - Lista os usuários rastreados

/ignoreuser TEXT - Adiciona um usuário ignorado
/del_ignoreuser TEXT - Deleta um usuário ignorado
/list_ignoreusers - Lista os usuários ignorado

/invite - Obter o endereço de convite do bot
/reset - Reiniciar a configuração do bot
11  Bitcoin / Project Development / [SimpleX] BitcoinTalk notification bot (mentions, merits, topics, users) on: March 19, 2025, 08:53:41 AM
For those who don't like or use Telegram, here is a notification bot for SimpleX.

What is SimpleX?

SimpleX is an E2E-encrypted messaging app that does not require a phone number, email, or any other personal information.

https://simplex.chat



Features

- Mention notifications
- Merit notifications
- Tracked topics
- Tracked phrases
- Tracked users
- Ignored users



How do I use the bot?

1. Add the bot to your contacts with the SimpleX address:



Quote
simplex:/contact#/?v=2-7&smp=smp%3A%2F%2FPQUV2eL0t7OStZOoAsPEV2QYWt4-xilbakvGUGOItUo%3D%40smp6.simplex.im%2F3-DlKp810rjWdx9WnzsMFpnGbl6RY2gy%23%2F%3Fv%3D1-3%26dh%3DMCowBQYDK2VuAyEA0tDzeBBjlWO1f0C5uQR2cIXcvoNbtTufArwHporP1D0%253D%26srv%3Dbylepyau3ty4czmn77q4fglvperknl4bi2eb2fdy2bh4jxtf32kf73yd.onion

2. Wait a few seconds for the bot to accept your contact.

3. Follow the bot instructions (set your forum username and uid).

4. That's it!

Keep in mind that the bot might have a small delay when answering (compared to the telegram one) due to the SimpleX client api.
Also, there might be issues since it's my first time coding a bot for SimpleX. Let me know of any bugs. Smiley



Commands

Quote
/help - shows a list of commands

/mentions - Toggle mention notifications
/merits - Toggle merit notifications
/only_direct - Toggle only direct mentions (@username) and quotes notifications (for those with common words as usernames).

/topic ID - Adds tracked topic
/del_topic ID - Deletes a tracked topic
/list_topics - Lists tracked topics

/ignoretopic ID - Adds ignored topic
/del_ignoretopic ID - Deletes a ignored topic
/list_ignoretopics - Lists ignored topics

/phrase TEXT - Adds tracked phrase
/del_phrase TEXT - Deletes a tracked phrase
/list_phrases - Lists tracked phrases

/user TEXT - Adds tracked user
/del_user TEXT - Deletes a tracked user
/list_users - Lists tracked users

/ignoreuser TEXT - Adds ignored user
/del_ignoreuser TEXT - Deletes a ignored user
/list_ignoreusers - Lists ignored users

/invite - Get the bot invite address
/reset - Restart bot setup



Donations are appreciated!

BTC: bc1q5esjqsdw3l6whu6a24p3uw69pdakc5xnthfyge

XMR: 8AjhMhRtbK9GPzcSEnCYikHYTGFpNnc4QK83ZPTkAXx1FxmsYGNSmDuAKSjokfkRq6VhocV2yCeYdJX AC7eJZ72r7xynh9K
12  Local / Português (Portuguese) / Beta do ninjastic.space (explore e analise dados do fórum) on: March 12, 2025, 03:29:55 PM
Mais um beta do meu site lançando! Cool

Para os novatos, fora o meu bot do telegram para notificações do fórum, eu também tenho um site que serve como uma grande biblioteca com todos os posts e dados do nosso fórum.

Estou lançando uma versão beta que vai ser atualizada com muita frequência até estar completa.

Para acessar ela: https://beta.ninjastic.space

Já teve dificuldades pra encontrar um post aqui do fórum? Essa minha ferramenta ajuda nisso e ajuda muito.

Agora você consegue até pesquisar posts pelo número de merits, uma ótima função para encontrar posts "quentes" aqui no fórum.

Exemplo, os posts mais meritados no nosso board Português + boards filhos do dia 1 de Março até agora: https://beta.ninjastic.space/search?board_id=29&child_boards=true&date_min=2025-03-01&limit=20&sort_by=merits_desc

Ou o meu perfil, com dados sobre meus posts e merits, boards mais ativos, etc: https://beta.ninjastic.space/user/id/557798



Tópico oficial: [BETA] [NEW] beta.ninjastic.space (forum archive and data visualization)

Quote
13  Bitcoin / Project Development / [BETA] [NEW] beta.ninjastic.space (forum search, archive and data visualization) on: March 12, 2025, 08:03:47 AM
Yet again, I'm releasing a new beta for the new ninjastic.space website.

I had previously released a beta focused on a new search mechanism which was deemed too confusing for some people, so I decided to take a different route and also took some time to work on more pages besides searching. First, old, now deactivated beta: [deprecated] [BETA] NEW ninjastic.space search

There is still a lot of work to be done (tons of features to implement), but I think building in public is better since I can get feedback and change stuff a lot faster. Posts searching is done so that's why I'm releasing this now.

The new website can be accessed here: https://beta.ninjastic.space

Quote

The new website is faster, has (or will have) more features, and will make my life easier when working on new features.

A bunch of small things have been added, like images loading through my own proxy (until now, old forum-proxied images appear broken because their url are invalid, so you can't see images on older archived posts). Or quickly add an user, topic, or board from the search results list to the filters.



Posts and merits

You can see merits data when searching or looking at the archived posts. Click the small scroll icon on the post header (next to merits) to see a full log of merit txs fot that post.



NEW Shows post edit versions (and deletions!)







Better post searching



- multiple users
- multiple topics
- multiple boards
- exclude authors, topics, boards
- posts with or without merits
- posts with X merit received
- posts merited by X or Y user
- search only the unquoted content of the post
- search only the quoted content of the post
- posts with quotes from X user
- posts with a specific word inside a quote
- sort by relevance (i.e better word matching), newest/oldest, more/fewer merits.

- Search with natural language on the command dialog (ctrl + K). For example: Posts from TryNinja that received at least 1 merit from LoyceV, on board Meta, since last month.
- Search edited posts as well (disable on "others" filter button)! NEW

EXAMPLE: Posts by TryNinja or Loyce on board Meta+childs that have received at least 10 merits, ordered by merits count (desc): https://beta.ninjastic.space/search?author=TryNinja,LoyceV&board_id=24&child_boards=true&merit_min=10&limit=20&sort_by=merits_desc

You can also filter posts inside a topic archive page, for example, topic #5273824 (original ninjastic.space) but only posts by TryNinja: https://beta.ninjastic.space/topic/5273824?author=TryNinja&sort_by=date_asc



User profiles and charts

User profiles will include a lot more data. For example, see someone's entire post and merit monthly/daily chart. You can click on a chart date point to see all txs on that period (i.e all merits on a month or day to see what that merit peak was): https://beta.ninjastic.space/user/id/557798





The same is also valid for other charts, like the top 24h merit senders/receivers on the home page.



Things to come

Almost every day I'll try to have new features released, so expect things to change fast.

Some stuff coming soon:

- Boards page with charts and data about most active users, merit senders/receivers, topics, etc... on all different boards.
- Addresses search and data page (like the current website, but much improved: https://ninjastic.space/addresses).
- Merits tab on the user page for better data visualization, search merits, see who merits who and on which topics and boards, etc...\
- Post edit history (will be a lot better than what we current have).
- [insert your idea here]
14  Local / Português (Portuguese) / ALERTA!! Reserva de cripto dos EUA confirmada por Trump! on: March 02, 2025, 05:56:22 PM
O Trump postou na sua rede social que a reserva de cripto dos EUA é real!!

A U.S. Crypto Reserve will elevate this critical industry after years of corrupt attacks by the Biden Administration, which is why my Executive Order on Digital Assets directed the Presidential Working Group to move forward on a Crypto Strategic Reserve that includes XRP, SOL, and ADA. I will make sure the U.S. is the Crypto Capital of the World. We are MAKING AMERICA GREAT AGAIN!

https://truthsocial.com/@realDonaldTrump/posts/114093526901586124

And, obviously, BTC and ETH, as other valuable Cryptocurrencies, will be the heart of the Reserve. I also love Bitcoin and Ethereum

https://truthsocial.com/@realDonaldTrump/posts/114093946326587357
15  Local / Português (Portuguese) / Possível incidente de segurança na Bybit na casa dos $1.5 bilhões on: February 21, 2025, 04:07:01 PM
O ZachXBT está postando agora mesmo updates sobre um possível hack na Bybit na casa dos $1.5 bilhões.

Se você tem dinheiro lá, pode ser uma boa tentar sacar o mais rápido possível e aguardar novidades.

Currently monitoring suspicious outflows from Bybit of $1.46B+ will update as information becomes available

0x47666Fab8bd0Ac7003bce3f5C3585383F09486E2 (https://etherscan.io/address/0x47666Fab8bd0Ac7003bce3f5C3585383F09486E2)

Quote
My sources confirm it's a security incident

Quote
The attacker just split 10K ETH to 39 addresses. If you are an exchange or service who follows my channel blacklist these addresses on all EVM chains:

-snip-
16  Local / Português (Portuguese) / Kraken vai delistar USDT on: February 01, 2025, 07:20:51 PM
Devido a introdução do Markets in Crypto-Assets Regulation (MiCA) na Europa, parece que a Kraken e outras exchanges locais vão ter que deslistar a USDT e outras stablecoins que não respeitam as novas regulamentações.

The implementation of the Markets in Crypto Assets (MiCA) regulation in the European Union introduces new requirements for stablecoin issuers and cryptocurrency exchanges. According to MiCA, all stablecoins listed on EU exchanges must be issued by licensed entities. The company Tether, the issuer of the USDT stablecoin, has not yet obtained such a license, leading to the delisting of USDT on European exchanges.

A USDC parece estar toda redondinha e portanto vai provavelmente se oficializar a stablecoin oficial lá na Europa enquanto a Tether não seguir o mando dos europeus (se é que eles vão fazer isso).

Isso ocorrerá até 31 de março. Crypto.com também parece estar seguindo o caminho de delistar a stablecoin até o fim do 1 trimestre de 2025.

@joker_josue anda usando USDT por aí em Portugal? O que pensa sobre isso?
17  Local / Criptomoedas Alternativas / Airdrop da Blast parte 2 on: January 24, 2025, 08:46:45 PM
Acabou de sair outro airdrop da Blast.

Dessa vez eu não fiz nada, só deixei meu dinheiro completamente parado em um protocolo de lending (aso.finance) por conta do APR e ganhei uma porrada de pontos e gold.

Consegui 614k Blast, oque atualmente vale cerca de $3970.

Mais uma vez... almoço gratís. Tongue

Para fazer o claim: https://blast.io/en/airdrop
18  Local / Português (Portuguese) / Petrobras vai minerar Bitcoin on: January 22, 2025, 03:34:22 PM
Vi esse tweet hoje:

🚨Petrobras vai minerar Bitcoin.

Maior empresa do Brasil e 4ª maior empresa de petróleo do mundo anuncia projeto-piloto para minerar bitcoin.



https://x.com/livecoinsBR/status/1882046992177873188/photo/1

Achei esse post no Linkedin para conferir, o autor coloca o cargo, na Petrobras, de "Blockchain & Crypto-Token Economy Certified Architect / Innovation Specialist / Educator."
19  Local / Português (Portuguese) / Meu merit de natal: o papai noel chegou! on: December 26, 2024, 09:57:33 PM
Para comemorar as boas festas de fim de ano e espalhar o clima de felicidade, gostaria de distribuir alguns merits entre os membros da comunidade.

Tudo o que você precisa fazer é quotar um post que você ache que também merece merits, assim consigo alcançar mais pessoas e distribuir o maior número possível de presentes.

Feliz natal e ano novo. Cool
20  Local / Criptomoedas Alternativas / Airdrop da Pengu on: December 17, 2024, 02:30:05 PM
A famosa coleção de NFT da Pudgy Penguins acabou de lançar o seu token na rede da Solana.

Eu mesmo nunca fiz nada com eles mas ganhei 1.8k de tokens por ser um "OG SOL user", ou seja, um usuário dos primordios da Solana.
Atualmente isso da cerca de $100 de graça, literalmente só por ter usado a Solana durante os anos passados.

Dá pra conferir e fazer o claim aqui: https://claim.pudgypenguins.com/

E aí, também ganhou?
Pages: [1] 2 3 4 5 6 7 8 9 10 11 12 »
Powered by MySQL Powered by PHP Powered by SMF 1.1.19 | SMF © 2006-2009, Simple Machines Valid XHTML 1.0! Valid CSS!