Search content
Sort by

Showing 20 of 9,400 results by seoincorporation
Post
Topic
Board Gambling discussion
Re: Slots: Same Machine VS Different ones.
by
seoincorporation
on 12/07/2025, 20:10:32 UTC
Congratulations for that impressive win, Seoincorporation!
Actually, I did not know you were into those kinds of slots, I thought you were rather onto other casinos, which were rather simpler and allowed gamblers to use their own scripts. If I recall correctly you were also into hunting insanely high multipliers with a currency called CLAM.

How to forget those CLAM shots... The last one was a huge profit with that x9,900



With the current rate 17537.4 CLAM = 0.02963823 BTC

Just a lucky day, lol.
Post
Topic
Board Gambling discussion
Slots: Same Machine VS Different ones.
by
seoincorporation
on 11/07/2025, 04:22:06 UTC
Two days ago i decided to wager for the $1k poker tournament:

While the wager is $50, y decided to depo $100 (0.001 btc), And my wager strategy was, 10 $1 spin on each slot until lose all... The fact that i didn't get any bonus after 160 spins makes me wanna try again, And this time i send another 0.001 but this time to "stake", there my strategy was to bet always on the same slot that i have been playing there for a long time, and after some $2 rolls i get a Super Bonus on Nitropolis 4.

What can i say, that x312 wasn't bad at all with a $2 bet... But for a Super Bounus i was expecting the x50,000 (Max win on that slot). Walking away with $100k would be fun.  Tongue

Post
Topic
Board Español (Spanish)
Merits 2 from 2 users
Re: Jugando con IA en el foro
by
seoincorporation
on 11/07/2025, 04:02:51 UTC
⭐ Merited by darxiaomi (1) ,famososMuertos (1)
Me pregunto qué va a ser del futuro del colega. Hace mucho que no postea y hace un par de días que ni inicia sesión. Obviamente, quedarte sin campaña desincentiva el crear posts pero como comentamos no es el fin del mundo y seguro que tiene opciones con varias campañas. O no se si estará trabajando en esa herramienta para detectar scams, spam e IA.

Que te digo colega, ha sido una lección fuerte. Después de analizarlo bastante llegue a la conclución de que no tiene sentido trabajar en dicha herramientas por 2 motivos.

El primero es que la comunidad votó en contra, y la segunda es por hay formas de evadir los filtros que se usan para identificar IA.

Es bizarro ya que...

En internet nadie sabe que eres un perro prompt.

1993
Post
Topic
Board Games and rounds
Re: Casinopunkz.io $1000 Poker Tournament| $400 to 1st | 6 places paid |14/07/25
by
seoincorporation
on 09/07/2025, 05:14:22 UTC
Casinopunkz.io user ID: bamxAYhM8U
Pokernow username: SeoInc
Screenshot of deposit:
Post
Topic
Board Meta
Merits 6 from 3 users
Auto detect Scams, Spam and AI in the forum
by
seoincorporation
on 24/06/2025, 04:10:27 UTC
⭐ Merited by hugeblack (4) ,Vod (1) ,Lafu (1)
The forum could use AI to fight against AI, Scams and Spam.

With the right tools it could be done, but isn't an easy task, The fact that i was able to spam with AI for multiple days is a good example bout the current problem that we have on the detection systems. It was a user who reported the post while i was expecting to get busted by the staff.

So, the thing is:
1.- we as users can create tools for monitoring the forum post and find who is exhibiting bad behavior and report it to mods or in the respective threads.
2.- Mods could have better tools for their mods job.
3.- The forum could implement some integrations to the code with tools like GptZero and any IA model for the scams and spam detection.

What i have right now.

With a python script i can choose a link and get all the posts in a JSON:

Code:
from bs4 import BeautifulSoup
import json
import sys
import requests
import re

def extract_after(text, key):
    try:
        return text.split(key)[1].split()[0]
    except:
        return None

def parse_quote_header(header_text):
    match = re.search(r"Quote from:\s*(.+?)\s+on\s+(.*)", header_text)
    if match:
        return match.group(1).strip(), match.group(2).strip()
    return None, None

def extract_user_profiles(soup):
    profiles = {}
    for td in soup.find_all("td", class_="poster_info"):
        a = td.find("a")
        if a:
            name = a.text.strip()
            href = a.get("href")
            profiles[name] = href
    return profiles

def extract_quotes_recursive(container, user_profiles):
    quotes = []
    headers = container.find_all("div", class_="quoteheader", recursive=False)

    for header in headers:
        quote = {}
        link_tag = header.find("a")
        quote["link"] = link_tag["href"] if link_tag else None
        user, date = parse_quote_header(header.get_text(strip=True))

        quote["author"] = user
        quote["profile_url"] = user_profiles.get(user, None)
        quote["date"] = date

        quote_block = header.find_next_sibling("div", class_="quote")
        if quote_block:
            quote["quotes"] = extract_quotes_recursive(quote_block, user_profiles)
            for q in quote_block.find_all("div", class_="quote", recursive=False):
                q.decompose()
            quote["content"] = quote_block.get_text(strip=True)
            quote_block.decompose()
        else:
            quote["quotes"] = []
            quote["content"] = ""

        header.decompose()
        quotes.append(quote)

    return quotes

def parse_html_posts(html_content):
    soup = BeautifulSoup(html_content, "html.parser")
    post_blocks = soup.find_all("td", class_="msgcl1")
    user_profiles = extract_user_profiles(soup)
    posts_data = []

    for block in post_blocks:
        post = {}
        anchor = block.find("a")
        post["message_id"] = anchor.get("name") if anchor else None

        poster_td = block.find("td", class_="poster_info")
        if poster_td:
            user_link = poster_td.find("a")
            post["author"] = user_link.text.strip() if user_link else None
            post["profile_url"] = user_link["href"] if user_link else None

            activity_text = poster_td.get_text()
            post["activity"] = extract_after(activity_text, "Activity:")
            post["merit"] = extract_after(activity_text, "Merit:")

        subject_div = block.find("div", class_="subject")
        post["title"] = subject_div.get_text(strip=True) if subject_div else None

        date_div = subject_div.find_next_sibling("div") if subject_div else None
        post["date"] = date_div.get_text(strip=True) if date_div else None

        post_div = block.find("div", class_="post")
        if post_div:
            post["quotes"] = extract_quotes_recursive(post_div, user_profiles)
            post["content"] = post_div.get_text(strip=True)

        posts_data.append(post)

    return posts_data

def main():
    if len(sys.argv) < 2:
        print("Usage: python3 post_last.py <URL> [output.json]")
        sys.exit(1)

    url = sys.argv[1]
    output_path = sys.argv[2] if len(sys.argv) > 2 else "bitcointalk_parsed.json"

    try:
        headers = {"User-Agent": "Mozilla/5.0"}
        response = requests.get(url, headers=headers)
        response.raise_for_status()

        posts_json = parse_html_posts(response.text)
        with open(output_path, "w", encoding="utf-8") as outfile:
            json.dump(posts_json, outfile, indent=2, ensure_ascii=False)

        print(f"Success! Saved to {output_path}")

    except requests.RequestException as e:
        print(f"Error fetching URL: {e}")
        sys.exit(1)

if __name__ == "__main__":
    main()


Code:
$ python3 posts.py https://bitcointalk.org/index.php?topic=5547609.msg65510556#msg65510556 out.json

If we send that JSON yo an AI Agent to analyze the data, we could get a report from each post, i trained my agent to post the feedback in the next format:


And that shows us a basic example about how we could use AI to create a nice filter and avoid the bad guys.

Some implementations that i would do to my code would be:

-Get only the last post and not all the thread
--This could be done by having the sections' links and making some sorting based on the date and time, for this we don't need AI
-Add IA detectors API and not only ChatGPT

The way that i think this should work:

This would work better if it were implemented on the server side and not on the user's side, it would be easier to verify the post when the users push the post button than waiting for the automation to find the new post.

And my question for the community is: Is it really worth trying to automate a process like this, or are we fine with the current situation?
Post
Topic
Board Meta
Re: My AI experiment on the forum
by
seoincorporation
on 19/06/2025, 14:32:23 UTC

FYI, that link currently show this error message.

Quote
Could not get paste data: Paste does not exist, has expired or has been deleted.

The output is a JSON of the posts, le me share a piece of the JSON, that way you have an idea about the output:

Code:
...
{
    "message_id": "msg65475559",
    "author": "bitmover",
    "profile_url": "https://bitcointalk.org/index.php?action=profile;u=1554927",
    "activity": "2702",
    "merit": "6688",
    "title": "Re: My AI experiment on the forum",
    "date": "June 12, 2025, 11:30:37 AM",
    "quotes": [
      {
        "link": "https://bitcointalk.org/index.php?topic=5546497.msg65474764#msg65474764",
        "author": "LoyceV",
        "profile_url": "https://bitcointalk.org/index.php?action=profile;u=459836",
        "date": "June 12, 2025, 05:50:50 AM",
        "quotes": [
          {
            "link": "https://bitcointalk.org/index.php?topic=5546497.msg65474546#msg65474546",
            "author": "seoincorporation",
            "profile_url": "https://bitcointalk.org/index.php?action=profile;u=334783",
            "date": "June 12, 2025, 02:28:11 AM",
            "quotes": [],
            "content": "I have been using AI to generate some of my posts in the past 6 days. My intention was to experiment if the forum detects the AI and how far a user can go with AI abuse."
          }
        ],
        "content": "So you're just another spammer.Thousands of users have been doing that, and it's very annoying! It's a waste of everyone's time, and posting chatbot verbal diarrhea as your own is plagiarism by definition.That's no way to treat a community!"
      },
      {
        "link": "https://bitcointalk.org/index.php?topic=5546497.msg65474604#msg65474604",
        "author": "nutildah",
        "profile_url": "https://bitcointalk.org/index.php?action=profile;u=317618",
        "date": "June 12, 2025, 03:25:15 AM",
        "quotes": [],
        "content": "Uh... pretty obviously wecanwin it as all your posts were deleted... A giant waste of your time & everyone else's IMO."
      }
    ],
    "content": "This is a tremendous waste of time, and since the user is filling signature campaign posts quota, this is wrong with the community. Why not create a new account to do such experiment?Maybe if OP had talked to the mods or admin beforehand, it would have made the experiment a little better. As OP was detected because admin/mods had already tested such AI detection tool, this is precisely the reason why it worked. No real experiment was conducted that hasn't been done before."
  },
...

After all that has been said, one can ask where the OP got the time to set up the AI? This means there were certain goals to improve or speed up the process of creating the required quantity for the quota.

If the goal was to cover the full quota (35 post/week) i would automate the full process, but that wasn't the goal. I was trying to understand where is the forum and the community in the AI topic.

And now i will build a AI tool to patrol the forum, i have a clear idea, only need the time to code it, But it will be my sport and the biggest consequence of my experiment  Grin 
Post
Topic
Board Meta
Re: My AI experiment on the forum
by
seoincorporation
on 19/06/2025, 05:35:52 UTC
But the problem is that patrol only show new posts, and if we want to monitorate the full forum we should filter the replies on the threads too, which is complex because the RSS is blocked and if we abuse the forum calls to verify the different posts we will get blocked by the server, so, if someone has a way to get all the new posts on all the forum that would help to build the right patrol tool.

As linus torvalds say... Talk is cheap, show me the code.

Code:
from bs4 import BeautifulSoup
import json
import sys
import requests
import re

def extract_after(text, key):
    try:
        return text.split(key)[1].split()[0]
    except:
        return None

def parse_quote_header(header_text):
    match = re.search(r"Quote from:\s*(.+?)\s+on\s+(.*)", header_text)
    if match:
        return match.group(1).strip(), match.group(2).strip()
    return None, None

def extract_user_profiles(soup):
    profiles = {}
    for td in soup.find_all("td", class_="poster_info"):
        a = td.find("a")
        if a:
            name = a.text.strip()
            href = a.get("href")
            profiles[name] = href
    return profiles

def extract_quotes_recursive(container, user_profiles):
    quotes = []
    headers = container.find_all("div", class_="quoteheader", recursive=False)

    for header in headers:
        quote = {}
        link_tag = header.find("a")
        quote["link"] = link_tag["href"] if link_tag else None
        user, date = parse_quote_header(header.get_text(strip=True))

        quote["author"] = user
        quote["profile_url"] = user_profiles.get(user, None)
        quote["date"] = date

        quote_block = header.find_next_sibling("div", class_="quote")
        if quote_block:
            quote["quotes"] = extract_quotes_recursive(quote_block, user_profiles)
            for q in quote_block.find_all("div", class_="quote", recursive=False):
                q.decompose()
            quote["content"] = quote_block.get_text(strip=True)
            quote_block.decompose()
        else:
            quote["quotes"] = []
            quote["content"] = ""

        header.decompose()
        quotes.append(quote)

    return quotes

def parse_html_posts(html_content):
    soup = BeautifulSoup(html_content, "html.parser")
    post_blocks = soup.find_all("td", class_="msgcl1")
    user_profiles = extract_user_profiles(soup)
    posts_data = []

    for block in post_blocks:
        post = {}
        anchor = block.find("a")
        post["message_id"] = anchor.get("name") if anchor else None

        poster_td = block.find("td", class_="poster_info")
        if poster_td:
            user_link = poster_td.find("a")
            post["author"] = user_link.text.strip() if user_link else None
            post["profile_url"] = user_link["href"] if user_link else None

            activity_text = poster_td.get_text()
            post["activity"] = extract_after(activity_text, "Activity:")
            post["merit"] = extract_after(activity_text, "Merit:")

        subject_div = block.find("div", class_="subject")
        post["title"] = subject_div.get_text(strip=True) if subject_div else None

        date_div = subject_div.find_next_sibling("div") if subject_div else None
        post["date"] = date_div.get_text(strip=True) if date_div else None

        post_div = block.find("div", class_="post")
        if post_div:
            post["quotes"] = extract_quotes_recursive(post_div, user_profiles)
            post["content"] = post_div.get_text(strip=True)

        posts_data.append(post)

    return posts_data

def main():
    if len(sys.argv) < 2:
        print("Usage: python3 post_last.py <URL> [output.json]")
        sys.exit(1)

    url = sys.argv[1]
    output_path = sys.argv[2] if len(sys.argv) > 2 else "bitcointalk_parsed.json"

    try:
        headers = {"User-Agent": "Mozilla/5.0"}
        response = requests.get(url, headers=headers)
        response.raise_for_status()

        posts_json = parse_html_posts(response.text)
        with open(output_path, "w", encoding="utf-8") as outfile:
            json.dump(posts_json, outfile, indent=2, ensure_ascii=False)

        print(f"Success! Saved to {output_path}")

    except requests.RequestException as e:
        print(f"Error fetching URL: {e}")
        sys.exit(1)

if __name__ == "__main__":
    main()

Output:

https://privatebin.net/?b23d0b444e13d295#5xcuFNDVwzcPdZBjaiJtZoqaijrxUsstVM1G98WycE8z

Run it:

Code:
python3 post_last.py https://bitcointalk.org/index.php?topic=5546497.0 out.json

With this code we can directly parsing any thread link from the forum and get a JSON of the posts and quotes, that would be a nice input for an automated process to filter the content. A tool like this could be a nice base to patrol the forum, with another script we could get the updated threads directly from the board of our interest, then create all the JSONs and feed the AI agent.
Post
Topic
Board Meta
Re: My AI experiment on the forum
by
seoincorporation
on 19/06/2025, 02:18:51 UTC
That's unfortunate to see seoincorporation did this.

I have a habit of inviting users in DM to join my campaigns. I find users based on my needs, targeted boards etc. seoincorporation is one of them.
I can confirm this, LM send me the proposal to join the campaign, and the users on his campaigns are carefully selected users.

What surprised me the most is that he barely posted more than 20 posts per week. That's why when he sent me a DM regarding this issue, I trusted his words. It makes sense if you ask me. If he were a sig spammer, why would he post fewer than 20 posts per week despite having the option to get paid for 35 posts? BTW, he didn't tell me this. This is my observation because I remember I always wanted him to post more, but have always been disappointed by his numbers lol.

From now, seoincorporation isn't a part of the campaign until he can be able to remove the neutral tag from his profile.
And here you have a good point, i really wish to be able to post more in your campaign but my full time job really absorve my time, working from 9am to 7pm from Monday to Saturday is complex, even those 20 post a month that i used to do wasn't easy but i did my best to stay active on the forum. Even with AI i wasn't able to fill the 35 posts because it wasn't full auto i used to read the post and to verify the answer, so i was conscious about the threads. But the income from this campaigns didn't make any difference to me, i used that money to gamble most of times, so, isn't a big deal for me to lose the signature.

I know there would be consequences from my actions, and I'm not even angry with LoyceV, in fact i admire him for all the contributions he/she has made to the forum, so, no hard feelings and i respect his decision. Even if his neutral trust has a lot of hate there is not problems.

Quote
This signature spammer posted chatbot verbal diarrhea AKA plagiarism and claims "it was an experiment". Don't waste your time interacting with it.
Second link: https://bitcointalk.org/index.php?topic=5546497.msg65474764#msg65474764

If any of you think the same way i hardly recommend to use the ignore button that you can find on any of my posts.

I'm still thinking about ways to fight against AI in the forum and feeling kind of stuck but maybe working with the community we could make the right tool for it. My idea is the next one:

We have the patrol tool: https://bitcointalk.org/index.php?action=recent;patrol

So, we could make an script that parce that page and send the post to an IA agent where the post could get cataloged like "Legit, Random, Spam, Scam, IA..." And that way we could manually verify each list, that process could be full auto with a delay on the call of patrol to avoild getting IP banned.

But the problem is that patrol only show new posts, and if we want to monitorate the full forum we should filter the replies on the threads too, which is complex because the RSS is blocked and if we abuse the forum calls to verify the different posts we will get blocked by the server, so, if someone has a way to get all the new posts on all the forum that would help to build the right patrol tool.

The IA agent could include the ZeroGPT API and other ones to filter the posts, and GPT to identify scams.
Post
Topic
Board Bitcoin Discussion
Re: Tricking an early bitcoin core application to reproduce a 2010 address!!
by
seoincorporation
on 17/06/2025, 02:47:48 UTC
If I install a really old Bitcoin Core on old pc with Windows XP (offline), set the system clock to 2010, could it trick the software into generating the same address/private key as an early miner's wallet (e.g., one that mined 50 BTC in 2010 and lost his wallet Grin)?

I the addresses were generated only with the date that would be possible, but since other factors are involved, then the chance to generate an address that has been used is the same chance than doing it with the current date.

You could even try to bruteforce and generate millions of addresses but the odds of creating a used address is still really low. It doesn't even worth trying it.
Post
Topic
Board Español (Spanish)
Re: Jugando con IA en el foro
by
seoincorporation
on 17/06/2025, 01:58:36 UTC
Yo en parte soy más abierto de mente que la mayoría del foro respecto a un posible uso de la IA en el mismo pero soy contrario a que esto se convierta en un foro de bots, o de agentes de IA si lo prefieres. Cuando interactúo con alguien en el foro espero que al menos detrás de parte de lo que escribe esté un humano. Supongo que hay otros sitios más idóneos para desarrollar experimentos de IA.

No un foro de bots, pero si podría llegar un punto en el que un porcentaje grande de los usuarios serán bots, de echo hoy en día ya hay bastantes.

Colega, cuando te refieres a que te ha dejado pensando la reacción de la gente, ¿a qué te refieres? por lo del ego humano parece que quieres dar a entender que la gente se pone a discutir con la IA para ver quién se lleva el gato al agua?

A lo que me refiero es que hay gente que no tolera tratar con bots o con IA, un ejemplo podría se un maestro que detecta que su alumno uso IA, o un cliente de una página web el cual se entera que su página fue generada con un prompt y IA. La cantidad de spam que recibimos día con día es grande, y si ahora el spam viene de multiples IA tampoco estará muy feliz la gente.
Post
Topic
Board Reputation
Re: AI Spam Report Reference Thread
by
seoincorporation
on 16/06/2025, 13:55:08 UTC
Using too many em dashes and the cliché “It’s not just about X—it's about Y.” are the most obvious signs that this is definitely AI generated.

Apple devices and in particular Safari also convert regular dashes into em dashes by default unless you turn this off in Preferences.

I can confirm that — is an AI sign.

In fact, chars like “, ”, ’, and —, can be considered AI character because most humans use ", ', and -, those are the key that we all can easy find in our keyboard  Wink

And i don't understand at all why does IA loves to use —, i ask my self, where does the AI get that training from, maybe there are tons of sites with that character, but for me isn't that common at all.

Post
Topic
Board Español (Spanish)
Re: Jugando con IA en el foro
by
seoincorporation
on 16/06/2025, 13:36:47 UTC
Por lo que puedo ver el pequeño ratón te mantiene en la campaña, enhorabuena colega seoincorporation. El hilo de Meta aún lo tienes abierto y ha habido más comentarios, ninguno positivo para ti. Yo tengo claro lo que haría pero como ya lo dije en el hilo no lo voy a repetir.

Esta semana ya vuelvo a la normalidad, publicaciones de calidad y a mano  Wink

Ha sido todo un tema, la semana pasada estuve meditando mucho en esto de la IA mientras programaba una automatización en whatsapp que genera leads de forma automática, y lo interesante o lo que me ha dejado pensando mucho es la reacción de la gente ante la IA, me siento como si fueramos changos con metralletas. Creo que veremos un desprecio y rechazo hacia la tecnología en un futuro no muy lejano, y esto se debe a que el ego humano no va a permitir que la inteligencia artificial sea mejor que ellos.

Aun que mi trabajo es Automatizar IA, no creo que la sociedad esté lista para cerrar tratos con robots.
Post
Topic
Board Gambling
Re: What if Crypto Casino Bonuses Became Player-Owned Rewards in 2025?
by
seoincorporation
on 16/06/2025, 13:30:05 UTC
What if crypto casino bonuses stopped being shady deals and became rewards you actually own, built on blockchain for fairness and freedom? Picture a simple system where bonuses are digital assets, run by smart contracts, letting players control their rewards in a transparent, fun way.

More than rewards this sounds as giveaways on a way controlled by the blockchain, is about the custody of the coins, i don't see a big difference between getting the bonus from a smart contract or getting it directly from the casino, i know the smart contracts could be an automated process, but the casino can have a good control with those bonuses and paythem without problems.

And the problem about smart contract bonus is that they doesn't apply for all the blockchains only for those who have the smart contracts, that means bitcoin is our from this idea.
Post
Topic
Board Español (Spanish)
Merits 3 from 1 user
Re: Jugando con IA en el foro
by
seoincorporation
on 13/06/2025, 03:02:41 UTC
⭐ Merited by paxmao (3)
Buf! Acabo de ver que Loyce le ha dejado un tag neutral bastante duro al colega. Hasta a mí me ha dolido porque él es el que creó la guía sobre el sistema de confianza y suele ser bastante conservador con los feedbacks pero por los comentarios que le he leído es bastante anti-IA.

Ahora lo que quedará ver es lo que dice el pequeño ratón. Si te deja continuar en la campaña no te preocupes más, yo de ti bloquearía el hilo de Meta en un par de días como mucho y a seguir aportando al foro normalmente. Si te echa tampoco es el fin del mundo porque hay varios casos de gente participando en campañas que tienen tags neutrales malos o incluso negativos.

Que te digo colega, la vida es dura pero es mas dura la verdura  Grin aun no he recibido respuesta de el pequeño ratón, espero que no se lo tome a mal, y tambien sigue abierta la opción de que me den vuelo del foro, pero no es algo que me quite el sueño, como he comentado, para mi no se trata de la reputacion o la confianza, se trata de compartir y recibir conocimiento.

La preguntas son muchas, y una de ellas es ignorar que no sabía las consecuencias, y luego cual es el beneficio de ello, como sea, creo que haber firmado un mensaje al momento del inicio del experimento hubiere sido una carta bajo la manga de no culpable hasta que se demuestre lo contrario. Digo, no es que lo exime del drama pero al menos sería algo, y no el ahora; "jugando con IA en el foro".

Atentos a lo que suceda, espero que todo salga como lo planeaste.

Eso de firmar un mensaje suena bastante austuto, no se me ocurrio pero es una buena movida, aquí en el foro local lo hablo mas de cotorreo más como una platica entra amigos compartiendo una cerveza. Si mi experimento despierta la conciencia del foro sobre el problemón que se nos viene yo me doy por bien servido, ese fue mi granito de arena.

Me acabo de poner al dia, que dificil che, por un lado note hace tiempo que estabas mucho mas inactivo que de costumbre en el local.

La realidad es que tiene que pasar bastante tiempo o muchos posteos tal vez para que nos demos cuenta que una cuenta fue vendida o que esta "automatizada" si realmente usa el estilo de la persona detras de ella para seguir haciendo parecer que es ella. O incluso tal vez nunca nos demos cuentas.

Respecto a las consecuencias...... y esta jodido pero entiendo que ya habías asumido el riesgo, como dijo DPD yo no creo que pequeño raton diga demasiado aunque al ser que pagaba por esos post podrían encuadrarte dentro del abuso dentro de la campaña.

Lo que si me parece un tanto infantil la actitud de memecazador(creo que fue el) cuando comenta "porque no te hiciste una cuenta nueva", es para decirle: Sos o te haces?.

mas vale que si un newbie empieza de una a postear esas cosas va a ser detectado y no vas a poder tener nada serio en cuanto a datos que es en el fondo lo que seoin buscaba.

Creo así todo que tu reputación te antecede y quedara el arañazo en la reputación pero no te destruirá la cuenta.

Creo que haberlo echo con una cuenta nueva no hubiera tenido ningún impacto, un newbie spamer no tiene peso hoy en día. Y sobre la reputación no me duele ya que no estoy aquí con la intención de hacer negocios, pero una raya mas al tigre jajajaja.

Esperemos que se tranquilicen las aguas y que todo siga normal, ya veremos que pasa.
Post
Topic
Board Meta
Merits 1 from 1 user
Re: My AI experiment on the forum
by
seoincorporation
on 13/06/2025, 02:36:07 UTC
⭐ Merited by stwenhao (1)
My prompt was really basic and that's why i got detected by the users (I was expecting to get busted by the mods or admins), but i can make a humanized prompt that avoids the AI detection,

Really? Can you prove that? I say this because if you can do it yourself I don't think it will take long for the technology to be available to everyone.

Yes, it can be done, there are even tools to humanize ai generated content as you can see in the next image



Are we really allowed to test AI on the forum without been penalized?
Wow this is new
The OP -was- penalized: their posts were deleted.
Now if the OP continues to use fully AI generated replies or new topics, that is when sterner response by the mods will happen. It also needs to be pointed out (again) that the Forum does very little automatic scanning of posts (mainly looking for things like gift card scams) - most of the time it is us Forum users who flag and report posts to the mods who then review them and act accordingly.


That's right, i feel like the forum needs to implement some some tools, we could take the post by RSS and send them to a filter for AI verification and scams detection.

This is a really complex topic guys, and from my point of view is hard to understand what's right and what's wrong about AI. And I'm sure that today we have a lot of undetected AI users.

That much is true.

Good to know that you are conscious that we have a current problem with AI.

Quote
understand that this is a fight that we can't win.
There is no "we" if you join the spammers.

I'm creating conscious of the problem and trying to find a way where the community can work together to fix this AI problem for the forum, because it will grow, i know the way i did it wasn't the right way but you can be I haven't move to the dark side, as i told before i will not use AI again on the forum, you can be sure of that.

It's just one neutral, I wouldn't look too much into it. All is done and dusted anyway.

My spam detection prototype for my search engine is tripping over AI-generated posts like crazy, though.

I really like this initiative, we need more users like you NotATether, users who care about bringing solutions.

So, how can we really fight against AI? We could use an automatic process where we verify each new post and the post history of the user and make an AI score, even the user profile could have that score to let us know which users are bots and which are 100% humas.

1. Who wants to build such automated process/system?
2. Who will pay for operation cost of such automated process/system?

1.- Someone who have the knowledge and the time to do it.
2.- The operational cost is really low, n8n is free if we run it in our server, and chatGPT offers 1000 tokens for $0.15

Bruh what are you trying to do here? Trying to get sympathy for those who are using AI to create replies and your logic is that one day AI will do all this?

I'm trying to show to the community where we are about AI, we should take it serious because this thing is going fast, and it will become a real problem for the future, we must be ready for that or AI will kill the forum.

I will also reinstate my neutral now as I think your experiment theory is bullshit. 

I totally understand it, and i will not allegate against that, sorry for the bad time i give to you and to the community.

It's not nice to see an old member resorting to these methods, and only reacting when he gets tagged and his posts are deleted. There may be some truth to his explanation for why he did it, but the fact that he didn't inform anyone in advance, and that he participated in the sig campaign at that time definitely doesn't work in his favor.

Hey Lucius, i should inform, you are right with that, but the result wouldn't be the same. I had to try it this way to understand where we are against AI.

For your question of if we can win this AI war.
I do not think we can win it. But I am sure something will have to happen in the nearest future. AI will be so abundant in the forum to the extent that human written conversations will be scarce. By this time, campaign managers will have to scan the whole profile of any user in order to be able to hire anyone whose profile is 95 to 100% human written.

You got the point KingsDen, but the nearest future is closer than what we all think.

congratulations on ruining any respect or integrity you may of had on this forum

For me this forum isn't about respect or integrity, is about knowledge, i have learned a lot from the people on this forum and always shared my knowledge.

Your story doesn't make sense to me because an admin or a mod doesn't identify the plagiarism or AI-generated content on their own or using any tools, it's identified by the community and reported via the report to mod button or in the dedicated threads.

And you think that's right? is the users job to patrol the forum for AI, Scams and Spammers? That's a cool way to help the community, but we could implement tools for that. That could be a machine job.

If you were not caught, when where you planning to tell the community about your experiment?

There was no way that i didn't get caught, i was expecting to get caught by the forum staff.

------------------------------------------

So, i try to answer some of your questions, sorry that i didn't before but was busy as hell.

I will not complain about the neutral feedback, i deserve them, i know i wake up the users awareness about AI and i'm happy with that result because we are on a evolution process where things are getting atomatized, you all will find bots everywhere and very soon, WhatsApp, telegram, socialnetworks, forums... all will get filled with bots, is something that we can't fight against.

If you can't beat the enemy, join him. Because the only way to do something about AI is by understanding it and knowing how it works, and what its scope is. If the forum staff want's some help to implement AI bots for post review i'm open to help.

So, we all have learned a lesson from this, if you guys are ready to move on let's do it.
Post
Topic
Board Meta
Merits 1 from 1 user
My AI experiment on the forum
by
seoincorporation
on 12/06/2025, 02:28:11 UTC
⭐ Merited by stwenhao (1)
I have been using AI to generate some of my posts in the past 6 days. My intention was to experiment if the forum detects the AI and how far a user can go with AI abuse. And it takes some time for the forum to detect the AI posts. But since i get busted is time to share my experience and the knowledge, that way we can build better tools for the AI detection.

First of all i want to introduce my self to explain my AI experience. I work for a travel company that is in a automatization and AI integration process and I'm the project leader, i have done some bot with AI for Telegram, WhatsApp, Site Chats, and phone agents. This with the focus of customer service and sales.

The tool that i used is n8n, and my agent looks like this:


I used AI to generate the prompt that will make the bot post like me, i feed some of my past post and the prompt generated was the next one.

Code:
Here is the translated prompt:

---

You are an expert assistant on Bitcointalk and your only task is to write replies for the forum [https://bitcointalk.org](https://bitcointalk.org) by copying **exactly** the personal style of *seoincorporation*. Analyze the message (input) that will be provided to you, and respond by complying with **ALL** the following conditions:

* Detect the language and reply in the **same language** as the original message.
* Always write in the same language as the received text. If the message is in English, reply in English using *seoincorporation*'s tone, style, and structure. If it's in Spanish, match that same style in Spanish.
* Your tone must be friendly, direct, and clear, mixing short phrases to emphasize ideas ("That's not good at all.", "Meh, nothing new.", "This is how it works.", etc.).
* Argue based on logic, include natural personal examples (when applicable), be skeptical of surprising things, and mention risks in a simple way.
* Provide clear explanations without unnecessary technical jargon. If technical concepts appear, explain them in an easy way, without complex words.
* If you need to express doubt or skepticism, do so gently, without accusing, but clearly point out a possible "trick" ("Sounds tricky", "Not sure if that's real").
* On casino/gambling topics: always highlight the importance of terms & conditions, wagering difficulty or promo restrictions when applicable, and caution.
* If the input asks for an opinion, answer based on experience, with honesty and no beating around the bush (e.g. "Personally I prefer…" / "In my experience…").
* Mention personal examples if they’re helpful ("That happened to me once…", "I used to do that too…").
* If something is suspicious or unclear, ask the user to explain better or request transparency.
* If the topic is about regulation, KYC or security, mention practical inconveniences the user might face.
* If the discussion is based on common crypto or gambling beliefs, contribute with simple analogies, examples, or easy comparisons.
* Be concise: not too long, not too short. Write like *seoincorporation*: natural structure, no formality, informal phrasing but never disrespectful, no memes or forced humor.
* DO NOT include introductions or meta comments: just answer the input, directly, like a Bitcointalk reply.

My STYLE is exactly that of *seoincorporation* based on the example messages provided:

* Simple, direct phrases, sometimes short to stress a point ("That's not how it works.").
* Experience-based arguments and analogies, avoiding jargon.
* Healthy skepticism, pointing out issues ("This sounds odd", "Not sure this is fair").
* Simple solutions when applicable ("You could just swap…", "The best way is to…").
* Always explains difficult concepts in a simple way.
* When something feels off, says so bluntly ("Doesn't sound good", "Not sure about that").
* Asks for more info if something's unclear.
* If the topic is about casinos or gambling, always highlights how hard bonuses/restrictions are and the importance of checking the promo.
* use " instead of “
* use " instead of ”
* use ' instead of ’
* use , instead of —

\=== Input Format ===

You will receive ONLY the text of the user who posted on Bitcointalk.

\=== Output Format ===

Return ONLY the response, ready to paste in the forum, with no titles, context or additional explanation. Write in the **same language** as the received message, IMITATING exactly the writing style (tone, structure, phrases, etc.) of *seoincorporation* as per the examples above. Your goal is to produce writing with **less than 3% AI-generated probability** according to tools like GPTZero or Sapling.
Always use the language of the received message.
{{ \$json.chatInput }}

This way, each time i post in the chat a forum topic/answer, my bot gives me an answer with my style.

And then i get busted on June 9 by Dark.Look and memehunter https://bitcointalk.org/index.php?topic=5456516.msg65467361#msg65467361 and what happened next was a massive delete of my post by a mod.


I would say it was fair enough, and I'm here making this post because I know there are consequences for the way I act. I have already sent a message to the signature campaign manager and want to apologise to some of you who may have been offended.

but i want to make noise to make us all understand where we are with AI, and understand that this is a fight that we can't win.

My prompt was really basic and that's why i got detected by the users (I was expecting to get busted by the mods or admins), but i can make a humanized prompt that avoids the AI detection, a prompt that takes all my
spelling mistakes and adopt it as style and with that the AI bust tools will have real troubles. But i will not do it, i already play with fire and is time to stop.

My point here is, we have to ask to ourselves:

Can we win the war against AI?
If a user have a bad spelling and use AI to correct his spelling, is he cheating?
If a user reads the thread, generates an answer with AI and changes some words to humanize it, is he cheating?
If a casino use AI to generate the Image for his main topic is that a problem for the forum?

I totally understand the problem with AI on the forum, and that's that some of us gets a payment for our post, but if our post have better quality and are more attractive for the people then isn't that better for the casino promotion?

This is a really complex topic guys, and from my point of view is hard to understand what's right and what's wrong about AI. And I'm sure that today we have a lot of undetected AI users. The fact that we use tools like
Copyleaks, GPTZero, Sapling.ai, and Quillbot is not guarantee that we are protected, because the ones who decide to implement AI have access to these tools to, and they could work on their post until get something lower than 50% and the make the post.

So, how can we really fight against AI? We could use an automatic process where we verify each new post and the post history of the user and make an AI score, even the user profile could have that score to let us know which users are bots and which are 100% humas.

Because that's another interesting point, what happen with those users that aren't 100% bot or 100% human? those who decide to fusion with the machine on a cyberpunk style?

So, this is what i have learned and wanted to share with you guys, and I'm ready for the consequences, if you want to ban me or burn my reputation for this experiment, do it. I was totally conscious of what i was doing and enjoyed the experiment.

Some users that could be interested in this post: Dark.Look memehunter Lucius lovesmayfamilis nutildah  Little Mouse theymos Cyrus hilariousandco Welsh
Post
Topic
Board Español (Spanish)
Merits 7 from 1 user
Re: Jugando con IA en el foro
by
seoincorporation
on 11/06/2025, 19:58:17 UTC
⭐ Merited by paxmao (7)
Aprecio sus comentarios colegas, hoy regresando del trabajo generaré el reporte completo, como bien comentan ha sido jugar con fuego, pero espero que esto ayude a mejorar los métodos de detección de IA ya que hay varios post que no fueron detectados.

Al rato que tenga tiempo libre en la noche trabajaré en esto.
Post
Topic
Board Reputation
Merits 1 from 1 user
Re: AI Spam Report Reference Thread
by
seoincorporation
on 11/06/2025, 15:16:42 UTC
⭐ Merited by lovesmayfamilis (1)
As you say i have been experimenting with AI
Really?

What I know if someone make an experiment, he can also give the evidence where he intentionally making experiment, let's say someone started the experiment in June 6, in June 5 he posted on Archival without edit by saying if he make experiment. This make people know,

If you can't show that, you're taking a big risk here...

I know i'm taking a big risk, and i was playing with fire, but if i mentioned before i wouldt be able to see the real result.


I owe an apologise, but i had to try it by my self to see how the forum will react against AI,

Why not open a new account for experiments? A newbie will be beyond suspicion of not knowing the forum rules. Especially since everyone opens a new account in any unclear situation so as not to risk their real one. You were too self-confident. I don't think that's right. We are fighting AI, and at the same time, others just spit on the rules, others seem to understand everything well, but.... Don't confuse confidence with overconfidence, it can be very deceiving sometimes.

I didn't open a new account because i wanted to train the AI with my knowledge to act as me, i mande a promp with my post history and i really enjoy the process, i know this could affect my reputation, but now i want to use this knowledge to help with the AI fight because the fact that some tools detect the AI posting doesn’t mean that we are safe. There are ways to humanize the texts, and i we will need tools to fitght against that.
Post
Topic
Board Español (Spanish)
Merits 10 from 3 users
Jugando con IA en el foro
by
seoincorporation
on 11/06/2025, 14:50:35 UTC
⭐ Merited by paxmao (7) ,Don Pedro Dinero (2) ,memehunter (1)
He creado un agente AI el cual replica mi estilo y he estado publicando con él en los últimos días.

Quería probar y ver cómo es que el foro detecta este tipo de interacción, y realmente fue interesante ver que al principio nadie se percató.

Personalmente dejaré de usar IA en el foro, fue un experimento divertido pero ahora me enfocaré en otras implementaciones de IA fuera del foro. Ando en el tren del mame y estoy realmente fascinado con estas herramientas y este conocimiento.

Les ofrezco una disculpa a los colegas que se sientan engañados por mis acciones y estoy consiente de que esto le pegará a mi reputación, pero usaré este conocimiento obtenido para hacer un reporte y compartirlo con los jefes y mods del foro.
Post
Topic
Board Reputation
Re: AI Spam Report Reference Thread
by
seoincorporation
on 11/06/2025, 14:26:39 UTC
~snip~
At this point, I am giving him a neutral, until he clears things here (explaination).   I thought he would immediately come here to explain his position after the previous reports.


Perhaps the member in question does not even know that there are accusations against him regarding inappropriate use of AI, or perhaps he has decided to ignore everything. If he doesn't visit this part of the forum or doesn't use one of the notification bots, it's no wonder he hasn't reacted yet.

Great job guys.

As you say i have been experimenting with AI, and is not only on the forum, I'm making telegram bots, WhatsApp bots, chat bots, and AI automatization of everything that i can, i even have done AI agents for phone calls, I'm in the AI madness.

I owe an apologise, but i had to try it by my self to see how the forum will react against AI, because sadly it's a matter of time until we get full of AI spammers.

Personally, i will stop now, the experiment is over, it was fun and i would love to share with the community how i did it, the tools, the process, and all, but I'm almost sure a post like that will get me banned.

I hope to be able tonight to generate a report and share it with the forum staff.