From 41e720fb951112e45cdc869930659c06f7d0488f Mon Sep 17 00:00:00 2001 From: Frank Xu Date: Mon, 19 Jan 2026 20:48:32 -0500 Subject: [PATCH] add automated process (folder level) --- agent_evidence_discovery.ipynb | 1446 +++++++++++++++++++++------ agent_evidence_discovery_auto.ipynb | 977 ------------------ agent_evidence_discovery_fix.ipynb | 994 ------------------ agent_evidence_many_tables.ipynb | 692 ------------- db_files.py | 28 + selectedDBs/test2.db | Bin 0 -> 16384 bytes sql_utils.py | 80 +- user4.db | 0 8 files changed, 1235 insertions(+), 2982 deletions(-) delete mode 100644 agent_evidence_discovery_auto.ipynb delete mode 100644 agent_evidence_discovery_fix.ipynb delete mode 100644 agent_evidence_many_tables.ipynb create mode 100644 db_files.py create mode 100644 selectedDBs/test2.db delete mode 100644 user4.db diff --git a/agent_evidence_discovery.ipynb b/agent_evidence_discovery.ipynb index 691f5f4..75fad39 100644 --- a/agent_evidence_discovery.ipynb +++ b/agent_evidence_discovery.ipynb @@ -1,32 +1,8 @@ { "cells": [ - { - "cell_type": "markdown", - "id": "0be1ee8e", - "metadata": {}, - "source": [ - "uing bnl environment\n", - "https://medium.com/@ayush4002gupta/building-an-llm-agent-to-directly-interact-with-a-database-0c0dd96b8196\n", - "\n", - "pip uninstall -y langchain langchain-core langchain-openai langgraph langgraph-prebuilt langgraph-checkpoint langgraph-sdk langsmith langchain-community langchain-google-genai langchain-text-splitters\n", - "\n", - "pip install langchain==1.2.0 langchain-core==1.2.2 langchain-openai==1.1.4 langgraph==1.0.5 langgraph-prebuilt==1.0.5 langgraph-checkpoint==3.0.1 langgraph-sdk==0.3.0 langsmith==0.5.0" - ] - }, { "cell_type": "code", - "execution_count": 17, - "id": "2648a1f1", - "metadata": {}, - "outputs": [], - "source": [ - "# only for find models\n", - "# import google.generativeai as genai\n" - ] - }, - { - "cell_type": "code", - "execution_count": 18, + "execution_count": 1, "id": "a10c9a6a", "metadata": {}, "outputs": [ @@ -39,21 +15,20 @@ } ], "source": [ - "# https://medium.com/@ayush4002gupta/building-an-llm-agent-to-directly-interact-with-a-database-0c0dd96b8196\n", - "\n", "import os\n", "from dotenv import load_dotenv\n", "from langchain_openai import ChatOpenAI\n", "from langchain_core.messages import HumanMessage\n", "from sql_utils import *\n", - "\n", + "from datetime import datetime, timezone\n", "\n", "load_dotenv() # This looks for the .env file and loads it into os.environ\n", "\n", "llm = ChatOpenAI(\n", " model=\"gpt-4o-mini\", # recommended for tools + cost\n", " api_key=os.environ[\"API_KEY\"],\n", - " temperature=0\n", + " temperature=0,\n", + " seed=100,\n", ")\n", "\n", "response = llm.invoke([\n", @@ -62,29 +37,27 @@ "\n", "print(response.content)\n", "\n", - "# DB_PATH = r\"msgstore.db\"\n", - "DB_PATH = r\"users4.db\"\n", - "# DB_PATH = r\"F:\\mobile_images\\Cellebriate_2024\\Cellebrite_CTF_File1\\CellebriteCTF24_Sharon\\Sharon\\EXTRACTION_FFS 01\\EXTRACTION_FFS\\Dump\\data\\data\\com.whatsapp\\databases\\stickers.db\"\n", - "# DB_PATH = r\"F:\\mobile_images\\Cellebriate_2024\\Cellebrite_CTF_File1\\CellebriteCTF24_Sharon\\Sharon\\EXTRACTION_FFS 01\\EXTRACTION_FFS\\Dump\\data\\data\\com.android.vending\\databases\\localappstate.db\"\n", - "\n", - "ENTITY_CONFIG = {\n", + "PII_CONFIG = {\n", " \"EMAIL\": {\n", + " \"type\":\"email\",\n", " \"regex\": r\"[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}\",\n", " \"desc\": \"valid electronic mail formats used for account registration or contact\"\n", " },\n", " \"PHONE\": {\n", + " \"type\":\"phone number\",\n", " \"regex\": r\"\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}\",\n", " \"desc\": \"international or local telephone numbers\"\n", " },\n", " \"USERNAME\": {\n", - " \"regex\": r\"\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b\",\n", - " \"desc\": \"application-specific usernames, handles, or account identifiers\"\n", + " \"type\":\"username\",\n", + " \"regex\": r\"\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b\",\n", + " \"desc\": \"application-specific login usernames created by users for login purposes\"\n", " },\n", " \"PERSON_NAME\": {\n", - " \"regex\": r\"[A-Za-z\\u4e00-\\u9fff][A-Za-z\\u4e00-\\u9fff\\s\\.\\-]{1,50}\",\n", + " \"type\":\"person name\",\n", + " \"regex\": r\"[A-Za-z][A-Za-z\\s\\.\\-]{1,50}\",\n", " \"desc\": (\n", - " \"loosely structured human name-like strings used only for discovery \"\n", - " \"and column pre-filtering; final identification is performed during extraction\"\n", + " \"loosely structured human name-like strings\"\n", " )\n", " }\n", "}\n", @@ -93,7 +66,7 @@ }, { "cell_type": "code", - "execution_count": 19, + "execution_count": 2, "id": "48eda3ec", "metadata": {}, "outputs": [], @@ -120,19 +93,42 @@ "@tool\n", "def list_tables() -> str:\n", " \"\"\"\n", - " List all table names in the SQLite database.\n", + " List non-empty user tables in the SQLite database.\n", " \"\"\"\n", + " IDENT_RE = re.compile(r\"^[A-Za-z_][A-Za-z0-9_]*$\")\n", " conn = sqlite3.connect(DB_PATH)\n", - " cur = conn.cursor()\n", - " cur.execute(\"SELECT name FROM sqlite_master WHERE type='table'\")\n", - " tables = [r[0] for r in cur.fetchall()]\n", - " conn.close()\n", - " return \", \".join(tables)\n", + " try:\n", + " cur = conn.cursor()\n", + " cur.execute(\"\"\"\n", + " SELECT name\n", + " FROM sqlite_master\n", + " WHERE type='table' AND name NOT LIKE 'sqlite_%'\n", + " ORDER BY name\n", + " \"\"\")\n", + " tables = [r[0] for r in cur.fetchall()]\n", + "\n", + " nonempty = []\n", + " for t in tables:\n", + " # If your DB has weird table names, remove this guard,\n", + " # but keep the quoting below.\n", + " if not IDENT_RE.match(t):\n", + " continue\n", + " try:\n", + " cur.execute(f'SELECT 1 FROM \"{t}\" LIMIT 1;')\n", + " if cur.fetchone() is not None:\n", + " nonempty.append(t)\n", + " except sqlite3.Error:\n", + " continue\n", + "\n", + " return \", \".join(nonempty)\n", + " finally:\n", + " conn.close()\n", "\n", "\n", "@tool\n", "def get_schema(table: str) -> str:\n", " \"\"\"\n", + "\n", " Return column names and types for a table.\n", " \"\"\"\n", " conn = sqlite3.connect(DB_PATH)\n", @@ -143,114 +139,180 @@ " return \", \".join(f\"{c[1]} {c[2]}\" for c in cols)\n", "\n", "\n", + "# @tool\n", + "# def exec_sql(query: str) -> dict:\n", + "# \"\"\"Execute SQL statements. If one fails, it is skipped and the next is executed.\"\"\"\n", + "# query_text = normalize_sql(query)\n", "\n", + "# # 1. Parse column names from ALL SELECTs\n", + "# column_names = []\n", + "# for select_sql in split_union_selects(query_text):\n", + "# tbl = extract_single_table(select_sql)\n", + "# for col in extract_select_columns(select_sql):\n", + "# if tbl and \".\" not in col:\n", + "# name = f\"{tbl}.{col}\"\n", + "# else:\n", + "# name = col # already qualified or no single table\n", + "# if name not in column_names:\n", + "# column_names.append(name)\n", + "\n", + "# # 2. Execute once\n", + "# conn = sqlite3.connect(DB_PATH)\n", + "# conn.create_function(\"REGEXP\", 2, regexp)\n", + "# cur = conn.cursor()\n", + "\n", + "# try:\n", + "# print(f\"[EXECUTE] Running query\")\n", + "# cur.execute(query_text)\n", + "# rows = cur.fetchall()\n", + "# except Exception as e:\n", + "# print(f\"[SQL ERROR]: {e}\")\n", + "# rows = []\n", + "# finally:\n", + "# conn.close()\n", + "\n", + "# return {\n", + "# \"rows\": rows,\n", + "# \"columns\": column_names\n", + "# }\n", + "\n", + "# import sqlite3\n", "\n", "@tool\n", - "def exec_sql(query: str) -> dict:\n", - " \"\"\"Execute SQL statements. If one fails, it is skipped and the next is executed.\"\"\"\n", + "def exec_sql(\n", + " query: str,\n", + " db_path: str,\n", + " top_n: int = 10,\n", + " verbose: bool = True,\n", + ") -> dict:\n", + " \"\"\"\n", + " Execute a UNION ALL query by splitting into individual SELECT statements.\n", + " Runs each SELECT with LIMIT top_n, skipping any SELECT that errors.\n", + "\n", + " Returns:\n", + " rows_all: list of rows (combined from all successful chunks)\n", + " column_names: list of column names (deduped), prefixed as table.column when possible\n", + " \"\"\"\n", + " \n", " query_text = normalize_sql(query)\n", + " selects = split_union_selects(query_text)\n", "\n", - " # 1. Parse column names from ALL SELECTs\n", + " rows_all = []\n", " column_names = []\n", - " for select_sql in split_union_selects(query_text):\n", - " for col in extract_select_columns(select_sql):\n", - " if col not in column_names:\n", - " column_names.append(col)\n", "\n", - " # 2. Execute once\n", - " conn = sqlite3.connect(DB_PATH)\n", + " conn = sqlite3.connect(db_path)\n", " conn.create_function(\"REGEXP\", 2, regexp)\n", " cur = conn.cursor()\n", "\n", " try:\n", - " print(f\"[EXECUTE] Running query\")\n", - " cur.execute(query_text)\n", - " rows = cur.fetchall()\n", - " except Exception as e:\n", - " print(f\"[SQL ERROR]: {e}\")\n", - " rows = []\n", + " for i, select_sql in enumerate(selects, 1):\n", + " select_sql_clean = select_sql.rstrip().rstrip(\";\")\n", + " select_sql_run = f\"{select_sql_clean}\\nLIMIT {top_n};\"\n", + "\n", + " if verbose:\n", + " print(f\"[EXECUTE] chunk {i}/{len(selects)} LIMIT {top_n}\")\n", + " # print(select_sql_run) # uncomment to print full SQL\n", + "\n", + " try:\n", + " cur.execute(select_sql_run)\n", + " chunk = cur.fetchall()\n", + " rows_all.extend(chunk)\n", + "\n", + " # collect columns only if chunk succeeded\n", + " tbl = extract_single_table(select_sql_clean)\n", + " for col in extract_select_columns(select_sql_clean):\n", + " name = f\"{tbl}.{col}\" if (tbl and \".\" not in col) else col\n", + " if name not in column_names:\n", + " column_names.append(name)\n", + "\n", + " except Exception as e:\n", + " if verbose:\n", + " print(f\"[SQL ERROR] Skipping chunk {i}: {e}\")\n", + "\n", " finally:\n", " conn.close()\n", "\n", " return {\n", - " \"rows\": rows,\n", + " \"rows\": rows_all,\n", " \"columns\": column_names\n", " }\n", "\n", "\n", - "\n", - "\n", - "class EmailEvidenceState(TypedDict):\n", + "from typing import Any, TypedDict\n", + "class EvidenceState(TypedDict):\n", + " database_name: str\n", " messages: Annotated[list, add_messages]\n", " attempt: int\n", " max_attempts: int\n", - " phase: str # \"discovery\" | \"extraction\"\n", - " sql: Optional[str] # SQL to execute\n", + " phase: str # \"exploration\" | \"extraction\"\n", + "\n", + " # SQL separation\n", + " exploration_sql: Optional[str]\n", + " extraction_sql: Optional[str]\n", + "\n", " rows: Optional[List]\n", " classification: Optional[dict]\n", " evidence: Optional[List[str]]\n", - " target_entity: str # <--- ADD THIS LINE \n", - " # Add this to track the \"winning\" columns\n", - " source_columns: Optional[List[dict]]\n", "\n", - " # SQL used during discovery that returned results\n", - " discovered_sql: Optional[List[str]]\n", + " source_columns: Optional[List[str]] \n", + " entity_config: dict[str, Any]\n", "\n", - "def get_discovery_system(target, regex):\n", + "\n", + "def get_explore_system(type, regex):\n", " return SystemMessage(\n", " content=(\n", - " \"You are a SQL planner. You are provided databases that are extracted from Android or iOS devices.\\n\"\n", - " f\"Goal: discover if any column contains {target}.\\n\\n\"\n", + " \"You are a SQL planner. You are provided app databases that are extracted from Android or iPhone devices.\\n\"\n", + " \"apps include Android Whatsapp, Snapchat, Telegram, Google Map, Samsung Internet, iPhone Contacts, Messages, Safari, and Calendar.\\n\"\n", + " f\"Goal: discover if any column of databases contains possible {type}.\\n\\n\"\n", " \"Rules:\\n\"\n", " \"- Use 'REGEXP' for pattern matching.\\n\"\n", - " f\"- Example: SELECT col FROM table WHERE col REGEXP '{regex}' LIMIT 5\\n\"\n", + " f\"- Example: SELECT col FROM table WHERE col REGEXP '{regex}' \\n\"\n", + " \"- Table and col names can be used as hints to find solutions. \\n\"\n", + " \"- Include the tables and columns even there is a small possility of containing solutions.\\n\"\n", + " \"- Pay attention to messages, chats, or other text fields.\\n\"\n", " \"- Validate your SQL and make sure all tables and columns do exist.\\n\"\n", - " \"- If multiple SQL statements are provided, combine them using UNION ALL.\\n\"\n", + " \"- If multiple SQL statements are provided, combine them using UNION ALL. \\n\"\n", + " f\"- Example: SELECT col1 FROM table1 WHERE col1 REGEXP '{regex}' UNION ALL SELECT col2 FROM table2 WHERE col2 REGEXP '{regex}'\\n\"\n", + " \"- Make sure all tables and columns do exist before return SQL. \\n\"\n", " \"- Return ONLY SQL.\"\n", " )\n", " )\n", "\n", " \n", - "def get_sql_upgrade_system(target):\n", - " return SystemMessage(\n", - " content=(\n", - " \"You are a SQL refiner.\\n\"\n", - " f\"Goal: modify previously successful SQL to extract ALL {target}.\\n\\n\"\n", - " \"Rules:\\n\"\n", - " \"- Do NOT invent new tables or columns.\\n\"\n", - " \"- Remove LIMIT clauses.\\n\"\n", - " \"- Preserve WHERE conditions and REGEXP filters.\\n\"\n", - " \"- Return ONLY SQL.\"\n", - " )\n", - " )\n", + "def upgrade_sql_remove_limit(sql: str) -> str:\n", + " _LIMIT_RE = re.compile(r\"\\s+LIMIT\\s+\\d+\\s*;?\\s*$\", re.IGNORECASE)\n", + " _LIMIT_ANYWHERE_RE = re.compile(r\"\\s+LIMIT\\s+\\d+\\s*(?=($|\\n|UNION|ORDER|GROUP|HAVING))\", re.IGNORECASE) \n", + " # Remove LIMIT clauses robustly (including UNION queries)\n", + " upgraded = re.sub(r\"\\bLIMIT\\s+\\d+\\b\", \"\", sql, flags=re.IGNORECASE)\n", + " # Clean up extra whitespace\n", + " upgraded = re.sub(r\"\\s+\\n\", \"\\n\", upgraded)\n", + " upgraded = re.sub(r\"\\n\\s+\\n\", \"\\n\", upgraded)\n", + " upgraded = re.sub(r\"\\s{2,}\", \" \", upgraded).strip()\n", + " return upgraded\n", "\n", "\n", - "def planner(state: EmailEvidenceState):\n", + "\n", + "def planner(state: EvidenceState):\n", " # Extraction upgrade path\n", - " if state[\"phase\"] == \"extraction\" and state.get(\"discovered_sql\"):\n", - " system = get_sql_upgrade_system(state[\"target_entity\"])\n", - " joined_sql = \"\\nUNION ALL\\n\".join(state[\"discovered_sql\"])\n", - "\n", - " result = llm.invoke([\n", - " system,\n", - " HumanMessage(content=f\"Original SQL:\\n{joined_sql}\")\n", - " ])\n", - "\n", - " sql = normalize_sql(result.content)\n", - "\n", - " print(\"[PLANNER] Upgraded SQL for extraction\")\n", - "\n", + " if state[\"phase\"] == \"extraction\" and state.get(\"exploration_sql\"):\n", + " extraction_sql = upgrade_sql_remove_limit(state[\"exploration_sql\"])\n", " return {\n", - " \"messages\": [AIMessage(content=sql)],\n", - " \"sql\": sql\n", + " \"messages\": [AIMessage(content=extraction_sql)],\n", + " \"extraction_sql\": extraction_sql\n", " }\n", "\n", + " # Optional safety stop inside planner too\n", + " if state.get(\"phase\") == \"exploration\" and state.get(\"attempt\", 0) >= state.get(\"max_attempts\", 0):\n", + " return {\n", + " \"phase\": \"done\",\n", + " \"messages\": [AIMessage(content=\"STOP: max attempts reached in planner.\")]\n", + " }\n", " # Original discovery logic\n", " tables = list_tables.invoke({})\n", - " config = ENTITY_CONFIG[state[\"target_entity\"]]\n", + " config = state[\"entity_config\"]\n", "\n", - " base_system = get_discovery_system(\n", - " state[\"target_entity\"],\n", + " base_system = get_explore_system(\n", + " f\"{config.get('type','')}:{config.get('desc','')}\".strip(),\n", " config[\"regex\"]\n", " )\n", "\n", @@ -261,65 +323,88 @@ " \"CRITICAL: Do not query non-existent tables.\"\n", " )\n", "\n", - " agent = create_agent(llm, [list_tables, get_schema])\n", + " agent = create_agent(llm, [list_tables,get_schema])\n", + " \n", " result = agent.invoke({\n", - " \"messages\": [SystemMessage(content=grounded_content)] + state[\"messages\"]\n", + " \"messages\": [\n", + " SystemMessage(content=grounded_content),\n", + " state[\"messages\"][0] # original user request only\n", + " ]\n", " })\n", "\n", - " sql = normalize_sql(result[\"messages\"][-1].content)\n", + " exploration_sql = normalize_sql(result[\"messages\"][-1].content)\n", "\n", - " attempt = state[\"attempt\"] + 1 if state[\"phase\"] == \"discovery\" else state[\"attempt\"]\n", + " attempt = state[\"attempt\"] + 1 if state[\"phase\"] == \"exploration\" else state[\"attempt\"]\n", "\n", " return {\n", - " \"messages\": [AIMessage(content=sql)],\n", - " \"sql\": sql,\n", + " \"messages\": [AIMessage(content=exploration_sql)],\n", + " \"exploration_sql\": exploration_sql,\n", " \"attempt\": attempt\n", " }\n", "\n", + "def sql_execute(state: EvidenceState):\n", + " top_n=10\n", + " # Choose SQL based on phase\n", + " if state[\"phase\"] == \"extraction\":\n", + " sql_to_run = state.get(\"extraction_sql\")\n", + " top_n=10000\n", + " else: # \"exploration\"\n", + " sql_to_run = state.get(\"exploration_sql\")\n", + " top_n=10\n", + "\n", + " if not sql_to_run:\n", + " print(\"[SQL EXEC] No SQL provided for this phase\")\n", + " return {\n", + " \"rows\": [],\n", + " \"messages\": [AIMessage(content=\"No SQL to execute\")]\n", + " }\n", + "\n", + " # Execute\n", + " result = result = exec_sql.invoke({\n", + " \"query\": sql_to_run,\n", + " \"db_path\": state[\"database_name\"],\n", + " \"top_n\": top_n,\n", + " \"verbose\": False\n", + "})\n", + "\n", "\n", - "def sql_execute(state: EmailEvidenceState):\n", - " # Call the tool (it now returns a dict)\n", - " result = exec_sql.invoke(state[\"sql\"])\n", - " \n", " rows = result.get(\"rows\", [])\n", " cols = result.get(\"columns\", [])\n", "\n", - " print(f\"[SQL EXEC] Retrieved {(rows)}\")\n", + " print(f\"[SQL EXEC] Retrieved {len(rows)} rows\")\n", + " \n", + " # for i, r in enumerate(rows, 1):\n", + " # print(f\" row[{i}]: {r}\")\n", + "\n", " updates = {\n", " \"rows\": rows,\n", " \"messages\": [AIMessage(content=f\"Retrieved {len(rows)} rows\")]\n", " }\n", "\n", - " if state[\"phase\"] == \"discovery\" and rows:\n", - " discovered = list(state.get(\"discovered_sql\", []))\n", - " discovered.append(state[\"sql\"])\n", - " updates[\"discovered_sql\"] = discovered\n", - " print(\"[DISCOVERY] Saved successful SQL\")\n", - "\n", - " # Tracking logic: Save columns to state only during extraction\n", + " # Track columns only during extraction (provenance)\n", " if state[\"phase\"] == \"extraction\":\n", " updates[\"source_columns\"] = cols\n", " print(f\"[TRACKING] Saved source columns: {cols}\")\n", "\n", " return updates\n", + "\n", " \n", "\n", - "def get_classify_system(target: str):\n", - " return SystemMessage(\n", + "def classify(state: EvidenceState):\n", + " # 1. Prepare the text sample for the LLM\n", + " text = rows_to_text(state[\"rows\"], limit=15)\n", + " \n", + " # 2. Get the pii-specific system message\n", + " config= state[\"entity_config\"]\n", + " pii_desc= f\"{config.get('type','')}:{config.get('desc','')}\".strip()\n", + " system_message = SystemMessage(\n", " content=(\n", - " f\"Decide whether the text contains {target}.\\n\"\n", + " f\"Decide whether the text contains {pii_desc}.\\n\"\n", " \"Return ONLY a JSON object with these keys:\\n\"\n", " \"{ \\\"found\\\": true/false, \\\"confidence\\\": number, \\\"reason\\\": \\\"string\\\" }\"\n", " )\n", " )\n", "\n", - "def classify(state: EmailEvidenceState):\n", - " # 1. Prepare the text sample for the LLM\n", - " text = rows_to_text(state[\"rows\"], limit=10)\n", - " \n", - " # 2. Get the target-specific system message\n", - " system_message = get_classify_system(state[\"target_entity\"])\n", - "\n", " # 3. Invoke the LLM\n", " result = llm.invoke([\n", " system_message,\n", @@ -336,21 +421,22 @@ " return {\"classification\": decision}\n", "\n", "\n", - "def switch_to_extraction(state: EmailEvidenceState):\n", + "def switch_to_extraction(state: EvidenceState):\n", " print(\"[PHASE] discovery → extraction\")\n", " return {\"phase\": \"extraction\"}\n", "\n", "\n", - "\n", - "\n", - "def extract(state: EmailEvidenceState):\n", + "def extract(state: EvidenceState):\n", " text = rows_to_text(state[\"rows\"])\n", - " system = f\"Extract and normalize {state['target_entity']} from text. Return ONLY a JSON array of strings.\"\n", + " # print(f\"Check last 100 characts : {text[:-100]}\")\n", + " desc = state[\"entity_config\"].get(\"desc\", \"PII\")\n", + " system = f\"Identify real {desc} from text and normalize them. Return ONLY a JSON array of strings.\\n\"\n", + "\n", " result = llm.invoke([SystemMessage(content=system), HumanMessage(content=text)]).content\n", " return {\"evidence\": safe_json_loads(result, default=[])}\n", "\n", "\n", - "def next_step(state: EmailEvidenceState):\n", + "def next_step(state: EvidenceState):\n", " # Once in extraction phase, extract and stop\n", " if state[\"phase\"] == \"extraction\":\n", " return \"do_extract\"\n", @@ -371,17 +457,16 @@ }, { "cell_type": "code", - "execution_count": 20, + "execution_count": 3, "id": "0f5259d7", "metadata": {}, "outputs": [], "source": [ - "def observe(state: EmailEvidenceState):\n", + "def observe(state: EvidenceState):\n", " \"\"\"\n", " Debug / inspection node.\n", " Does NOT modify state.\n", " \"\"\"\n", - "\n", " print(\"\\n=== STATE SNAPSHOT ===\")\n", "\n", " # Messages\n", @@ -391,16 +476,25 @@ "\n", " # Metadata\n", " print(\"\\n--- BEGIN METADATA ---\")\n", - " print(f\"attempt : {state['attempt']}\")\n", - " print(f\"max_attempts : {state['max_attempts']}\")\n", - " print(f\"phase : {state['phase']}\")\n", - " print(f\"sql : {state['sql']}\")\n", - " print(f\"discovered sql : {state['discovered_sql']}\")\n", - " print(f\"rows : {state['rows']}\")\n", - " print(f\"classification: {state['classification']}\")\n", - " print(f\"evidence : {state['evidence']}\")\n", - " \n", - " print(f\"Source Columns: {state.get('source_columns')}\")\n", + " print(f\"attempt : {state['attempt']}\")\n", + " print(f\"max_attempts : {state['max_attempts']}\")\n", + " print(f\"phase : {state['phase']}\")\n", + " print(f\"PII type : {state['entity_config'].get('type')}\")\n", + "\n", + " # SQL separation\n", + " print(f\"exploration_sql : {state.get('exploration_sql')}\")\n", + " print(f\"extraction_sql : {state.get('extraction_sql')}\")\n", + "\n", + " # Outputs\n", + " rows = state.get(\"rows\") or []\n", + " print(f\"rows_count : {len(rows)}\")\n", + " print(f\"rows_sample : {rows[:1000] if rows else []}\") # small sample to avoid huge logs\n", + "\n", + " print(f\"classification : {state.get('classification')}\")\n", + " print(f\"evidence_count : {len(state.get('evidence') or [])}\")\n", + " print(f\"evidence_sample : {(state.get('evidence') or [])[:10]}\")\n", + "\n", + " print(f\"source_columns : {state.get('source_columns')}\")\n", " print(\"\\n--- END METADATA ---\")\n", "\n", " # IMPORTANT: do not return state, return no-op update\n", @@ -410,30 +504,33 @@ "\n", "from langgraph.graph import StateGraph, END\n", "\n", - "graph = StateGraph(EmailEvidenceState)\n", + "graph = StateGraph(EvidenceState)\n", "\n", - "# Define nodes (reusing the same 'observe' function for two different node names)\n", + "# Nodes\n", "graph.add_node(\"planner\", planner)\n", - "graph.add_node(\"observe_plan\", observe) # Checkpoint 1: The SQL Plan\n", + "graph.add_node(\"observe_plan\", observe) # Checkpoint 1: The SQL Plan\n", "graph.add_node(\"execute\", sql_execute)\n", + "graph.add_node(\"observe_execution\", observe) # NEW Checkpoint: Post-execution\n", "graph.add_node(\"classify\", classify)\n", - "graph.add_node(\"observe_classify\", observe) # Checkpoint 2: The Logic/Discovery\n", + "graph.add_node(\"observe_classify\", observe) # Checkpoint 2: Post-classify\n", "graph.add_node(\"switch_phase\", switch_to_extraction)\n", "graph.add_node(\"extract\", extract)\n", - "graph.add_node(\"observe_final\", observe) # Checkpoint 3: The Results\n", + "graph.add_node(\"observe_final\", observe) # Checkpoint 3: Final results\n", "\n", "graph.set_entry_point(\"planner\")\n", "\n", - "# --- THE FLOW ---\n", - "graph.add_edge(\"planner\", \"observe_plan\") # Check SQL before running\n", + "# --- FLOW ---\n", + "graph.add_edge(\"planner\", \"observe_plan\")\n", "graph.add_edge(\"observe_plan\", \"execute\")\n", "\n", - "graph.add_edge(\"execute\", \"classify\")\n", + "# NEW: observe after execution, before classify\n", + "graph.add_edge(\"execute\", \"observe_execution\")\n", + "graph.add_edge(\"observe_execution\", \"classify\")\n", + "\n", "graph.add_edge(\"classify\", \"observe_classify\")\n", "\n", - "# The decision logic now triggers after the second observation\n", "graph.add_conditional_edges(\n", - " \"observe_classify\", # Must match the new node name exactly\n", + " \"observe_classify\",\n", " next_step,\n", " {\n", " \"to_extraction\": \"switch_phase\",\n", @@ -446,231 +543,946 @@ "\n", "graph.add_edge(\"switch_phase\", \"planner\")\n", "\n", - "# Change this: Route 'extract' to our new observer instead of END\n", "graph.add_edge(\"extract\", \"observe_final\")\n", "graph.add_edge(\"observe_final\", END)\n", "\n", - "app = graph.compile()\n", + "app = graph.compile()\n" + ] + }, + { + "cell_type": "code", + "execution_count": 4, + "id": "51032ff1", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Will process 1 databases (from db_files list).\n" + ] + } + ], + "source": [ + "import importlib.util\n", + "from pathlib import Path\n", + "from sql_utils import *\n", "\n", + "DB_DIR = Path(r\"selectedDBs\") # folder that contains the dbs\n", + "OUT_DIR = Path(\"batch_results\")\n", + "OUT_DIR.mkdir(exist_ok=True)\n", "\n", + "PII_TARGETS = [\"EMAIL\", \"PHONE\", \"USERNAME\", \"PERSON_NAME\"]\n", + "\n", + "# --- usage ---\n", + "DB_FILES_PY = Path(\"db_files.py\")\n", + "db_files = load_db_files_list(DB_FILES_PY)\n", + "\n", + "db_paths, missing, not_sqlite = build_db_paths(DB_DIR, db_files, is_sqlite_file)\n", + "print_db_path_report(db_paths, missing, not_sqlite)\n", "\n" ] }, { "cell_type": "code", - "execution_count": 23, - "id": "0b1fce49", + "execution_count": null, + "id": "655e0915", "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ + "\n", + "Processing: selectedDBs\\test2.db\n", + " Processing: EMAIL\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", "--- MESSAGES ---\n", - "0: HUMAN -> Find USERNAME in the database\n", - "1: AI -> SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", + "0: HUMAN -> Find valid electronic mail formats used for account registration or contact in the database\n", + "1: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", - "max_attempts : 3\n", - "phase : discovery\n", - "sql : SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "discovered sql : []\n", - "rows : None\n", - "classification: None\n", - "evidence : []\n", - "Source Columns: []\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : email\n", + "exploration_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "extraction_sql : None\n", + "rows_count : 0\n", + "rows_sample : []\n", + "classification : None\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", "\n", "--- END METADATA ---\n", - "[EXECUTE] Running query\n", - "[SQL EXEC] Retrieved [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('emma.wilson@example.com',), ('Hey Brian, can you send that file to brian.smith@example.com? Thanks!',), ('Meeting confirmed for tomorrow morning.',), ('I lost my login. Please reset for carol.davis@example.com ASAP.',), ('Does anyone have the contact for support? Is it support@company.io?',), ('Great job on the presentation! Send the notes to emma.wilson@example.com.',), ('Standard message with no email content here.',), ('Verify this secondary address: private_carol@gmail.com for my records.',)]\n", - "[DISCOVERY] Saved successful SQL\n", + "[SQL EXEC] Retrieved 10 rows\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", "--- MESSAGES ---\n", - "0: HUMAN -> Find USERNAME in the database\n", - "1: AI -> SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "2: AI -> Retrieved 11 rows\n", + "0: HUMAN -> Find valid electronic mail formats used for account registration or contact in the database\n", + "1: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "2: AI -> Retrieved 10 rows\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", - "max_attempts : 3\n", - "phase : discovery\n", - "sql : SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "discovered sql : [\"SELECT email FROM users WHERE email REGEXP '\\\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\\\b'\\nUNION ALL\\nSELECT content FROM messages WHERE content REGEXP '\\\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\\\b';\"]\n", - "rows : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('emma.wilson@example.com',), ('Hey Brian, can you send that file to brian.smith@example.com? Thanks!',), ('Meeting confirmed for tomorrow morning.',), ('I lost my login. Please reset for carol.davis@example.com ASAP.',), ('Does anyone have the contact for support? Is it support@company.io?',), ('Great job on the presentation! Send the notes to emma.wilson@example.com.',), ('Standard message with no email content here.',), ('Verify this secondary address: private_carol@gmail.com for my records.',)]\n", - "classification: {'found': True, 'confidence': 0.95, 'reason': 'The text contains multiple email addresses, which are typically associated with usernames.'}\n", - "evidence : []\n", - "Source Columns: []\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : email\n", + "exploration_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "extraction_sql : None\n", + "rows_count : 10\n", + "rows_sample : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : None\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find valid electronic mail formats used for account registration or contact in the database\n", + "1: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "2: AI -> Retrieved 10 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : email\n", + "exploration_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "extraction_sql : None\n", + "rows_count : 10\n", + "rows_sample : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple valid email formats commonly used for account registration or contact.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", "\n", "--- END METADATA ---\n", "[PHASE] discovery → extraction\n", - "[PLANNER] Upgraded SQL for extraction\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", "--- MESSAGES ---\n", - "0: HUMAN -> Find USERNAME in the database\n", - "1: AI -> SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "2: AI -> Retrieved 11 rows\n", - "3: AI -> SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", + "0: HUMAN -> Find valid electronic mail formats used for account registration or contact in the database\n", + "1: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "2: AI -> Retrieved 10 rows\n", + "3: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", - "max_attempts : 3\n", - "phase : extraction\n", - "sql : SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "discovered sql : [\"SELECT email FROM users WHERE email REGEXP '\\\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\\\b'\\nUNION ALL\\nSELECT content FROM messages WHERE content REGEXP '\\\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\\\b';\"]\n", - "rows : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('emma.wilson@example.com',), ('Hey Brian, can you send that file to brian.smith@example.com? Thanks!',), ('Meeting confirmed for tomorrow morning.',), ('I lost my login. Please reset for carol.davis@example.com ASAP.',), ('Does anyone have the contact for support? Is it support@company.io?',), ('Great job on the presentation! Send the notes to emma.wilson@example.com.',), ('Standard message with no email content here.',), ('Verify this secondary address: private_carol@gmail.com for my records.',)]\n", - "classification: {'found': True, 'confidence': 0.95, 'reason': 'The text contains multiple email addresses, which are typically associated with usernames.'}\n", - "evidence : []\n", - "Source Columns: []\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : email\n", + "exploration_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "extraction_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "rows_count : 10\n", + "rows_sample : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple valid email formats commonly used for account registration or contact.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", "\n", "--- END METADATA ---\n", - "[EXECUTE] Running query\n", - "[SQL EXEC] Retrieved [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('emma.wilson@example.com',), ('Hey Brian, can you send that file to brian.smith@example.com? Thanks!',), ('Meeting confirmed for tomorrow morning.',), ('I lost my login. Please reset for carol.davis@example.com ASAP.',), ('Does anyone have the contact for support? Is it support@company.io?',), ('Great job on the presentation! Send the notes to emma.wilson@example.com.',), ('Standard message with no email content here.',), ('Verify this secondary address: private_carol@gmail.com for my records.',)]\n", - "[TRACKING] Saved source columns: ['email', 'content']\n", + "[SQL EXEC] Retrieved 10 rows\n", + "[TRACKING] Saved source columns: ['users.email']\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", "--- MESSAGES ---\n", - "0: HUMAN -> Find USERNAME in the database\n", - "1: AI -> SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "2: AI -> Retrieved 11 rows\n", - "3: AI -> SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "4: AI -> Retrieved 11 rows\n", + "0: HUMAN -> Find valid electronic mail formats used for account registration or contact in the database\n", + "1: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "2: AI -> Retrieved 10 rows\n", + "3: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "4: AI -> Retrieved 10 rows\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", - "max_attempts : 3\n", - "phase : extraction\n", - "sql : SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "discovered sql : [\"SELECT email FROM users WHERE email REGEXP '\\\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\\\b'\\nUNION ALL\\nSELECT content FROM messages WHERE content REGEXP '\\\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\\\b';\"]\n", - "rows : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('emma.wilson@example.com',), ('Hey Brian, can you send that file to brian.smith@example.com? Thanks!',), ('Meeting confirmed for tomorrow morning.',), ('I lost my login. Please reset for carol.davis@example.com ASAP.',), ('Does anyone have the contact for support? Is it support@company.io?',), ('Great job on the presentation! Send the notes to emma.wilson@example.com.',), ('Standard message with no email content here.',), ('Verify this secondary address: private_carol@gmail.com for my records.',)]\n", - "classification: {'found': True, 'confidence': 0.9, 'reason': 'The text contains multiple email addresses, which are often associated with usernames.'}\n", - "evidence : []\n", - "Source Columns: ['email', 'content']\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : email\n", + "exploration_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "extraction_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "rows_count : 10\n", + "rows_sample : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple valid email formats commonly used for account registration or contact.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : ['users.email']\n", "\n", "--- END METADATA ---\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", "--- MESSAGES ---\n", - "0: HUMAN -> Find USERNAME in the database\n", - "1: AI -> SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "2: AI -> Retrieved 11 rows\n", - "3: AI -> SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "4: AI -> Retrieved 11 rows\n", + "0: HUMAN -> Find valid electronic mail formats used for account registration or contact in the database\n", + "1: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "2: AI -> Retrieved 10 rows\n", + "3: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "4: AI -> Retrieved 10 rows\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", - "max_attempts : 3\n", - "phase : extraction\n", - "sql : SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b'\n", - "UNION ALL\n", - "SELECT content FROM messages WHERE content REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b';\n", - "discovered sql : [\"SELECT email FROM users WHERE email REGEXP '\\\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\\\b'\\nUNION ALL\\nSELECT content FROM messages WHERE content REGEXP '\\\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\\\b';\"]\n", - "rows : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('emma.wilson@example.com',), ('Hey Brian, can you send that file to brian.smith@example.com? Thanks!',), ('Meeting confirmed for tomorrow morning.',), ('I lost my login. Please reset for carol.davis@example.com ASAP.',), ('Does anyone have the contact for support? Is it support@company.io?',), ('Great job on the presentation! Send the notes to emma.wilson@example.com.',), ('Standard message with no email content here.',), ('Verify this secondary address: private_carol@gmail.com for my records.',)]\n", - "classification: {'found': True, 'confidence': 0.9, 'reason': 'The text contains multiple email addresses, which are often associated with usernames.'}\n", - "evidence : ['alice.johnson', 'brian.smith', 'carol.davis', 'emma.wilson', 'private_carol']\n", - "Source Columns: ['email', 'content']\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : email\n", + "exploration_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "extraction_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "rows_count : 10\n", + "rows_sample : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple valid email formats commonly used for account registration or contact.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : ['users.email']\n", "\n", "--- END METADATA ---\n", "\n", - "========================================\n", - " 🏁 FORENSIC REPORT: USERNAME \n", - "========================================\n", - "✅ Success! Found 5 unique USERNAME:\n", - " 1. alice.johnson\n", - " 2. brian.smith\n", - " 3. carol.davis\n", - " 4. emma.wilson\n", - " 5. private_carol\n", + "=== STATE SNAPSHOT ===\n", "\n", - "Source Columns: email, content\n", - "========================================\n" + "--- MESSAGES ---\n", + "0: HUMAN -> Find valid electronic mail formats used for account registration or contact in the database\n", + "1: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "2: AI -> Retrieved 10 rows\n", + "3: AI -> SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "4: AI -> Retrieved 10 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : email\n", + "exploration_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "extraction_sql : SELECT email FROM users WHERE email REGEXP '[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}'\n", + "rows_count : 10\n", + "rows_sample : [('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple valid email formats commonly used for account registration or contact.'}\n", + "evidence_count : 10\n", + "evidence_sample : ['alice.johnson@example.com', 'brian.smith@example.com', 'carol.davis@example.com', 'david.miller@example.com', 'emma.wilson@example.com', 'frank.brown@example.com', 'grace.taylor@example.com', 'henry.anderson@example.com', 'irene.thomas@example.com', 'jack.moore@example.com']\n", + "source_columns : ['users.email']\n", + "\n", + "--- END METADATA ---\n", + " Processing: PHONE\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find international or local telephone numbers in the database\n", + "1: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : phone number\n", + "exploration_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "extraction_sql : None\n", + "rows_count : 0\n", + "rows_sample : []\n", + "classification : None\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "[SQL EXEC] Retrieved 10 rows\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find international or local telephone numbers in the database\n", + "1: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "2: AI -> Retrieved 10 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : phone number\n", + "exploration_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "extraction_sql : None\n", + "rows_count : 10\n", + "rows_sample : [('410-555-1001',), ('301-555-1002',), ('202-555-1003',), ('703-555-1004',), ('240-555-1005',), ('571-555-1006',), ('410-555-1007',), ('301-555-1008',), ('202-555-1009',), ('703-555-1010',)]\n", + "classification : None\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find international or local telephone numbers in the database\n", + "1: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "2: AI -> Retrieved 10 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : phone number\n", + "exploration_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "extraction_sql : None\n", + "rows_count : 10\n", + "rows_sample : [('410-555-1001',), ('301-555-1002',), ('202-555-1003',), ('703-555-1004',), ('240-555-1005',), ('571-555-1006',), ('410-555-1007',), ('301-555-1008',), ('202-555-1009',), ('703-555-1010',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple local telephone numbers formatted in a standard North American format.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "[PHASE] discovery → extraction\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find international or local telephone numbers in the database\n", + "1: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "2: AI -> Retrieved 10 rows\n", + "3: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : phone number\n", + "exploration_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "extraction_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "rows_count : 10\n", + "rows_sample : [('410-555-1001',), ('301-555-1002',), ('202-555-1003',), ('703-555-1004',), ('240-555-1005',), ('571-555-1006',), ('410-555-1007',), ('301-555-1008',), ('202-555-1009',), ('703-555-1010',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple local telephone numbers formatted in a standard North American format.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "[SQL EXEC] Retrieved 10 rows\n", + "[TRACKING] Saved source columns: ['users.phone']\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find international or local telephone numbers in the database\n", + "1: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "2: AI -> Retrieved 10 rows\n", + "3: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "4: AI -> Retrieved 10 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : phone number\n", + "exploration_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "extraction_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "rows_count : 10\n", + "rows_sample : [('410-555-1001',), ('301-555-1002',), ('202-555-1003',), ('703-555-1004',), ('240-555-1005',), ('571-555-1006',), ('410-555-1007',), ('301-555-1008',), ('202-555-1009',), ('703-555-1010',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple local telephone numbers formatted in a standard North American format.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : ['users.phone']\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find international or local telephone numbers in the database\n", + "1: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "2: AI -> Retrieved 10 rows\n", + "3: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "4: AI -> Retrieved 10 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : phone number\n", + "exploration_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "extraction_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "rows_count : 10\n", + "rows_sample : [('410-555-1001',), ('301-555-1002',), ('202-555-1003',), ('703-555-1004',), ('240-555-1005',), ('571-555-1006',), ('410-555-1007',), ('301-555-1008',), ('202-555-1009',), ('703-555-1010',)]\n", + "classification : {'found': True, 'confidence': 0.95, 'reason': 'The text contains multiple local telephone numbers formatted in a standard North American format.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : ['users.phone']\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find international or local telephone numbers in the database\n", + "1: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "2: AI -> Retrieved 10 rows\n", + "3: AI -> SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "4: AI -> Retrieved 10 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : phone number\n", + "exploration_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "extraction_sql : SELECT phone FROM users WHERE phone REGEXP '\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}'\n", + "rows_count : 10\n", + "rows_sample : [('410-555-1001',), ('301-555-1002',), ('202-555-1003',), ('703-555-1004',), ('240-555-1005',), ('571-555-1006',), ('410-555-1007',), ('301-555-1008',), ('202-555-1009',), ('703-555-1010',)]\n", + "classification : {'found': True, 'confidence': 0.95, 'reason': 'The text contains multiple local telephone numbers formatted in a standard North American format.'}\n", + "evidence_count : 10\n", + "evidence_sample : ['+1-410-555-1001', '+1-301-555-1002', '+1-202-555-1003', '+1-703-555-1004', '+1-240-555-1005', '+1-571-555-1006', '+1-410-555-1007', '+1-301-555-1008', '+1-202-555-1009', '+1-703-555-1010']\n", + "source_columns : ['users.phone']\n", + "\n", + "--- END METADATA ---\n", + " Processing: USERNAME\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find application-specific login usernames created by users for login purposes in the database\n", + "1: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : username\n", + "exploration_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "extraction_sql : None\n", + "rows_count : 0\n", + "rows_sample : []\n", + "classification : None\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "[SQL EXEC] Retrieved 20 rows\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find application-specific login usernames created by users for login purposes in the database\n", + "1: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "2: AI -> Retrieved 20 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : username\n", + "exploration_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "extraction_sql : None\n", + "rows_count : 20\n", + "rows_sample : [('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',), ('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : None\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find application-specific login usernames created by users for login purposes in the database\n", + "1: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "2: AI -> Retrieved 20 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : username\n", + "exploration_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "extraction_sql : None\n", + "rows_count : 20\n", + "rows_sample : [('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',), ('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 95, 'reason': 'The text contains multiple usernames that are likely application-specific login usernames created by users for login purposes.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "[PHASE] discovery → extraction\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find application-specific login usernames created by users for login purposes in the database\n", + "1: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "2: AI -> Retrieved 20 rows\n", + "3: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b'\n", + "UNION ALL\n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : username\n", + "exploration_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "extraction_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b'\n", + "UNION ALL\n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "rows_count : 20\n", + "rows_sample : [('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',), ('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 95, 'reason': 'The text contains multiple usernames that are likely application-specific login usernames created by users for login purposes.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "[SQL EXEC] Retrieved 20 rows\n", + "[TRACKING] Saved source columns: ['users.username', 'users.email']\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find application-specific login usernames created by users for login purposes in the database\n", + "1: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "2: AI -> Retrieved 20 rows\n", + "3: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b'\n", + "UNION ALL\n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "4: AI -> Retrieved 20 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : username\n", + "exploration_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "extraction_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b'\n", + "UNION ALL\n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "rows_count : 20\n", + "rows_sample : [('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',), ('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 95, 'reason': 'The text contains multiple usernames that are likely application-specific login usernames created by users for login purposes.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : ['users.username', 'users.email']\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find application-specific login usernames created by users for login purposes in the database\n", + "1: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "2: AI -> Retrieved 20 rows\n", + "3: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b'\n", + "UNION ALL\n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "4: AI -> Retrieved 20 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : username\n", + "exploration_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "extraction_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b'\n", + "UNION ALL\n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "rows_count : 20\n", + "rows_sample : [('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',), ('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 95, 'reason': 'The text contains multiple entries that resemble usernames, including both simple usernames and email addresses, which are commonly used for login purposes.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : ['users.username', 'users.email']\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find application-specific login usernames created by users for login purposes in the database\n", + "1: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "2: AI -> Retrieved 20 rows\n", + "3: AI -> SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b'\n", + "UNION ALL\n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "4: AI -> Retrieved 20 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : username\n", + "exploration_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b' \n", + "UNION ALL \n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "extraction_sql : SELECT username FROM users WHERE username REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b'\n", + "UNION ALL\n", + "SELECT email FROM users WHERE email REGEXP '\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b';\n", + "rows_count : 20\n", + "rows_sample : [('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',), ('alice.johnson@example.com',), ('brian.smith@example.com',), ('carol.davis@example.com',), ('david.miller@example.com',), ('emma.wilson@example.com',), ('frank.brown@example.com',), ('grace.taylor@example.com',), ('henry.anderson@example.com',), ('irene.thomas@example.com',), ('jack.moore@example.com',)]\n", + "classification : {'found': True, 'confidence': 95, 'reason': 'The text contains multiple entries that resemble usernames, including both simple usernames and email addresses, which are commonly used for login purposes.'}\n", + "evidence_count : 10\n", + "evidence_sample : ['ajohnson', 'bsmith', 'cdavis', 'dmiller', 'ewilson', 'fbrown', 'gtaylor', 'handerson', 'ithomas', 'jmoore']\n", + "source_columns : ['users.username', 'users.email']\n", + "\n", + "--- END METADATA ---\n", + " Processing: PERSON_NAME\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find loosely structured human name-like strings in the database\n", + "1: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : person name\n", + "exploration_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "extraction_sql : None\n", + "rows_count : 0\n", + "rows_sample : []\n", + "classification : None\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "[SQL EXEC] Retrieved 30 rows\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find loosely structured human name-like strings in the database\n", + "1: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "2: AI -> Retrieved 30 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : person name\n", + "exploration_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "extraction_sql : None\n", + "rows_count : 30\n", + "rows_sample : [('Alice',), ('Brian',), ('Carol',), ('David',), ('Emma',), ('Frank',), ('Grace',), ('Henry',), ('Irene',), ('Jack',), ('Johnson',), ('Smith',), ('Davis',), ('Miller',), ('Wilson',), ('Brown',), ('Taylor',), ('Anderson',), ('Thomas',), ('Moore',), ('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',)]\n", + "classification : None\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find loosely structured human name-like strings in the database\n", + "1: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "2: AI -> Retrieved 30 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : exploration\n", + "PII type : person name\n", + "exploration_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "extraction_sql : None\n", + "rows_count : 30\n", + "rows_sample : [('Alice',), ('Brian',), ('Carol',), ('David',), ('Emma',), ('Frank',), ('Grace',), ('Henry',), ('Irene',), ('Jack',), ('Johnson',), ('Smith',), ('Davis',), ('Miller',), ('Wilson',), ('Brown',), ('Taylor',), ('Anderson',), ('Thomas',), ('Moore',), ('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple strings that are commonly recognized as person names.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "[PHASE] discovery → extraction\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find loosely structured human name-like strings in the database\n", + "1: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "2: AI -> Retrieved 30 rows\n", + "3: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : person name\n", + "exploration_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "extraction_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "rows_count : 30\n", + "rows_sample : [('Alice',), ('Brian',), ('Carol',), ('David',), ('Emma',), ('Frank',), ('Grace',), ('Henry',), ('Irene',), ('Jack',), ('Johnson',), ('Smith',), ('Davis',), ('Miller',), ('Wilson',), ('Brown',), ('Taylor',), ('Anderson',), ('Thomas',), ('Moore',), ('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple strings that are commonly recognized as person names.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : []\n", + "\n", + "--- END METADATA ---\n", + "[SQL EXEC] Retrieved 30 rows\n", + "[TRACKING] Saved source columns: ['users.first_name', 'users.last_name', 'users.username']\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find loosely structured human name-like strings in the database\n", + "1: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "2: AI -> Retrieved 30 rows\n", + "3: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "4: AI -> Retrieved 30 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : person name\n", + "exploration_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "extraction_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "rows_count : 30\n", + "rows_sample : [('Alice',), ('Brian',), ('Carol',), ('David',), ('Emma',), ('Frank',), ('Grace',), ('Henry',), ('Irene',), ('Jack',), ('Johnson',), ('Smith',), ('Davis',), ('Miller',), ('Wilson',), ('Brown',), ('Taylor',), ('Anderson',), ('Thomas',), ('Moore',), ('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple strings that are commonly recognized as person names.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : ['users.first_name', 'users.last_name', 'users.username']\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find loosely structured human name-like strings in the database\n", + "1: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "2: AI -> Retrieved 30 rows\n", + "3: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "4: AI -> Retrieved 30 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : person name\n", + "exploration_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "extraction_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "rows_count : 30\n", + "rows_sample : [('Alice',), ('Brian',), ('Carol',), ('David',), ('Emma',), ('Frank',), ('Grace',), ('Henry',), ('Irene',), ('Jack',), ('Johnson',), ('Smith',), ('Davis',), ('Miller',), ('Wilson',), ('Brown',), ('Taylor',), ('Anderson',), ('Thomas',), ('Moore',), ('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple strings that are commonly recognized as person names.'}\n", + "evidence_count : 0\n", + "evidence_sample : []\n", + "source_columns : ['users.first_name', 'users.last_name', 'users.username']\n", + "\n", + "--- END METADATA ---\n", + "\n", + "=== STATE SNAPSHOT ===\n", + "\n", + "--- MESSAGES ---\n", + "0: HUMAN -> Find loosely structured human name-like strings in the database\n", + "1: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "2: AI -> Retrieved 30 rows\n", + "3: AI -> SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "4: AI -> Retrieved 30 rows\n", + "\n", + "--- BEGIN METADATA ---\n", + "attempt : 2\n", + "max_attempts : 2\n", + "phase : extraction\n", + "PII type : person name\n", + "exploration_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}' \n", + "UNION ALL \n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "extraction_sql : SELECT first_name FROM users WHERE first_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT last_name FROM users WHERE last_name REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", + "UNION ALL\n", + "SELECT username FROM users WHERE username REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}';\n", + "rows_count : 30\n", + "rows_sample : [('Alice',), ('Brian',), ('Carol',), ('David',), ('Emma',), ('Frank',), ('Grace',), ('Henry',), ('Irene',), ('Jack',), ('Johnson',), ('Smith',), ('Davis',), ('Miller',), ('Wilson',), ('Brown',), ('Taylor',), ('Anderson',), ('Thomas',), ('Moore',), ('ajohnson',), ('bsmith',), ('cdavis',), ('dmiller',), ('ewilson',), ('fbrown',), ('gtaylor',), ('handerson',), ('ithomas',), ('jmoore',)]\n", + "classification : {'found': True, 'confidence': 1.0, 'reason': 'The text contains multiple strings that are commonly recognized as person names.'}\n", + "evidence_count : 30\n", + "evidence_sample : ['Alice', 'Brian', 'Carol', 'David', 'Emma', 'Frank', 'Grace', 'Henry', 'Irene', 'Jack']\n", + "source_columns : ['users.first_name', 'users.last_name', 'users.username']\n", + "\n", + "--- END METADATA ---\n", + "Wrote: I:\\project2026\\llmagent\\batch_results\\evidence_20260120T014007Z.jsonl\n" ] } ], "source": [ + "def run_batch(db_paths, pii_targets, pii_config, app):\n", + " all_results = []\n", "\n", - "# Set your target here once\n", - "# TARGET = \"EMAIL\" \n", - "# TARGET = \"PHONE\"\n", - "TARGET = \"USERNAME\"\n", - "# TARGET = \"PERSON_NAME\"\n", + " for p in db_paths:\n", + " db_path = str(p)\n", "\n", - "result = app.invoke({\n", - " \"messages\": [HumanMessage(content=f\"Find {TARGET} in the database\")],\n", - " \"attempt\": 0,\n", - " \"max_attempts\": 3,\n", - " \"phase\": \"discovery\",\n", - " \"target_entity\": TARGET, # CRITICAL: This tells the planner what to look for\n", - " \"sql\": None,\n", - " \"rows\": None,\n", - " \"classification\": None,\n", - " \"evidence\": [], # Use the new generic key\n", - " \"source_columns\": [],\n", - " \"discovered_sql\": [] \n", - "})\n", + " # If your tools rely on global DB_PATH, keep this line.\n", + " # If you refactor tools to use state[\"database_name\"], you can remove it.\n", + " global DB_PATH\n", + " DB_PATH = db_path\n", "\n", - "# Use the generic 'evidence' key we defined in the state\n", - "final_evidence = result.get(\"evidence\", [])\n", - "target_label = result.get(\"target_entity\", \"items\")\n", + " print(f\"\\nProcessing: {db_path}\")\n", "\n", - "print(\"\\n\" + \"=\"*40)\n", - "print(f\" 🏁 FORENSIC REPORT: {target_label.upper()} \")\n", - "print(\"=\"*40)\n", + " for target in pii_targets:\n", + " entity_config = pii_config[target]\n", + " print(f\" Processing: {target}\")\n", "\n", - "if final_evidence:\n", - " print(f\"✅ Success! Found {len(final_evidence)} unique {target_label}:\")\n", - " for i, item in enumerate(sorted(final_evidence), 1):\n", - " print(f\" {i}. {item}\")\n", - " \n", - " # Also print the source columns we tracked!\n", - " sources = result.get(\"source_columns\")\n", - " if sources:\n", - " print(f\"\\nSource Columns: {', '.join(sources)}\")\n", - "else:\n", - " print(f\"❌ No {target_label} were extracted.\")\n", - " print(f\"Last Phase : {result.get('phase')}\")\n", - " print(f\"Attempts : {result.get('attempt')}\")\n", + " result = app.invoke({\n", + " \"database_name\": db_path,\n", + " \"messages\": [HumanMessage(content=f\"Find {entity_config['desc'].strip()} in the database\")],\n", + " \"attempt\": 1,\n", + " \"max_attempts\": 2,\n", + " \"phase\": \"exploration\",\n", + " \"entity_config\": entity_config,\n", + " \"exploration_sql\": None,\n", + " \"extraction_sql\": None,\n", + " \"rows\": None,\n", + " \"classification\": None,\n", + " \"evidence\": [],\n", + " \"source_columns\": []\n", + " })\n", "\n", - "print(\"=\"*40)\n" + " evidence = result.get(\"evidence\", [])\n", + " source_columns = result.get(\"source_columns\", [])\n", + " raw_rows = result.get(\"rows\", [])\n", + "\n", + " all_results.append({\n", + " \"db_path\": db_path,\n", + " \"PII_type\": target,\n", + " \"PII\": evidence,\n", + " \"Num_of_PII\": len(evidence),\n", + " \"source_columns\": source_columns,\n", + " \"Raw_rows_first_100\": raw_rows[:100],\n", + " \"Total_raw_rows\": len(raw_rows),\n", + " \"Exploration_sql\": result.get(\"exploration_sql\", \"\"),\n", + " \"Extraction_sql\": result.get(\"extraction_sql\", \"\")\n", + " })\n", + "\n", + " return all_results\n", + "\n", + "def main():\n", + " all_results = run_batch(db_paths, PII_TARGETS, PII_CONFIG, app)\n", + " save_jsonl(all_results, OUT_DIR)\n", + "\n", + "\n", + "if __name__ == \"__main__\":\n", + " main()\n" ] }, { "cell_type": "code", "execution_count": null, - "id": "d24e126b", + "id": "fc0b51cd", "metadata": {}, "outputs": [], "source": [] diff --git a/agent_evidence_discovery_auto.ipynb b/agent_evidence_discovery_auto.ipynb deleted file mode 100644 index 37636cf..0000000 --- a/agent_evidence_discovery_auto.ipynb +++ /dev/null @@ -1,977 +0,0 @@ -{ - "cells": [ - { - "cell_type": "markdown", - "id": "0be1ee8e", - "metadata": {}, - "source": [ - "uing bnl environment\n", - "https://medium.com/@ayush4002gupta/building-an-llm-agent-to-directly-interact-with-a-database-0c0dd96b8196\n", - "\n", - "pip uninstall -y langchain langchain-core langchain-openai langgraph langgraph-prebuilt langgraph-checkpoint langgraph-sdk langsmith langchain-community langchain-google-genai langchain-text-splitters\n", - "\n", - "pip install langchain==1.2.0 langchain-core==1.2.2 langchain-openai==1.1.4 langgraph==1.0.5 langgraph-prebuilt==1.0.5 langgraph-checkpoint==3.0.1 langgraph-sdk==0.3.0 langsmith==0.5.0" - ] - }, - { - "cell_type": "code", - "execution_count": 1, - "id": "2648a1f1", - "metadata": {}, - "outputs": [], - "source": [ - "# only for find models\n", - "# import google.generativeai as genai\n" - ] - }, - { - "cell_type": "code", - "execution_count": 2, - "id": "a10c9a6a", - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "OK\n" - ] - } - ], - "source": [ - "# https://medium.com/@ayush4002gupta/building-an-llm-agent-to-directly-interact-with-a-database-0c0dd96b8196\n", - "\n", - "import os\n", - "from dotenv import load_dotenv\n", - "from langchain_openai import ChatOpenAI\n", - "from langchain_core.messages import HumanMessage\n", - "from sql_utils import *\n", - "from datetime import datetime, timezone\n", - "\n", - "\n", - "\n", - "load_dotenv() # This looks for the .env file and loads it into os.environ\n", - "\n", - "llm = ChatOpenAI(\n", - " model=\"gpt-4o-mini\", # recommended for tools + cost\n", - " api_key=os.environ[\"API_KEY\"],\n", - " temperature=0,\n", - " seed=100,\n", - ")\n", - "\n", - "response = llm.invoke([\n", - " HumanMessage(content=\"Reply with exactly: OK\")\n", - "])\n", - "\n", - "print(response.content)\n", - "\n", - "ENTITY_CONFIG = {\n", - " \"EMAIL\": {\n", - " \"regex\": r\"[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}\",\n", - " \"desc\": \"valid electronic mail formats used for account registration or contact\"\n", - " },\n", - " \"PHONE\": {\n", - " \"regex\": r\"\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}\",\n", - " \"desc\": \"international or local telephone numbers\"\n", - " },\n", - " \"USERNAME\": {\n", - " \"regex\": r\"\\b[a-zA-Z][a-zA-Z0-9._-]{2,51}\\b\",\n", - " \"desc\": \"application-specific login usernames created by users for login purposes\"\n", - " },\n", - " \"PERSON_NAME\": {\n", - " \"regex\": r\"[A-Za-z][A-Za-z\\s\\.\\-]{1,50}\",\n", - " \"desc\": (\n", - " \"loosely structured human name-like strings\"\n", - " )\n", - " }\n", - "}\n", - "\n" - ] - }, - { - "cell_type": "code", - "execution_count": 3, - "id": "48eda3ec", - "metadata": {}, - "outputs": [], - "source": [ - "# Core Python\n", - "import sqlite3\n", - "import re\n", - "import json\n", - "from typing import TypedDict, Optional, List, Annotated\n", - "from langgraph.graph.message import add_messages\n", - "\n", - "# LangChain / LangGraph\n", - "from langchain_core.tools import tool\n", - "from langchain_core.messages import (\n", - " HumanMessage,\n", - " AIMessage,\n", - " SystemMessage\n", - ")\n", - "from langchain.agents import create_agent\n", - "from langgraph.graph import StateGraph, END\n", - "from langgraph.graph.message import MessagesState\n", - "\n", - "\n", - "@tool\n", - "def list_tables() -> str:\n", - " \"\"\"\n", - " List non-empty user tables in the SQLite database.\n", - " \"\"\"\n", - " IDENT_RE = re.compile(r\"^[A-Za-z_][A-Za-z0-9_]*$\")\n", - " conn = sqlite3.connect(DB_PATH)\n", - " try:\n", - " cur = conn.cursor()\n", - " cur.execute(\"\"\"\n", - " SELECT name\n", - " FROM sqlite_master\n", - " WHERE type='table' AND name NOT LIKE 'sqlite_%'\n", - " ORDER BY name\n", - " \"\"\")\n", - " tables = [r[0] for r in cur.fetchall()]\n", - "\n", - " nonempty = []\n", - " for t in tables:\n", - " # If your DB has weird table names, remove this guard,\n", - " # but keep the quoting below.\n", - " if not IDENT_RE.match(t):\n", - " continue\n", - " try:\n", - " cur.execute(f'SELECT 1 FROM \"{t}\" LIMIT 1;')\n", - " if cur.fetchone() is not None:\n", - " nonempty.append(t)\n", - " except sqlite3.Error:\n", - " continue\n", - "\n", - " return \", \".join(nonempty)\n", - " finally:\n", - " conn.close()\n", - "\n", - "\n", - "@tool\n", - "def get_schema(table: str) -> str:\n", - " \"\"\"\n", - "\n", - " Return column names and types for a table.\n", - " \"\"\"\n", - " conn = sqlite3.connect(DB_PATH)\n", - " cur = conn.cursor()\n", - " cur.execute(f\"PRAGMA table_info('{table}')\")\n", - " cols = cur.fetchall()\n", - " conn.close()\n", - " return \", \".join(f\"{c[1]} {c[2]}\" for c in cols)\n", - "\n", - "\n", - "@tool\n", - "def exec_sql(query: str) -> dict:\n", - " \"\"\"Execute SQL statements. If one fails, it is skipped and the next is executed.\"\"\"\n", - " query_text = normalize_sql(query)\n", - "\n", - " # 1. Parse column names from ALL SELECTs\n", - " column_names = []\n", - " for select_sql in split_union_selects(query_text):\n", - " tbl = extract_single_table(select_sql)\n", - " for col in extract_select_columns(select_sql):\n", - " if tbl and \".\" not in col:\n", - " name = f\"{tbl}.{col}\"\n", - " else:\n", - " name = col # already qualified or no single table\n", - " if name not in column_names:\n", - " column_names.append(name)\n", - "\n", - " # 2. Execute once\n", - " conn = sqlite3.connect(DB_PATH)\n", - " conn.create_function(\"REGEXP\", 2, regexp)\n", - " cur = conn.cursor()\n", - "\n", - " try:\n", - " print(f\"[EXECUTE] Running query\")\n", - " cur.execute(query_text)\n", - " rows = cur.fetchall()\n", - " except Exception as e:\n", - " print(f\"[SQL ERROR]: {e}\")\n", - " rows = []\n", - " finally:\n", - " conn.close()\n", - "\n", - " return {\n", - " \"rows\": rows,\n", - " \"columns\": column_names\n", - " }\n", - "\n", - "\n", - "\n", - "from typing import Any, TypedDict\n", - "class EmailEvidenceState(TypedDict):\n", - " messages: Annotated[list, add_messages]\n", - " attempt: int\n", - " max_attempts: int\n", - " phase: str # \"exploration\" | \"extraction\"\n", - "\n", - " # SQL separation\n", - " exploration_sql: Optional[str]\n", - " extraction_sql: Optional[str]\n", - "\n", - " rows: Optional[List]\n", - " classification: Optional[dict]\n", - " evidence: Optional[List[str]]\n", - "\n", - " target_entity: str\n", - " source_columns: Optional[List[str]]\n", - " \n", - " entity_config: dict[str, Any]\n", - "\n", - "\n", - "def get_explore_system(target, regex):\n", - " return SystemMessage(\n", - " content=(\n", - " \"You are a SQL planner. You are provided app databases that are extracted from Android or iPhone devices.\\n\"\n", - " \"apps include Android Whatsapp, Snapchat, Telegram, Google Map, Samsung Internet, iPhone Contacts, Messages, Safari, and Calendar.\\n\"\n", - " f\"Goal: discover if any column of databases contains possible {target}.\\n\\n\"\n", - " \"Rules:\\n\"\n", - " \"- Use 'REGEXP' for pattern matching.\\n\"\n", - " f\"- Example: SELECT col FROM table WHERE col REGEXP '{regex}' LIMIT 10\\n\"\n", - " \"- Table names and column names can be used for hints. \\n\"\n", - " f\"- Include the tables and columns even there is a small possility of containing {target}.\\n\"\n", - " \"- Pay attention to messages, chats, or other text fields.\\n\"\n", - " \"- Validate your SQL and make sure all tables and columns do exist.\\n\"\n", - " \"- If multiple SQL statements are provided, combine them using UNION ALL and LIMIT 200.\\n\"\n", - " \"- Return ONLY SQL.\"\n", - " )\n", - " )\n", - "\n", - " \n", - "def upgrade_sql_remove_limit(sql: str) -> str:\n", - " _LIMIT_RE = re.compile(r\"\\s+LIMIT\\s+\\d+\\s*;?\\s*$\", re.IGNORECASE)\n", - " _LIMIT_ANYWHERE_RE = re.compile(r\"\\s+LIMIT\\s+\\d+\\s*(?=($|\\n|UNION|ORDER|GROUP|HAVING))\", re.IGNORECASE) \n", - " # Remove LIMIT clauses robustly (including UNION queries)\n", - " upgraded = re.sub(r\"\\bLIMIT\\s+\\d+\\b\", \"\", sql, flags=re.IGNORECASE)\n", - " # Clean up extra whitespace\n", - " upgraded = re.sub(r\"\\s+\\n\", \"\\n\", upgraded)\n", - " upgraded = re.sub(r\"\\n\\s+\\n\", \"\\n\", upgraded)\n", - " upgraded = re.sub(r\"\\s{2,}\", \" \", upgraded).strip()\n", - " return upgraded\n", - "\n", - "\n", - "\n", - "def planner(state: EmailEvidenceState):\n", - " # Extraction upgrade path\n", - " if state[\"phase\"] == \"extraction\" and state.get(\"exploration_sql\"):\n", - " extraction_sql = upgrade_sql_remove_limit(state[\"exploration_sql\"])\n", - " return {\n", - " \"messages\": [AIMessage(content=extraction_sql)],\n", - " \"extraction_sql\": extraction_sql\n", - " }\n", - "\n", - " # Optional safety stop inside planner too\n", - " if state.get(\"phase\") == \"exploration\" and state.get(\"attempt\", 0) >= state.get(\"max_attempts\", 0):\n", - " return {\n", - " \"phase\": \"done\",\n", - " \"messages\": [AIMessage(content=\"STOP: max attempts reached in planner.\")]\n", - " }\n", - " # Original discovery logic\n", - " tables = list_tables.invoke({})\n", - " config = ENTITY_CONFIG[state[\"target_entity\"]]\n", - "\n", - " base_system = get_explore_system(\n", - " f\"{state['target_entity']}: {config.get('desc','')}\".strip(),\n", - " config[\"regex\"]\n", - " )\n", - "\n", - " grounded_content = (\n", - " f\"{base_system.content}\\n\\n\"\n", - " f\"EXISTING TABLES: {tables}\\n\"\n", - " f\"CURRENT PHASE: {state['phase']}\\n\"\n", - " \"CRITICAL: Do not query non-existent tables.\"\n", - " )\n", - "\n", - " agent = create_agent(llm, [list_tables,get_schema])\n", - " \n", - " result = agent.invoke({\n", - " \"messages\": [\n", - " SystemMessage(content=grounded_content),\n", - " state[\"messages\"][0] # original user request only\n", - " ]\n", - " })\n", - "\n", - " exploration_sql = normalize_sql(result[\"messages\"][-1].content)\n", - "\n", - " attempt = state[\"attempt\"] + 1 if state[\"phase\"] == \"exploration\" else state[\"attempt\"]\n", - "\n", - " return {\n", - " \"messages\": [AIMessage(content=exploration_sql)],\n", - " \"exploration_sql\": exploration_sql,\n", - " \"attempt\": attempt\n", - " }\n", - "\n", - "def sql_execute(state: EmailEvidenceState):\n", - " # Choose SQL based on phase\n", - " if state[\"phase\"] == \"extraction\":\n", - " sql_to_run = state.get(\"extraction_sql\")\n", - " else: # \"exploration\"\n", - " sql_to_run = state.get(\"exploration_sql\")\n", - "\n", - " if not sql_to_run:\n", - " print(\"[SQL EXEC] No SQL provided for this phase\")\n", - " return {\n", - " \"rows\": [],\n", - " \"messages\": [AIMessage(content=\"No SQL to execute\")]\n", - " }\n", - "\n", - " # Execute\n", - " result = exec_sql.invoke(sql_to_run)\n", - "\n", - " rows = result.get(\"rows\", [])\n", - " cols = result.get(\"columns\", [])\n", - "\n", - " print(f\"[SQL EXEC] Retrieved {len(rows)} rows\")\n", - " \n", - " # for i, r in enumerate(rows, 1):\n", - " # print(f\" row[{i}]: {r}\")\n", - "\n", - " updates = {\n", - " \"rows\": rows,\n", - " \"messages\": [AIMessage(content=f\"Retrieved {len(rows)} rows\")]\n", - " }\n", - "\n", - " # Track columns only during extraction (provenance)\n", - " if state[\"phase\"] == \"extraction\":\n", - " updates[\"source_columns\"] = cols\n", - " print(f\"[TRACKING] Saved source columns: {cols}\")\n", - "\n", - " return updates\n", - "\n", - " \n", - "\n", - "def get_classify_system(target: str):\n", - " return SystemMessage(\n", - " content=(\n", - " f\"Decide whether the text contains {target}.\\n\"\n", - " \"Return ONLY a JSON object with these keys:\\n\"\n", - " \"{ \\\"found\\\": true/false, \\\"confidence\\\": number, \\\"reason\\\": \\\"string\\\" }\"\n", - " )\n", - " )\n", - "\n", - "def classify(state: EmailEvidenceState):\n", - " # 1. Prepare the text sample for the LLM\n", - " text = rows_to_text(state[\"rows\"], limit=15)\n", - " \n", - " # 2. Get the target-specific system message\n", - " system_message = get_classify_system(state[\"target_entity\"])\n", - "\n", - " # 3. Invoke the LLM\n", - " result = llm.invoke([\n", - " system_message,\n", - " HumanMessage(content=f\"Data to analyze:\\n{text}\")\n", - " ]).content\n", - " \n", - "# 4. Parse the decision\n", - " decision = safe_json_loads(\n", - " result,\n", - " default={\"found\": False, \"confidence\": 0.0, \"reason\": \"parse failure\"}\n", - " )\n", - "\n", - " # print(\"[CLASSIFY]\", decision)\n", - " return {\"classification\": decision}\n", - "\n", - "\n", - "def switch_to_extraction(state: EmailEvidenceState):\n", - " print(\"[PHASE] discovery → extraction\")\n", - " return {\"phase\": \"extraction\"}\n", - "\n", - "\n", - "def extract(state: EmailEvidenceState):\n", - " text = rows_to_text(state[\"rows\"])\n", - " # print(f\"Check last 100 characts : {text[:-100]}\")\n", - " desc = state[\"entity_config\"].get(\"desc\", \"PII\")\n", - " system = f\"Identify real {desc} from text and normalize them. Return ONLY a JSON array of strings.\\n\"\n", - "\n", - " result = llm.invoke([SystemMessage(content=system), HumanMessage(content=text)]).content\n", - " return {\"evidence\": safe_json_loads(result, default=[])}\n", - "\n", - "\n", - "def next_step(state: EmailEvidenceState):\n", - " # Once in extraction phase, extract and stop\n", - " if state[\"phase\"] == \"extraction\":\n", - " return \"do_extract\"\n", - "\n", - " c = state[\"classification\"]\n", - "\n", - " if c[\"found\"] and c[\"confidence\"] >= 0.6:\n", - " return \"to_extraction\"\n", - "\n", - " if not c[\"found\"] and c[\"confidence\"] >= 0.6:\n", - " return \"stop_none\"\n", - "\n", - " if state[\"attempt\"] >= state[\"max_attempts\"]:\n", - " return \"stop_limit\"\n", - "\n", - " return \"replan\"" - ] - }, - { - "cell_type": "code", - "execution_count": 4, - "id": "0f5259d7", - "metadata": {}, - "outputs": [], - "source": [ - "def observe(state: EmailEvidenceState):\n", - " \"\"\"\n", - " Debug / inspection node.\n", - " Does NOT modify state.\n", - " \"\"\"\n", - " print(\"\\n=== STATE SNAPSHOT ===\")\n", - "\n", - " # Messages\n", - " print(\"\\n--- MESSAGES ---\")\n", - " for i, m in enumerate(state[\"messages\"]):\n", - " print(f\"{i}: {m.type.upper()} -> {m.content}\")\n", - "\n", - " # Metadata\n", - " print(\"\\n--- BEGIN METADATA ---\")\n", - " print(f\"attempt : {state['attempt']}\")\n", - " print(f\"max_attempts : {state['max_attempts']}\")\n", - " print(f\"phase : {state['phase']}\")\n", - " print(f\"target_entity : {state.get('target_entity')}\")\n", - "\n", - " # SQL separation\n", - " print(f\"exploration_sql : {state.get('exploration_sql')}\")\n", - " print(f\"extraction_sql : {state.get('extraction_sql')}\")\n", - "\n", - " # Outputs\n", - " rows = state.get(\"rows\") or []\n", - " print(f\"rows_count : {len(rows)}\")\n", - " print(f\"rows_sample : {rows[:1000] if rows else []}\") # small sample to avoid huge logs\n", - "\n", - " print(f\"classification : {state.get('classification')}\")\n", - " print(f\"evidence_count : {len(state.get('evidence') or [])}\")\n", - " print(f\"evidence_sample : {(state.get('evidence') or [])[:10]}\")\n", - "\n", - " print(f\"source_columns : {state.get('source_columns')}\")\n", - " print(\"\\n--- END METADATA ---\")\n", - "\n", - " # IMPORTANT: do not return state, return no-op update\n", - " return {}\n", - "\n", - "\n", - "\n", - "from langgraph.graph import StateGraph, END\n", - "\n", - "graph = StateGraph(EmailEvidenceState)\n", - "\n", - "# Nodes\n", - "graph.add_node(\"planner\", planner)\n", - "graph.add_node(\"observe_plan\", observe) # Checkpoint 1: The SQL Plan\n", - "graph.add_node(\"execute\", sql_execute)\n", - "graph.add_node(\"observe_execution\", observe) # NEW Checkpoint: Post-execution\n", - "graph.add_node(\"classify\", classify)\n", - "graph.add_node(\"observe_classify\", observe) # Checkpoint 2: Post-classify\n", - "graph.add_node(\"switch_phase\", switch_to_extraction)\n", - "graph.add_node(\"extract\", extract)\n", - "graph.add_node(\"observe_final\", observe) # Checkpoint 3: Final results\n", - "\n", - "graph.set_entry_point(\"planner\")\n", - "\n", - "# --- FLOW ---\n", - "graph.add_edge(\"planner\", \"observe_plan\")\n", - "graph.add_edge(\"observe_plan\", \"execute\")\n", - "\n", - "# NEW: observe after execution, before classify\n", - "graph.add_edge(\"execute\", \"observe_execution\")\n", - "graph.add_edge(\"observe_execution\", \"classify\")\n", - "\n", - "graph.add_edge(\"classify\", \"observe_classify\")\n", - "\n", - "graph.add_conditional_edges(\n", - " \"observe_classify\",\n", - " next_step,\n", - " {\n", - " \"to_extraction\": \"switch_phase\",\n", - " \"do_extract\": \"extract\",\n", - " \"replan\": \"planner\",\n", - " \"stop_none\": END,\n", - " \"stop_limit\": END,\n", - " }\n", - ")\n", - "\n", - "graph.add_edge(\"switch_phase\", \"planner\")\n", - "\n", - "graph.add_edge(\"extract\", \"observe_final\")\n", - "graph.add_edge(\"observe_final\", END)\n", - "\n", - "app = graph.compile()\n" - ] - }, - { - "cell_type": "code", - "execution_count": 5, - "id": "51032ff1", - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Found 1 sqlite files\n" - ] - } - ], - "source": [ - "from pathlib import Path\n", - "import json\n", - "\n", - "DB_DIR = Path(r\"selectedDBs_test\") # change if needed\n", - "# DB_DIR = Path(r\"Agent_Evidence_Discovery\\selectedDBs\") # change if needed\n", - "OUT_DIR = Path(\"batch_results\")\n", - "OUT_DIR.mkdir(exist_ok=True)\n", - "\n", - "# PII_TARGETS = [\"EMAIL\", \"PHONE\", \"USERNAME\", \"PERSON_NAME\"] # pick what you need\n", - "PII_TARGETS = [\"PERSON_NAME\"] # pick what you need\n", - "\n", - "def is_sqlite_file(p: Path) -> bool:\n", - " # quick header check to avoid weird files\n", - " try:\n", - " with p.open(\"rb\") as f:\n", - " return f.read(16) == b\"SQLite format 3\\x00\"\n", - " except Exception:\n", - " return False\n", - "\n", - "db_paths = sorted([\n", - " p for p in DB_DIR.rglob(\"*\")\n", - " if p.suffix.lower() in {\".db\", \".sqlite\", \".sqlite3\"} and is_sqlite_file(p)\n", - "])\n", - "\n", - "print(f\"Found {len(db_paths)} sqlite files\")" - ] - }, - { - "cell_type": "code", - "execution_count": 6, - "id": "655e0915", - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "\n", - "Processing: selectedDBs_test\\A1_msgstore.db\n", - "\n", - "Processing: PERSON_NAME in selectedDBs_test\\A1_msgstore.db\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find loosely structured human name-like strings in the database\n", - "1: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 2\n", - "phase : exploration\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "extraction_sql : None\n", - "rows_count : 0\n", - "rows_sample : []\n", - "classification : None\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : []\n", - "\n", - "--- END METADATA ---\n", - "[EXECUTE] Running query\n", - "[SQL EXEC] Retrieved 200 rows\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find loosely structured human name-like strings in the database\n", - "1: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "2: AI -> Retrieved 200 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 2\n", - "phase : exploration\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "extraction_sql : None\n", - "rows_count : 200\n", - "rows_sample : [('6️⃣ Wealth Builders Club',), ('6️⃣ Bitcoin Masters - Jim Investment Team',), ('Welcome new friends to join our Bitcoin Master - Jim Investment Team family\\nSince Professor Jim is currently invited to participate in the cryptocurrency competition held by the organizer Btcoin Trading Center, he is currently preparing for the final stage, and new friends in the discussion group continue to join in and vote for Professor Jim.',), ('Therefore, the free chat function of the discussion group will not be opened for the time being, and friends are waiting patiently. I hope that friends will continue to stay in Bitcoin Master - Jim Investment Team and have a pleasant journey.\\nOf course, friends stay in the discussion group, Professor Jim will also lead friends to make huge profits in the investment market, then please vote for Professor Jim, and you will also have the opportunity to get a voting reward of 3,000 US dollars;There is also a real-time trading signal strategy with at least 30% profit per day Friends can first add the business card below to book a voting reward of 3,000 US dollars.',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), ('1.🔹 Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.📈📈\\nHistorically, as the U.S. approaches its debt ceiling, U.S. Treasuries have typically plummeted and yields soared.\\nUS stocks fell sharply late yesterday. Bank stock indexes fell.📉📉📉\\nDXY hit a new high this month, and the two-year U.S. bond yield rose by more than 10 basis points.\\nCrude oil, gold, and BTC fell.\\nThrough the performance of major markets, it can be seen that it is greatly affected by the debt ceiling impasse.❓❓❓',), (\"Treasury Secretary Yellen issued her strongest warning yet. More than 140 U.S. business leaders urged the administration and Congress to quickly resolve the debt impasse. Biden's trip to Asia was cut short.\\nBefore the announcement of the negotiation results, there is a high probability that stocks, bonds, the US dollar, cryptocurrencies, gold, and crude oil will continue this short-term trend.\",), ('2. 🔸The Fed will still choose to raise interest rates if necessary.\\nLorie Logan, president of the Federal Reserve Bank of Dallas, expressed his view yesterday that raising interest rates at a smaller and less frequent pace will help the possibility that monetary policy will lead to financial instability.\\nThis point of view has aroused extensive discussion among scholars.',), (\"The FOMC meeting earlier this month did not express definitive remarks.\\nTherefore, the uncertainty in the future is very high. A large number of economic data will be released before the meeting in mid-June. In addition, there may be other factors that are unfavorable to the economy.\\nThe PCE data, which the Fed values, is still more than double the central bank's target. Inflation is starting to come down because of the many actions the Fed has taken in the past, but it may take more time if prices are to continue cooling.\\nTherefore, the Fed will still choose to raise interest rates if necessary.📊📊\",), (\"3. 🔹Today's BTC strategy: medium-term buying point and short-term range game.\\n\\nJudging from the BTC daily trend chart, the mid-term buying point is established.\\n1️⃣)Compared with the illustration on the left, the price is near the important support level.\\n2️⃣The upward trend of MA90-120 is good, providing important technical support and psychological support for the price.\",), ('3️⃣ The negative value of MACD gradually decreases, which is regarded as a buying point. So I created a call contract order using a fund position within 5%.\\n4️⃣ Stop loss when the price falls below MA120 or the support line.\\n5️⃣ The time to intervene on the right side is: wait for the time when the value of MACD turns from negative to positive, the yellow fast line goes up, and the fast and slow line shows a golden cross.\\n\\nStick to the top and pay attention to this group, I will interpret the latest policies and announce real-time strategies every day.\\nNext, I will share short-term strategies.👇🏻👇🏻👇🏻',), ('Hi, dear, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry, this is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share. As Mr. Jim participated in the competition of Btcoin-2023 New Bull Market Mars-Final, we invite you to enter this group to vote for Mr. Jim. ☺️ Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars.There is also a real-time trading signal strategy with at least 30% profit per day, I hope to get your support. Thank you',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\n⬇️I will explain to you⬇️\",), ('Mary Garcia',), ('The short-term 30-minute interval game strategy is as follows.👇🏻👇🏻\\nAffected by the deadlock of the debt ceiling and the expectation of interest rate hikes, the price of BTC has been relatively weak recently and fluctuated within a narrow range.\\nTherefore, there are opportunities for short-term games, but the earnings expectations must be lowered.\\nToday I created a call contract order with less than 5% of my capital position.',), ('When the price is close to the pressure level or support level, when the positive value of MACD decreases, it is regarded as a selling point, and when the negative value of MACD decreases, it is regarded as a buying point.\\nStop loss when the price moves in the opposite direction and breaks the resistance high or breaks the support level.\\nReal-time strategies are available through my assistant, Ms. Mary.🔸⬇️⬇️🔹',), ('Mary Garcia',), ('Although the short-term U.S. bond yields and the strengthening of the U.S. dollar are not good for the cryptocurrency market.\\nHowever, factors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAt the same time, amid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counteract the possible impact of further interest rate hikes by the Fed.',), ('The current price of BTC is at an important support level in the mid-term, and there are obvious signs of stopping the decline, and the mid-term buying point is established.\\n$30,000 is bound to be a new starting point for BTC’s fourth bull run.\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will lead my friends who support me to show their ambitions in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.💰💰\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝',), (\"Hello ladies and gentlemen.❤️❤️❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 💰💰💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌💌⬇️⬇️⬇️\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), (\"1. Today's BTC contract trading strategy.\\n1) As shown in the 30-minute trend analysis chart above, the current price has entered a new triangle consolidation range.\\nVolatility is reduced, so we lower our earnings expectations.\\n2) When the price runs near the trendline or support line, a BTC bullish contract order can be created.\\nUse the opportunity when the 30-minute MACD negative value decreases to intervene, and use the price that is less than the 30-minute cycle level to deviate from the technical indicators to determine the buying point.\\nThe specific method I have shared last week. Friends who don't understand can ask my assistant, Ms. Mary.\\n3) Stop loss when the price falls below the upward trend line, because when the price establishes the interval between the pressure line and the support line again, the trend will weaken.\\n4) The target price is near the pressure line.\\n5) The capital position is less than 5%.\",), (\"Yesterday I shared the mid-term strategy and the short-term range game strategy, and announced my trading signals.\\nFriends who have just joined the group can consult my assistant, Ms. Mary, about yesterday's handouts.\\nThe return on bullish contract orders was as high as 120% yesterday.\\nCongratulations to friends who have followed my trading signals for gaining short-term excess returns.🔷🔷\",), ('Friends who want to grasp real-time trading signals can add the business card of my assistant Ms. Mary and write to her.👇🏻👇🏻👇🏻\\n\\nNext, I will share a very important topic. If you are investing in stocks, cryptocurrencies, bonds, US dollars, gold, crude oil, etc., I suggest you read the logic carefully.⬇️⬇️⬇️\\n2. Sort out the important logic: the debt impasse and the banking crisis have eased, and the possibility of the Fed raising interest rates in June has risen. Where should the major investment markets go?❓❓❓',), ('Mary Garcia',), ('2️⃣.2️⃣ The possibility of the Fed raising interest rates in June has increased, which will have an impact on major markets.\\nThe probability of the Fed raising interest rates in June has risen to about 40%, and this data confirms my recent view.\\nNext, I will briefly describe the main points of several major investment markets.👇🏻👇🏻',), ('Point 1: U.S. bond yields and the U.S. dollar are expected to usher in a short-term upward trend.\\nDue to the huge impact of the deadlock on the debt ceiling, although the negotiations between the two parties are mostly political games, there are many ways to solve this problem, and the probability of it developing to a more dangerous situation is relatively small.\\nIt has also never happened in history, so the expectation that this problem will be solved is high.\\nThis expectation is positive for U.S. bond yields and the dollar.\\nI will continue to track and analyze the progress and impact of the situation.✔️✔️',), ('2️⃣.1️⃣ The debt impasse and the easing of the banking crisis have boosted market sentiment, but one should not be too optimistic.\\nBiden and McCarthy said yesterday that their goal is to reach an agreement by the 21st to avoid an economically catastrophic default.\\nThe latest deposit levels released by Western Alliance Bancorp eased investor concerns about a worsening banking crisis.\\nAll major indexes rose yesterday.📈📈',), (\"The IEA monthly report showed that China's oil demand grew faster than expected, pushing up oil prices. The U.S. Department of Energy said on Monday that replenishment of the strategic reserve oil had supported oil prices.\\nBitcoin ushered in a rise in volume and price, which is a very healthy signal.\\nHowever, everyone should be careful not to be too optimistic before the debt ceiling issue is resolved, as it is still in a wait-and-see mode.\\nBecause the reason for the deadlock on the debt ceiling is because there is an element of political game between the two parties.\",), ('Point 2: Increased interest rate hike expectations are negative for gold, crude oil and US stocks.👇🏻👇🏻👇🏻👇🏻👇🏻\\nIn the last month, I published an important view on gold. It is summarized as follows.\\n1️⃣) The Fed is not expected to cut interest rates in the second half of the year, and the price of gold may be depressed.\\n2️⃣) The dollar may weaken further, providing support for gold prices but with limited effect.\\nPs: The current strengthening of the US dollar is even more detrimental to gold prices.\\n3️⃣) There is limited room for growth in demand for gold ETFs.',), ('4️⃣) High prices may dampen demand for jewellery, gold coins and bars.\\n5️⃣) Central bank gold demand may decline slightly.\\nIn addition, gold does not bear interest, and the current price of gold has fallen as scheduled, which is completely in line with expectations.\\nIf you are unclear about the logic in this area, you can ask for relevant handouts through my assistant, Ms. Mary.👇🏻👇🏻👇🏻',), ('Mary Garcia',), (\"Crude oil is a highly cyclical product. Oil prices will rise and fall with the demand level of the entire economy. Now it is the down cycle. The Fed's aggressive rate hikes have started to hurt the economy, and while they have lowered inflation, they could be accompanied by more pain because rate hikes typically hit the economy with a lag. Therefore, the price of oil is easy to fall but difficult to rise.\",), ('When the risk-free rate increases, it is bad for stock prices.\\nPeople reduce consumption and are more willing to save, reducing the capital flow of the stock market.\\nRaising interest rates means raising deposit and loan interest rates, increasing the difficulty of corporate financing, and negative for the stock market.\\nCoupled with the inevitable recession in the U.S. stock market, corporate profits will decline accordingly, which is bad for the stock market.\\n...\\n\\nAs an investor, we must pay attention to these impacts and risks.',), ('Point 3: 🔸A bull market for cryptocurrencies is coming.🌈\\nThere are two important factors that tell us that the spring of the cryptocurrency market has arrived.',), ('1️⃣) Internal factors: halving mechanism.\\nFrom a fundamental point of view, Bitcoin halving means that the number of Bitcoins that can be mined in the future will decrease, and the total amount of Bitcoins will eventually reach 21 million.\\nThis feature makes Bitcoin relatively scarce compared to fiat currency, and scarcity will gradually increase commodity prices. \\nFrom the perspective of historical trends, every Bitcoin halving period ushered in an unprecedentedly prosperous bull market.\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.',), ('2️⃣) External factors: Risks in the financial market make the cryptocurrency market a safe haven.\\nFactors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAmid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counter the possible impact of further interest rate hikes by the Fed.\\nBitcoin will become the king of safe-haven assets over gold.\\nWhy is it said that the market value of the cryptocurrency market will soon surpass gold and be comparable to US stocks?\\nWhy is it said that the price of BTC will reach $360,000 in the fourth round of the bull market?\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will share these logics and lead my friends who support me to show their ambitions in the cryptocurrency market.👇🏻👇🏻',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.🔶🔶🔶\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.✏️✏️\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.👇🏻👇🏻👇🏻',), ('Mary Garcia',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), ('Mary Garcia',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.🎁🎁\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆🏆\\nIf you want to receive a $3,000 🎁💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.🤝\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"the impact of the Fed\\'s interest rate hike in June on major investment markets\".\\nToday I will share the following topics.\\n1. Today\\'s BTC contract trading strategy.\\n2. Rising bond yields and capital flows pose risks to the stock market.\\n3. The debt impasse will be resolved, but it will recur',), (\"1. 🔸Today's BTC contract trading strategy.\\nFrom last Sunday to today, I have announced a total of 3 trading signals, all of which have achieved good short-term gains. In the current trend of weak shocks, this is very rare.\\nTherefore, when trading opportunities arise, we still have to lower our earnings expectations.\\n\\nI think the mid-term buying point is established, so I mainly buy call contracts.\\n1️⃣) Consider buying when the price is near the support level.\",), (\"2️⃣) Take advantage of the timing when the price and the indicator run counter to each other to grasp the buying point.\\nFor example, timing1/2 in the above figure, the specific method I shared last week.\\nFriends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\n3️⃣) Stop loss when the price effectively falls below the support line.\\n4️⃣) When the price is close to the pressure line, take profit when the buying power is exhausted.\",), (\"3. 🔸The debt impasse will be resolved, but it will recur.\\nThe easiest way to solve the debt ceiling problem is to raise it, which has been done nearly 100 times in history, although there was a small hiccup today.\\nIt's like a husband and wife quarreling, and finally compromise with each other in order to maintain the peaceful coexistence of the two families.\\nBut this solution is not sustainable.\\nBecause this approach cannot pay investors high enough interest rates to allow them to hold debt assets, nor can it keep interest rates low enough that borrowers can service their debts.\",), ('When the amount of debt sold is greater than the amount buyers want to buy, the central bank faces a choice: Either let interest rates rise to balance supply and demand, which is hard on debtors and the economy. Or they have to print money to buy debt, which creates inflation and encourages debt holders to sell their debt, making the debt imbalance worse.',), ('Then, the cycle repeats itself.\\nThis problem will remain for a long time, and one day in the future there will be a real collapse of the financial system and a financial tsunami will occur.\\nSpeaking of this, what I most want to express is \"the cycle of raising and lowering interest rates is the government\\'s cash cow.\" This is an opinion I often express.\\nThe essence of inflation is excessive money supply.\\nIn this cycle, the people who benefit the most are the people who borrow the most, and the people who borrow the most are governments, financial institutions, and large technology companies.\\nWhat should we ordinary people do?',), ('I think the best way is to use our technology in the investment market to continuously make money, make money, and make money.💰💰💰\\nNow it seems that the cryptocurrency market is a good track.',), ('The generation mechanism of BTC determines that it is relatively scarce compared with fiat currency, and the scarcity will gradually increase the price of BTC.📈📈\\nFrom the perspective of historical trends, every time the BTC halving mechanism is triggered, an unprecedentedly prosperous bull market ushered in.👍🏻👍🏻\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.\\nThe risk in the financial market makes the cryptocurrency market the best safe haven.\\nCryptocurrency has become the best investment tool of this century.📊',), ('As the debt ceiling issue is resolved, and interest rate policy is becoming clearer. Major investment markets will usher in a new beginning.1\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I would like to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nSharing these today, have a great weekend.🎁🎁⬇️⬇️',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), (\"See the picture above:⬆️⬆️⬆️\\nRecently I have received a lot of letters from my new friends. I believe you must have a lot of questions. Is this \\ncompetition real? Do you get a $3,000 bonus vote at the end? I'm currently interested in the cryptocurrency market. ❓❓❓\\nCan I actually make money in the cryptocurrency market?\\nI would like to say that since my contest is still in the preparatory stage, there will be new members in the group \\nin a few days, so please wait a few days, it won't be too long, I will tell you how to vote, please keep in touch 👇🏻👇🏻👇🏻👇🏻⬇️⬇️⬇️⬇️\",), (\"with my assistant Ms Mary, everything we do and say is true, and the contest supporting me is free, I won't charge \\nyou any fee. Since it doesn't require you to pay anything, why can't you have a try? So please don't quit in a hurry \\nand stay in my group to support me in the upcoming Contest. I am confident that I will win the first place in this \\nContest, so what I promise you will come true. I plan to reward my friends with $3,000 each for supporting me along \\nwith a real-time trading signal strategy of at least 30% profit per day\\nIf you are interested in investing in Bitcoin and receiving a voting quota of 3k dollars, please add the business \\ncard below. This is the business card of my assistant Mary Garcia. Have a great weekend.🤝🏻\",), ('Mary Garcia',), ('Hi, my friend, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry☺️This is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share.\\n\"Btcoin-2023 New Bull Market Mars-Final\" is about to enter the Final stage, so we invite you to enter this group to vote for Mr. Jim. Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars 💰.There is also a real-time trading signal strategy with at least 30% profit per day, All these are free. If you have any questions, please add my business card and communicate with me⤵️',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), (\"Welcome new friends to join the group. If you want to know how to earn 30% revenue every day, please don't leave the group in a hurry. 📌🔗📌Please join the discussion group first, and later I will tell you the purpose of inviting you to join our group\\n\\n\\n\\nPlease give me some time!🥇\",), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people join each day before the final, so you may see these repeated messages before the final.\\nSince today is the weekend, Mr. Jim will continue to share market news and trading signals in the group during the working day. The final game is about to start, and we will enable group chat. This is the beginning of today's share, from this moment on,\",), (\"we will officially let you know about this market. If you are interested in this, 📌🔗📌Remember to stick this discussion group to the top. I believe Mr. Jim's sharing will bring you great wealth\\nTo this end, Mr. Jim prepared two gifts for his supporters🎁🎁\\nFirst, he plans to give $3,000 each to friends who support him💰\\nHow to get this gift immediately? Please add your business card below\\n⬇️-⬇️-⬇️\\nThis is the business card of Mr. Jim's assistant Mary Garcia. Welcome to write to us\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.🤝🏻\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.👍🏻👍🏻🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nWelcome more new friends to join the group, hope to get your support.\\nPlease wait patiently, the finals will start soon.\\nAlthough today is the weekend, there is an important theme that I think it is necessary to share with you in time.🔺\\nThe investment theme I want to share today is: the debt ceiling crisis will trigger market turmoil, how should investors profit?❓❓❓',), (\"1. The debt ceiling crisis will continue to exacerbate financial market turmoil, and the banking industry will suffer greatly from it.\\nFrom the solution to the debt ceiling problem, capital flows, bearish positions and Yellen's remarks show that the banking crisis will intensify.\\n\\n1) The solution to the debt crisis is negative for the banking sector.\",), ('During the two debt crises of 2011 and 2013, Congress finally raised the debt ceiling at the last minute. Each time, after raising the debt limit, the Treasury replenished its cash reserves by re-issuing massive amounts of Treasury bonds and sucking in a lot of cash from the market.\\nOnce the debt ceiling crisis is resolved in this way, the US Treasury will return to borrowing over a trillion dollars to top up its cash reserve account. Then the liquidity of the market may be drained by the treasury bonds issued by the Ministry of Finance, and the banking system will face huge risks again, increasing the risk of bank failure again.',), ('2️⃣) The net inflow of money funds continued.\\nThe latest data from the Institute of Investment Companies of America shows that, continuing the trend of the previous week, the scale of monetary funds continued to expand.\\nSome $13.6 billion poured into U.S. money funds this week, pushing their size to an all-time high of $5.34 trillion.\\nOver the past three months, money funds have grown by more than $520 billion.',), (\"There are two reasons for the continuous net inflow of money funds.\\nOne is that after the Fed continued to raise interest rates, the market interest rate continued to rise, and the advantages for deposits expanded.\\nThe second is that the risk of deposits in small banks tends to make funds tend to be more secure monetary funds.\\nThe surge in money market inflows points to lingering risks in the banking sector. Meanwhile, the Fed's blood transfusion for banks is not over yet.\",), ('3)🔸 Bearish positions are increasing.\\nThe recent rebound in regional banks may not signal the end of the US banking crisis.\\nMany investors are also aggressively creating put orders on these banks.\\nNearly 48% of positions in the ETF KER are betting on regional banks falling, up from 42% last week, according to data compiled by technology and data analytics firm S3 Partners.',), (\"4) 🔴Treasury Secretary Yellen warned that more bank mergers may be necessary.\\nSome media revealed that on May 18, Yellen echoed the US regulators who said that bank mergers may occur in the current environment.\\nAccording to market analysis, this means that more banks are expected to fail soon.\\nYellen's remarks weighed on stocks of U.S. regional banks in early trading on Friday. Bank stocks generally retreated on Friday, with regional banks falling even more.📊📊\",), ('2. Under the turmoil of the financial system, the way investors make profits.\\nAlthough the U.S. managed to raise the debt ceiling in time, the 2011 debt ceiling crisis caused a massive spike in volatility and sparked wild swings across asset classes.📈📉\\nInvestors have three big ways to profit if U.S. stocks sell off as they did during the 2011 debt-ceiling crisis.🔸\\nThe Bank of America team wrote in a research report that customers can get up to 30 times the remuneration through some cheap Option Contracts. These operations pay off handsomely when the S&P falls by more than 10%.💰💰💰',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('In my opinion, there are three extended ways to make profits, namely, put options on the S&P 500 index, VIX call options, and cryptocurrency call contracts.\\nAmong these three profit methods, I have a soft spot for cryptocurrency. It is not difficult to obtain 100 times the profit in this market, and there are many ways to make profits.',), (\"Except that the triggering of the fourth round of halving mechanism will lead to the start of the cryptocurrency bull market in 2023. The banking crisis has been one of the catalysts for Bitcoin's strong rise this year.\\nCryptocurrency prices have been soaring recently, reaching as high as $31,000 in mid-April as investor concerns over the U.S. banking sector began to mount again.\",), ('The intensification of the banking crisis is positive for safe-haven assets such as cryptocurrencies.\\nMy view on \"BTC\\'s medium-term buying point is established\" remains unchanged, and the stop loss line is MA120. As shown above, it is the strategy I will focus on this week.\\n\\nIf you want to get these three profit methods, or want to get a secure cryptocurrency application, or get real-time trading signals, you can ask my assistant, Ms. Mary,👩🏼 who is a software engineer.⬇️⬇️',), ('Mary Garcia',), ('As a thank you for your votes, I have also prepared two gifts.🤝🏻\\nFirst up is voting rewards,🎁🎁 I plan to award $3,000 💰💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📫📫\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nSince the Silicon Valley Bank incident, the global financial market has been in turmoil and investment has become more difficult, so I have shared more valuable information.\\nIn the last week, I tracked and shared topics such as debt impasse and three ways to profit, banking crisis, negative factors in the stock market, and major investment market trends.',), (\"Today I will share the following investment themes.\\n1.🔸 Treat market changes with caution, and the trend will gradually become clear.\\n2.🔹 Today's BTC contract trading strategy.\\n3.🔸 It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\",), ('1. Treat market changes with caution, and the trend will gradually become clear.📊\\nTake stocks and the US dollar as examples today to help friends clarify these trends.\\n\\n1️⃣) Beware of false breakthroughs in the stock market.\\nThere were signs of panic buying in stocks last week as some investors believed a new bull market had begun.\\nFor the stock market, the current valuation is too high, whether it is fundamental or technical, there is no possibility of breakthrough here.',), ('Defensive stocks are all rising at the moment, and cyclical stocks such as banking stocks, retail, and transportation are not performing well.\\nLike last summer, this rally will likely be a false up.\\nThe S&P 500 struggles to break out of the range between 3,800 and 4,300, and even if it does, it is likely to fall back later.\\nIt is recommended that friends beware of false breakthroughs, that is, bull traps.',), (\"2)🔸 The dollar needs to be cautious, but has short-term upside.\\nOn Friday, bipartisan talks failed to produce results. But optimism picked up after the weekend.\\nThe market sees them reaching an agreement on the debt ceiling, while Fed rate cut expectations are delayed, which ultimately proved to be positive for the dollar.\\nHowever, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.\",), (\"However, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.👆🏻👆🏻👆🏻\\nHowever, judging from the DXY daily trend chart, there is room for short-term upside.\\nThe operating space and technical points are shown in the figure above.\\nIf the dollar rises in the short term, gold will fall. But even if the dollar rises, the space is limited.📊📊\\nRecognize these trends, our investment will be smoother.\\nNext, let's focus on the cryptocurrency market.\",), (\"2. Today's BTC contract trading strategy.📈📉\\n1) It is worth participating in the mid-term buying point of BTC.📊\\nJudging from the BTC daily trend chart, the current price is above the MA90-120, and the upward trend of the MA90-120 is good.\\nThe current price is in a resistance-intensive area, and the yellow line represents a very important and meaningful price, which will definitely become the dividing line between bulls and bears.❗❗\",), ('Judging by MACD, the fast and slow lines are about to form a golden cross, and the value of MACD shows signs of \"turning from negative to positive\". This shows that the power of sellers is exhausting and the power of buyers is accumulating.\\nFrom an objective understanding, this medium-term buying point is very worth participating.\\nAt present, I gradually increase the capital position to buy bullish contracts, the stop loss line is MA120, and the overall capital position is still controlled within 5%.',), (\"2) The short-term trend of BTC still maintains fluctuations between small groups.\\nAs shown in the figure above, although the price of BTC/USDT does not fluctuate much, the buying point suggested in yesterday's strategy is very accurate.\\nSince the price is fluctuating in a weak range, we have to lower our earnings expectations during the transaction.\\nAt present, it is still dominated by bullish contracts.\\nConsider buying when the price is near a support level.\\nUse the timing when the price deviates from the indicator to grasp the buying point. For example, timing1/2 in the figure above.\",), (\"Friends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\nStop loss when the price effectively falls below the support line.\\nWhen the price is close to the pressure line, use the timing of the exhaustion of buying power to take profit.\",), ('Mary Garcia',), ('3. 🔸It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\\nTo put it simply, in the short term, inflationary pressures in the United States have eased, but there are still twists and turns in the downward phase of inflation.📉📈\\nIn the long run, the labor market is still the biggest factor of uncertainty affecting the trend of US inflation.❗❗\\nThe results of the SVAR model show that long-term inflation may remain above 3%, and it is difficult to return to 2% before the epidemic.📊\\nIt is precisely because long-term inflation data is difficult to decline, which makes it difficult to make decisions on interest rate policy.🔹',), ('It is precisely because the interest rate policy is unclear that it is more difficult for investors to find markets, varieties and corresponding trends that allow them to easily invest and make profits.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.📬\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.📌📌\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.🏆🏆🏆\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000💰💰 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.👆🏻👆🏻\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.🔺\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!❗❗\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝🏻🤝🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.❤️\\nWelcome new friends to join this investment discussion group.👏🏻👏🏻\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.⬇️💌💌⬇️\",), ('Mary Garcia',), ('6️⃣ Btcoin Masters - Jim Investment Team',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I shared my judgment on the trend of the stock, US dollar, and gold markets.\\nToday I will share the following 3 important investment themes.',), ('1. The pressure on the banking industry has raised expectations for interest rate cuts within the year.\\nJudging from the data of Bank of America, both the asset side and the liability side of the U.S. banking industry are facing greater pressure. It is expected that the continued loss of deposits will further increase the operating pressure and liquidity pressure of banks.\\nAt the same time, commercial real estate loans held by banks have relatively large risk exposures, and high unrealized losses in securities investment are common problems.\\nHowever, considering that the U.S. financial market developed relatively healthy after the 2008 financial crisis, and regulators have more experience in responding, the probability of systemic risk in the U.S. banking industry in this round is relatively low',), ('However, widespread pressure in the banking industry may push credit to tighten faster, and the labor market may weaken rapidly in the future, thus increasing the probability of the Fed cutting interest rates within this year.\\nThe trend of the investment market reflects future expectations more often.\\nIf the expectation of interest rate cut increases, it will bring the expectation of depreciation of the dollar, and people will look for real assets to avoid risks. The interest rate cut will lower the loan interest rate, which is conducive to the development of the real industry',), ('Therefore, if the expectation of interest rate cuts increases, it will be beneficial to the stock market, real estate, cryptocurrency and other markets.\\nI will continue to track and share the important information of each investment market, and share it with my friends as soon as possible. Hoping to get support from my friends for voting in my finals.',), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), ('2. The investment logic, opportunities and strategies of bonds in the current environment.\\nWill the debt deadlock crisis be lifted smoothly to eliminate possible financial market turmoil? This has become the core theme that global investors are currently paying more attention to.\\nU.S. Treasury spreads showed signs of widening, with U.S. investment-grade corporate debt also affected.\\nThe U.S. government has encountered 78 discussions on the debt ceiling since 1960. According to past experience, during the negotiation process, the capital market usually suffers from anxiety and volatility due to fear of a stalemate in the negotiations.\\nHowever, in the end Congress agreed to raise the debt ceiling and the crisis was lifted smoothly. We expect that this negotiation will eventually reach an agreement.',), (\"U.S. government bonds and investment-grade bonds are an integral part of investment portfolios, but I suggest that friends pay attention to the strategies I share next to avoid falling into the vicious cycle of buying high and selling low.\\nObserving the past three U.S. debt ceiling crises, various types of bonds and U.S. stocks performed differently, but U.S. government bonds and investment-grade bonds seemed to benefit from investors' concerns about volatility.\\nFunds flowed into these two types of bonds under the risk aversion sentiment, making their performance buck the trend.\",), (\"Take 2011 as an example. At that time, the negotiations between the US government and Congress failed to reach a consensus, which led to the downgrade of the US long-term credit rating by Standard & Poor's, and the US stock market fell by more than 17%. It is worth noting that although short-term U.S. government bonds fell at that time, medium- and long-term government bonds bucked the trend and rose.\",), (\"The current situation is somewhat similar, and with the CPI annual growth rate falling to 4.9%, the market expects interest rates to remain stable or decline, which is relatively favorable for the performance of the bond market.\\nI have done an analysis last week, taking the 10-year bond as an example, let's take a look at its technical graphics and strategies.\\nThe current operating range of the price is shown in the figure above, and the deviation point between the MACD indicator and the price is used to sell.\\nHistorical experience shows that in the past, when GDP was within 2%, the average annual returns of more defensive U.S. Treasury bonds and investment-grade bonds were 6.7% and 4.7%.\",), (\"In fact, compared to cryptocurrency contract transactions, the benefits of bonds are simply negligible.\\nFor example, we obtained more than 80% of the overall income from yesterday's strategy.\\nNext I will share the cryptocurrency strategy.📊📊👇🏻👇🏻\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"3. Today's BTC contract trading strategy.❗❗\\nSince the 14th of this month, what I have been emphasizing is the strategy of buying BTC bullish contracts at low prices.\\nWhether it is the medium-term strategy analyzed from the daily trend chart or the short-term strategy analyzed from the 15-30 minute trend chart, when the overall capital position is less than 5%, I continue to increase the use of capital positions.\\nSo far, this series of strategies has been very successful.\\nObjectively speaking, BTC has fluctuated within a narrow range recently, and it is not easy to achieve such a profit.\\nRecently, many cryptocurrency, gold, stock, and crude oil investors are losing money.\",), ('Before giving the latest strategy, let me say a few suggestions.👇🏻🔹👇🏻🔹👇🏻\\n1) It is recommended that friends lower their income expectations in recent transactions, and fast in and fast out.\\n2) It is recommended that you pin this group to the top, so that you can quickly grasp core information, opinions, strategies, and trading signals.\\nAnd when the voting window opens, this group will be even more exciting.\\n3) If you want to know more real-time trading signals and benefit from this market simultaneously with me, I suggest you add the business card of my assistant, Ms. Mary, and write to her.',), ('Mary Garcia',), ('From the 30-minute analysis chart above, we can see our trading process in the past few days.\\nThe strategy is as follows.\\n1)🔸 I will sell some of the profitable orders to keep the profit.\\n2) 🔹At present, it is still mainly to participate in bullish contracts.\\n3)🔸 Whether the price breaks through line B becomes the key.\\n4) 🔹If there are technical characteristics such as MACD fast and slow line dead cross or MACD negative value increases, sell profitable orders.',), ('Then wait for the price to come near the lower support level, and use the timing of the divergence between the indicator and the price to find a buying point. The principle is the same as timing1/2.\\n5) If the price breaks through line B strongly, you can create a call contract order when the price retraces and the timing of the exhaustion of selling orders and the increase of buying orders can be used.\\n\\nAfter the voting window opens, I will share my trading system, which will explain these methods in detail.',), ('Summarize what I shared today.\\n1) The risk of the banking industry is good for the cryptocurrency market, because the cryptocurrency market is the best safe-haven product, and BTC is the leader this year.\\nThe pressure on the banking industry has increased the expectation of interest rate cuts, which is good for the stock market, cryptocurrency market, real estate industry, etc.\\n2) Bonds have an upward range in the short term, but avoid buying high and selling low, and pay attention to the key points in the analysis chart.\\n3) In the past few days, although BTC has fluctuated within a narrow range, our contract transactions have achieved good returns. Please cherish this fruit of labor, and let us make more efforts together in exchange for more profits.',), ('If you want to grasp more real-time trading signals, you can write to my assistant, Ms. Mary, to get them.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\\nThis is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\",), ('At that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊📈📈',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('You here?',), ('Hey',), (\"I'm here. Trying to collect some information today\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Let's talk this weekend.\",), (\"Sounds good. I'll be out site seeing.\",), ('Take pics.',), ('Of course.',), ('Love it when Sanata comes early.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Please allow me to introduce myself first. I am the official representative of Btcoin Exchange Center. We are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"Voting for contestants\" as the main topics to share🥇\\nAgainst the backdrop of \"heightened risks in global investment markets at the end of the Fed rate hike\" and \"the halving of Bitcoin\\'s fourth round of mining incentives will catalyze a new bull market in cryptocurrencies\". After acquiring several important mining enterprises in the industry and integrating high-quality ICO qualification resources, Btcoin Tech Group established a new trading center, Btcoin, aiming to quickly seize the cryptocurrency market and become a leader in the industry\\nPlease keep reading⬇️ ⬇️',), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him❗️',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people will be joining each day before the finals, so you may see these repeated messages before the finals. I hope everyone stays in the discussion group🙏\\nThe finals will start soon, and we will start the group chat function at that time. I'm sure you won't be disappointed.\\nNext, I would like to invite Professor Jim to share today's investment👏⤵️👏\",), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I mainly shared the investment logic and strategy of bonds.',), (\"Today I will share the following two topics.\\n1. 🔸There is still room for the dollar to rise.\\n2. 🔹Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\n3. 🔸Today's BTC contract trading strategy: the key point is coming.\",), (\"1. There is still room for the dollar to rise.\\nThere are currently three bullish factors for the dollar.\\n1️⃣ Overnight hawkish comments from several influential Fed officials boosted market bets that the Fed will keep interest rates high for longer.\\nRaising interest rates means that the US dollar has higher interest returns and financial asset returns, which is one of the upward thrusts for the US dollar.\\n2️⃣ Concerns over a slowdown in global economic growth, especially in Europe and China, further favor the dollar's relative safe-haven status.\\n3️⃣The current debt ceiling crisis in the United States has spawned safe-haven demand and is also driving the dollar upward.\\nWhen markets face a range of risks, investors often choose to buy less risky assets such as bonds, cryptocurrencies, gold and the U.S. dollar.\",), ('Therefore, the dollar will have the momentum to continue to rise, as shown in the chart below for technical analysis.',), (\"2. Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\nEven if the U.S. does not eventually default, a crash in U.S. stocks may be inevitable.\\nIf the debt ceiling talks fail to reach an agreement, that would certainly be bearish for stocks.\\nIf a negotiated agreement is reached, it will also cause the stock market to fall.\\nBecause the U.S. Treasury Department will increase the issuance of treasury bonds, sucking the liquidity of the financial system.\\nAs shown in the chart below, reviewing the Treasury bond issuance and stock market volatility in recent years, you will find that the Treasury's new bond issuance will absorb the Fed's reserves. U.S. stocks tend to fall when debt issuance increases.\",), ('Although the medium and long-term prospects of US stocks are improving. However, once the debt ceiling negotiations are over, US stocks will inevitably fall, or fall sharply.\\nInvestors who understand this logic are often the first to sell.',), (\"But one thing I don't like to see the most is that policy makers are often forced to reach an agreement and make a decision after seeing the stock market fall. They are testing the market's psychology and bottom line.\\nI believe that when we know this or see this kind of scene, some friends want to curse.\\nRationally look at the following logic and data, I believe everyone will make a decision.\\n1) US stocks plummeted nearly 20% in the 2011 crisis.\\n2) Higher inflation, higher valuations and tighter monetary policy could mean the current market environment could be worse for risk assets.\",), ('3) The current S&P 500 forward earnings estimate is about 18.4 times, compared to its historical average of 15.6 times. In the summer of 2011, the indicator was slightly more than 12 times.\\nSo, the current market and economic backdrop may make the stock market more vulnerable than it was during the 2011 debt default crisis.\\nDear friends, if you are investing in stocks, you must pay attention to this risk.',), ('What I want to say is that from the perspective of absorbing new debts, it is still American families that bear the greatest burden.\\nIn the second half of last year alone, it increased its holdings of U.S. debt by US$750 billion, far exceeding banks, MMFs, companies and overseas investors. This trend is expected to continue as the U.S. Treasury Department increases bond issuance in the future and the Federal Reserve continues quantitative tightening (QT).',), (\"Do you understand the above logic?\\nThe upward trend of the dollar and the solution to the debt ceiling are not good for the stock market, and the stock market has probably peaked.\\nAs a friend who has entered my investment circle, I don't want to see you take these risks.\\nObjectively speaking, we have many better investment methods, and we can choose more efficient investment methods, such as cryptocurrencies.\\nIt is very happy and meaningful to me to help some friends.\\nNext, I will share today's strategy.❗❗❗\",), ('3. Today\\'s BTC contract trading strategy: the key point is coming.\\nThe debt impasse, the rising price of the US dollar, and the hawkish remarks of Fed officials have caused the price of BTC to fall back to a key point.\\nAs shown in the figure above, the current upward trend of MA90-120 is good, and it still has technical support and psychological support.\\nFrom the perspective of rational analysis, the closing line of today\\'s price is very important.\\n1) There are many definitions of an upward trend. My definition of an upward trend may be different from others. My point of view is that \"price intensive areas continue to rise but do not overlap\".',), ('2) If the price falls below MA120 or closes below the price-intensive area A today, pay attention to the possibility of the price going down and seeking support above the price-intensive area B.\\nIf this happens, the MACD will have a negative value, and the fast and slow lines will form a dead fork.',), ('In the process of trading, ordinary traders often have this mentality.\\n1)🔸 It is uncomfortable when the price is running at the bottom.\\n2)🔹 It is comfortable when the price is running at the top.\\nAt present, BTC is in the process of building a new bottom in the mid-term trend.\\nThe current stock index is at the top of the stage.\\nIt is self-evident who will be more cost-effective.',), ('At the same time, BTC has two important advantages, please don\\'t ignore them.\\n1) There is no doubt that BTC is at the starting point of the fourth round of bull market, and the market is already reflecting this bull market expectation.\\n2) When we participate in BTC, we often do not choose spot trading, but choose contract trading tools, which will not only make profits when prices fall, but also greatly improve efficiency and yield.\\nI will share these tips when the voting window for \"Btcoin-2023 New Bull Market Masters-Final\" opens.\\nNext, I will share short-term strategies.',), ('You can choose to participate in the new daily trend after it is formed, which will be more comfortable.\\nOr choose the combination of mid-term and short-term. This kind of combination investment can not only improve efficiency, but also increase the comfort of trading.\\n\\nThe 30-minute strategy is shown above.\\n1) When the middle rail of the Bollinger Band moves downwards, when the price moves to the middle rail or near the upper rail, a bearish contract order can be created when the positive value of MACD decreases, such as the two selling points of AB.\\n2) When the price is near the support line, the bottom divergence pattern appears, and a bullish contract order can be created, such as buying point C.',), ('make a summary together.\\n1) Several Fed officials made hawkish remarks, the slowdown of economic growth in Europe and China, and the debt ceiling crisis are three major factors that are positive for the US dollar. \\nThe US dollar has upward momentum, but the market outlook should pay attention to the deviation between indicators and prices.\\n\\n2) Whether the debt deadlock is resolved will be detrimental to the stock market. The solution to the debt ceiling will most likely be to raise the ceiling and issue new debt, which will suck the liquidity of the financial system and cause the stock market to plummet.',), ('3) We have to learn from the experience of history. The debt ceiling crisis in 2011 caused the stock market to fall by 20%. The current market and economic background is worse than in 2011, and the risk of the stock market is greater',), ('4) Debt deadlock, rising dollar prices, and hawkish remarks from Fed officials have caused BTC prices to fall back to key points.\\n\\n5) But the bull market logic from cryptocurrencies is established, and the market is already reflecting this expectation. And the current price of BTC is in a new mid-term bottom range, which is very worthy of attention.\\n\\n6) We use contract trading to participate in it, and we use combination investment strategies to deal with it calmly and earn considerable profits.\\nFor real-time trading signals, please ask my assistant, Ms. Mary.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.🎁🎁\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.❤️❤️❤️\",), ('Mary Garcia',), ('I may have a conflict on \"go\" week',), (\"You may have to manage it with remote support. I'll explain via voice\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Understood. You're not chickening out, are you?\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the voting window opens, I have an important gift for you all.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\",), (\"Yesterday I analyzed the upward logic of the US dollar, and emphasized the risks of the stock market, and the market further validated my point of view.\\nToday I will share the following topics.\\n1️⃣Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n2️⃣ The price of the US dollar rose as expected, the stock index began to fall, and gold continued to fall.\\n3️⃣ BTC today's contract trading strategy.\\n4️⃣The cryptocurrency market will be more popular with investors.\",), (\"1️⃣ Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n1)🔸 Interest rate policy and direction.\\nThere are major differences within the Fed on the future path of monetary policy, and it is still unable to decide whether it can announce a stop to raising interest rates.\\nJudging from the Fed's understanding of the economy and inflation, as well as its existing discussion framework, it is still a small probability event to cut interest rates within this year.\",)]\n", - "classification : None\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : []\n", - "\n", - "--- END METADATA ---\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find loosely structured human name-like strings in the database\n", - "1: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "2: AI -> Retrieved 200 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 2\n", - "phase : exploration\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "extraction_sql : None\n", - "rows_count : 200\n", - "rows_sample : [('6️⃣ Wealth Builders Club',), ('6️⃣ Bitcoin Masters - Jim Investment Team',), ('Welcome new friends to join our Bitcoin Master - Jim Investment Team family\\nSince Professor Jim is currently invited to participate in the cryptocurrency competition held by the organizer Btcoin Trading Center, he is currently preparing for the final stage, and new friends in the discussion group continue to join in and vote for Professor Jim.',), ('Therefore, the free chat function of the discussion group will not be opened for the time being, and friends are waiting patiently. I hope that friends will continue to stay in Bitcoin Master - Jim Investment Team and have a pleasant journey.\\nOf course, friends stay in the discussion group, Professor Jim will also lead friends to make huge profits in the investment market, then please vote for Professor Jim, and you will also have the opportunity to get a voting reward of 3,000 US dollars;There is also a real-time trading signal strategy with at least 30% profit per day Friends can first add the business card below to book a voting reward of 3,000 US dollars.',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), ('1.🔹 Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.📈📈\\nHistorically, as the U.S. approaches its debt ceiling, U.S. Treasuries have typically plummeted and yields soared.\\nUS stocks fell sharply late yesterday. Bank stock indexes fell.📉📉📉\\nDXY hit a new high this month, and the two-year U.S. bond yield rose by more than 10 basis points.\\nCrude oil, gold, and BTC fell.\\nThrough the performance of major markets, it can be seen that it is greatly affected by the debt ceiling impasse.❓❓❓',), (\"Treasury Secretary Yellen issued her strongest warning yet. More than 140 U.S. business leaders urged the administration and Congress to quickly resolve the debt impasse. Biden's trip to Asia was cut short.\\nBefore the announcement of the negotiation results, there is a high probability that stocks, bonds, the US dollar, cryptocurrencies, gold, and crude oil will continue this short-term trend.\",), ('2. 🔸The Fed will still choose to raise interest rates if necessary.\\nLorie Logan, president of the Federal Reserve Bank of Dallas, expressed his view yesterday that raising interest rates at a smaller and less frequent pace will help the possibility that monetary policy will lead to financial instability.\\nThis point of view has aroused extensive discussion among scholars.',), (\"The FOMC meeting earlier this month did not express definitive remarks.\\nTherefore, the uncertainty in the future is very high. A large number of economic data will be released before the meeting in mid-June. In addition, there may be other factors that are unfavorable to the economy.\\nThe PCE data, which the Fed values, is still more than double the central bank's target. Inflation is starting to come down because of the many actions the Fed has taken in the past, but it may take more time if prices are to continue cooling.\\nTherefore, the Fed will still choose to raise interest rates if necessary.📊📊\",), (\"3. 🔹Today's BTC strategy: medium-term buying point and short-term range game.\\n\\nJudging from the BTC daily trend chart, the mid-term buying point is established.\\n1️⃣)Compared with the illustration on the left, the price is near the important support level.\\n2️⃣The upward trend of MA90-120 is good, providing important technical support and psychological support for the price.\",), ('3️⃣ The negative value of MACD gradually decreases, which is regarded as a buying point. So I created a call contract order using a fund position within 5%.\\n4️⃣ Stop loss when the price falls below MA120 or the support line.\\n5️⃣ The time to intervene on the right side is: wait for the time when the value of MACD turns from negative to positive, the yellow fast line goes up, and the fast and slow line shows a golden cross.\\n\\nStick to the top and pay attention to this group, I will interpret the latest policies and announce real-time strategies every day.\\nNext, I will share short-term strategies.👇🏻👇🏻👇🏻',), ('Hi, dear, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry, this is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share. As Mr. Jim participated in the competition of Btcoin-2023 New Bull Market Mars-Final, we invite you to enter this group to vote for Mr. Jim. ☺️ Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars.There is also a real-time trading signal strategy with at least 30% profit per day, I hope to get your support. Thank you',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\n⬇️I will explain to you⬇️\",), ('Mary Garcia',), ('The short-term 30-minute interval game strategy is as follows.👇🏻👇🏻\\nAffected by the deadlock of the debt ceiling and the expectation of interest rate hikes, the price of BTC has been relatively weak recently and fluctuated within a narrow range.\\nTherefore, there are opportunities for short-term games, but the earnings expectations must be lowered.\\nToday I created a call contract order with less than 5% of my capital position.',), ('When the price is close to the pressure level or support level, when the positive value of MACD decreases, it is regarded as a selling point, and when the negative value of MACD decreases, it is regarded as a buying point.\\nStop loss when the price moves in the opposite direction and breaks the resistance high or breaks the support level.\\nReal-time strategies are available through my assistant, Ms. Mary.🔸⬇️⬇️🔹',), ('Mary Garcia',), ('Although the short-term U.S. bond yields and the strengthening of the U.S. dollar are not good for the cryptocurrency market.\\nHowever, factors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAt the same time, amid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counteract the possible impact of further interest rate hikes by the Fed.',), ('The current price of BTC is at an important support level in the mid-term, and there are obvious signs of stopping the decline, and the mid-term buying point is established.\\n$30,000 is bound to be a new starting point for BTC’s fourth bull run.\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will lead my friends who support me to show their ambitions in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.💰💰\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝',), (\"Hello ladies and gentlemen.❤️❤️❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 💰💰💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌💌⬇️⬇️⬇️\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), (\"1. Today's BTC contract trading strategy.\\n1) As shown in the 30-minute trend analysis chart above, the current price has entered a new triangle consolidation range.\\nVolatility is reduced, so we lower our earnings expectations.\\n2) When the price runs near the trendline or support line, a BTC bullish contract order can be created.\\nUse the opportunity when the 30-minute MACD negative value decreases to intervene, and use the price that is less than the 30-minute cycle level to deviate from the technical indicators to determine the buying point.\\nThe specific method I have shared last week. Friends who don't understand can ask my assistant, Ms. Mary.\\n3) Stop loss when the price falls below the upward trend line, because when the price establishes the interval between the pressure line and the support line again, the trend will weaken.\\n4) The target price is near the pressure line.\\n5) The capital position is less than 5%.\",), (\"Yesterday I shared the mid-term strategy and the short-term range game strategy, and announced my trading signals.\\nFriends who have just joined the group can consult my assistant, Ms. Mary, about yesterday's handouts.\\nThe return on bullish contract orders was as high as 120% yesterday.\\nCongratulations to friends who have followed my trading signals for gaining short-term excess returns.🔷🔷\",), ('Friends who want to grasp real-time trading signals can add the business card of my assistant Ms. Mary and write to her.👇🏻👇🏻👇🏻\\n\\nNext, I will share a very important topic. If you are investing in stocks, cryptocurrencies, bonds, US dollars, gold, crude oil, etc., I suggest you read the logic carefully.⬇️⬇️⬇️\\n2. Sort out the important logic: the debt impasse and the banking crisis have eased, and the possibility of the Fed raising interest rates in June has risen. Where should the major investment markets go?❓❓❓',), ('Mary Garcia',), ('2️⃣.2️⃣ The possibility of the Fed raising interest rates in June has increased, which will have an impact on major markets.\\nThe probability of the Fed raising interest rates in June has risen to about 40%, and this data confirms my recent view.\\nNext, I will briefly describe the main points of several major investment markets.👇🏻👇🏻',), ('Point 1: U.S. bond yields and the U.S. dollar are expected to usher in a short-term upward trend.\\nDue to the huge impact of the deadlock on the debt ceiling, although the negotiations between the two parties are mostly political games, there are many ways to solve this problem, and the probability of it developing to a more dangerous situation is relatively small.\\nIt has also never happened in history, so the expectation that this problem will be solved is high.\\nThis expectation is positive for U.S. bond yields and the dollar.\\nI will continue to track and analyze the progress and impact of the situation.✔️✔️',), ('2️⃣.1️⃣ The debt impasse and the easing of the banking crisis have boosted market sentiment, but one should not be too optimistic.\\nBiden and McCarthy said yesterday that their goal is to reach an agreement by the 21st to avoid an economically catastrophic default.\\nThe latest deposit levels released by Western Alliance Bancorp eased investor concerns about a worsening banking crisis.\\nAll major indexes rose yesterday.📈📈',), (\"The IEA monthly report showed that China's oil demand grew faster than expected, pushing up oil prices. The U.S. Department of Energy said on Monday that replenishment of the strategic reserve oil had supported oil prices.\\nBitcoin ushered in a rise in volume and price, which is a very healthy signal.\\nHowever, everyone should be careful not to be too optimistic before the debt ceiling issue is resolved, as it is still in a wait-and-see mode.\\nBecause the reason for the deadlock on the debt ceiling is because there is an element of political game between the two parties.\",), ('Point 2: Increased interest rate hike expectations are negative for gold, crude oil and US stocks.👇🏻👇🏻👇🏻👇🏻👇🏻\\nIn the last month, I published an important view on gold. It is summarized as follows.\\n1️⃣) The Fed is not expected to cut interest rates in the second half of the year, and the price of gold may be depressed.\\n2️⃣) The dollar may weaken further, providing support for gold prices but with limited effect.\\nPs: The current strengthening of the US dollar is even more detrimental to gold prices.\\n3️⃣) There is limited room for growth in demand for gold ETFs.',), ('4️⃣) High prices may dampen demand for jewellery, gold coins and bars.\\n5️⃣) Central bank gold demand may decline slightly.\\nIn addition, gold does not bear interest, and the current price of gold has fallen as scheduled, which is completely in line with expectations.\\nIf you are unclear about the logic in this area, you can ask for relevant handouts through my assistant, Ms. Mary.👇🏻👇🏻👇🏻',), ('Mary Garcia',), (\"Crude oil is a highly cyclical product. Oil prices will rise and fall with the demand level of the entire economy. Now it is the down cycle. The Fed's aggressive rate hikes have started to hurt the economy, and while they have lowered inflation, they could be accompanied by more pain because rate hikes typically hit the economy with a lag. Therefore, the price of oil is easy to fall but difficult to rise.\",), ('When the risk-free rate increases, it is bad for stock prices.\\nPeople reduce consumption and are more willing to save, reducing the capital flow of the stock market.\\nRaising interest rates means raising deposit and loan interest rates, increasing the difficulty of corporate financing, and negative for the stock market.\\nCoupled with the inevitable recession in the U.S. stock market, corporate profits will decline accordingly, which is bad for the stock market.\\n...\\n\\nAs an investor, we must pay attention to these impacts and risks.',), ('Point 3: 🔸A bull market for cryptocurrencies is coming.🌈\\nThere are two important factors that tell us that the spring of the cryptocurrency market has arrived.',), ('1️⃣) Internal factors: halving mechanism.\\nFrom a fundamental point of view, Bitcoin halving means that the number of Bitcoins that can be mined in the future will decrease, and the total amount of Bitcoins will eventually reach 21 million.\\nThis feature makes Bitcoin relatively scarce compared to fiat currency, and scarcity will gradually increase commodity prices. \\nFrom the perspective of historical trends, every Bitcoin halving period ushered in an unprecedentedly prosperous bull market.\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.',), ('2️⃣) External factors: Risks in the financial market make the cryptocurrency market a safe haven.\\nFactors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAmid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counter the possible impact of further interest rate hikes by the Fed.\\nBitcoin will become the king of safe-haven assets over gold.\\nWhy is it said that the market value of the cryptocurrency market will soon surpass gold and be comparable to US stocks?\\nWhy is it said that the price of BTC will reach $360,000 in the fourth round of the bull market?\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will share these logics and lead my friends who support me to show their ambitions in the cryptocurrency market.👇🏻👇🏻',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.🔶🔶🔶\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.✏️✏️\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.👇🏻👇🏻👇🏻',), ('Mary Garcia',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), ('Mary Garcia',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.🎁🎁\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆🏆\\nIf you want to receive a $3,000 🎁💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.🤝\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"the impact of the Fed\\'s interest rate hike in June on major investment markets\".\\nToday I will share the following topics.\\n1. Today\\'s BTC contract trading strategy.\\n2. Rising bond yields and capital flows pose risks to the stock market.\\n3. The debt impasse will be resolved, but it will recur',), (\"1. 🔸Today's BTC contract trading strategy.\\nFrom last Sunday to today, I have announced a total of 3 trading signals, all of which have achieved good short-term gains. In the current trend of weak shocks, this is very rare.\\nTherefore, when trading opportunities arise, we still have to lower our earnings expectations.\\n\\nI think the mid-term buying point is established, so I mainly buy call contracts.\\n1️⃣) Consider buying when the price is near the support level.\",), (\"2️⃣) Take advantage of the timing when the price and the indicator run counter to each other to grasp the buying point.\\nFor example, timing1/2 in the above figure, the specific method I shared last week.\\nFriends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\n3️⃣) Stop loss when the price effectively falls below the support line.\\n4️⃣) When the price is close to the pressure line, take profit when the buying power is exhausted.\",), (\"3. 🔸The debt impasse will be resolved, but it will recur.\\nThe easiest way to solve the debt ceiling problem is to raise it, which has been done nearly 100 times in history, although there was a small hiccup today.\\nIt's like a husband and wife quarreling, and finally compromise with each other in order to maintain the peaceful coexistence of the two families.\\nBut this solution is not sustainable.\\nBecause this approach cannot pay investors high enough interest rates to allow them to hold debt assets, nor can it keep interest rates low enough that borrowers can service their debts.\",), ('When the amount of debt sold is greater than the amount buyers want to buy, the central bank faces a choice: Either let interest rates rise to balance supply and demand, which is hard on debtors and the economy. Or they have to print money to buy debt, which creates inflation and encourages debt holders to sell their debt, making the debt imbalance worse.',), ('Then, the cycle repeats itself.\\nThis problem will remain for a long time, and one day in the future there will be a real collapse of the financial system and a financial tsunami will occur.\\nSpeaking of this, what I most want to express is \"the cycle of raising and lowering interest rates is the government\\'s cash cow.\" This is an opinion I often express.\\nThe essence of inflation is excessive money supply.\\nIn this cycle, the people who benefit the most are the people who borrow the most, and the people who borrow the most are governments, financial institutions, and large technology companies.\\nWhat should we ordinary people do?',), ('I think the best way is to use our technology in the investment market to continuously make money, make money, and make money.💰💰💰\\nNow it seems that the cryptocurrency market is a good track.',), ('The generation mechanism of BTC determines that it is relatively scarce compared with fiat currency, and the scarcity will gradually increase the price of BTC.📈📈\\nFrom the perspective of historical trends, every time the BTC halving mechanism is triggered, an unprecedentedly prosperous bull market ushered in.👍🏻👍🏻\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.\\nThe risk in the financial market makes the cryptocurrency market the best safe haven.\\nCryptocurrency has become the best investment tool of this century.📊',), ('As the debt ceiling issue is resolved, and interest rate policy is becoming clearer. Major investment markets will usher in a new beginning.1\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I would like to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nSharing these today, have a great weekend.🎁🎁⬇️⬇️',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), (\"See the picture above:⬆️⬆️⬆️\\nRecently I have received a lot of letters from my new friends. I believe you must have a lot of questions. Is this \\ncompetition real? Do you get a $3,000 bonus vote at the end? I'm currently interested in the cryptocurrency market. ❓❓❓\\nCan I actually make money in the cryptocurrency market?\\nI would like to say that since my contest is still in the preparatory stage, there will be new members in the group \\nin a few days, so please wait a few days, it won't be too long, I will tell you how to vote, please keep in touch 👇🏻👇🏻👇🏻👇🏻⬇️⬇️⬇️⬇️\",), (\"with my assistant Ms Mary, everything we do and say is true, and the contest supporting me is free, I won't charge \\nyou any fee. Since it doesn't require you to pay anything, why can't you have a try? So please don't quit in a hurry \\nand stay in my group to support me in the upcoming Contest. I am confident that I will win the first place in this \\nContest, so what I promise you will come true. I plan to reward my friends with $3,000 each for supporting me along \\nwith a real-time trading signal strategy of at least 30% profit per day\\nIf you are interested in investing in Bitcoin and receiving a voting quota of 3k dollars, please add the business \\ncard below. This is the business card of my assistant Mary Garcia. Have a great weekend.🤝🏻\",), ('Mary Garcia',), ('Hi, my friend, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry☺️This is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share.\\n\"Btcoin-2023 New Bull Market Mars-Final\" is about to enter the Final stage, so we invite you to enter this group to vote for Mr. Jim. Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars 💰.There is also a real-time trading signal strategy with at least 30% profit per day, All these are free. If you have any questions, please add my business card and communicate with me⤵️',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), (\"Welcome new friends to join the group. If you want to know how to earn 30% revenue every day, please don't leave the group in a hurry. 📌🔗📌Please join the discussion group first, and later I will tell you the purpose of inviting you to join our group\\n\\n\\n\\nPlease give me some time!🥇\",), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people join each day before the final, so you may see these repeated messages before the final.\\nSince today is the weekend, Mr. Jim will continue to share market news and trading signals in the group during the working day. The final game is about to start, and we will enable group chat. This is the beginning of today's share, from this moment on,\",), (\"we will officially let you know about this market. If you are interested in this, 📌🔗📌Remember to stick this discussion group to the top. I believe Mr. Jim's sharing will bring you great wealth\\nTo this end, Mr. Jim prepared two gifts for his supporters🎁🎁\\nFirst, he plans to give $3,000 each to friends who support him💰\\nHow to get this gift immediately? Please add your business card below\\n⬇️-⬇️-⬇️\\nThis is the business card of Mr. Jim's assistant Mary Garcia. Welcome to write to us\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.🤝🏻\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.👍🏻👍🏻🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nWelcome more new friends to join the group, hope to get your support.\\nPlease wait patiently, the finals will start soon.\\nAlthough today is the weekend, there is an important theme that I think it is necessary to share with you in time.🔺\\nThe investment theme I want to share today is: the debt ceiling crisis will trigger market turmoil, how should investors profit?❓❓❓',), (\"1. The debt ceiling crisis will continue to exacerbate financial market turmoil, and the banking industry will suffer greatly from it.\\nFrom the solution to the debt ceiling problem, capital flows, bearish positions and Yellen's remarks show that the banking crisis will intensify.\\n\\n1) The solution to the debt crisis is negative for the banking sector.\",), ('During the two debt crises of 2011 and 2013, Congress finally raised the debt ceiling at the last minute. Each time, after raising the debt limit, the Treasury replenished its cash reserves by re-issuing massive amounts of Treasury bonds and sucking in a lot of cash from the market.\\nOnce the debt ceiling crisis is resolved in this way, the US Treasury will return to borrowing over a trillion dollars to top up its cash reserve account. Then the liquidity of the market may be drained by the treasury bonds issued by the Ministry of Finance, and the banking system will face huge risks again, increasing the risk of bank failure again.',), ('2️⃣) The net inflow of money funds continued.\\nThe latest data from the Institute of Investment Companies of America shows that, continuing the trend of the previous week, the scale of monetary funds continued to expand.\\nSome $13.6 billion poured into U.S. money funds this week, pushing their size to an all-time high of $5.34 trillion.\\nOver the past three months, money funds have grown by more than $520 billion.',), (\"There are two reasons for the continuous net inflow of money funds.\\nOne is that after the Fed continued to raise interest rates, the market interest rate continued to rise, and the advantages for deposits expanded.\\nThe second is that the risk of deposits in small banks tends to make funds tend to be more secure monetary funds.\\nThe surge in money market inflows points to lingering risks in the banking sector. Meanwhile, the Fed's blood transfusion for banks is not over yet.\",), ('3)🔸 Bearish positions are increasing.\\nThe recent rebound in regional banks may not signal the end of the US banking crisis.\\nMany investors are also aggressively creating put orders on these banks.\\nNearly 48% of positions in the ETF KER are betting on regional banks falling, up from 42% last week, according to data compiled by technology and data analytics firm S3 Partners.',), (\"4) 🔴Treasury Secretary Yellen warned that more bank mergers may be necessary.\\nSome media revealed that on May 18, Yellen echoed the US regulators who said that bank mergers may occur in the current environment.\\nAccording to market analysis, this means that more banks are expected to fail soon.\\nYellen's remarks weighed on stocks of U.S. regional banks in early trading on Friday. Bank stocks generally retreated on Friday, with regional banks falling even more.📊📊\",), ('2. Under the turmoil of the financial system, the way investors make profits.\\nAlthough the U.S. managed to raise the debt ceiling in time, the 2011 debt ceiling crisis caused a massive spike in volatility and sparked wild swings across asset classes.📈📉\\nInvestors have three big ways to profit if U.S. stocks sell off as they did during the 2011 debt-ceiling crisis.🔸\\nThe Bank of America team wrote in a research report that customers can get up to 30 times the remuneration through some cheap Option Contracts. These operations pay off handsomely when the S&P falls by more than 10%.💰💰💰',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('In my opinion, there are three extended ways to make profits, namely, put options on the S&P 500 index, VIX call options, and cryptocurrency call contracts.\\nAmong these three profit methods, I have a soft spot for cryptocurrency. It is not difficult to obtain 100 times the profit in this market, and there are many ways to make profits.',), (\"Except that the triggering of the fourth round of halving mechanism will lead to the start of the cryptocurrency bull market in 2023. The banking crisis has been one of the catalysts for Bitcoin's strong rise this year.\\nCryptocurrency prices have been soaring recently, reaching as high as $31,000 in mid-April as investor concerns over the U.S. banking sector began to mount again.\",), ('The intensification of the banking crisis is positive for safe-haven assets such as cryptocurrencies.\\nMy view on \"BTC\\'s medium-term buying point is established\" remains unchanged, and the stop loss line is MA120. As shown above, it is the strategy I will focus on this week.\\n\\nIf you want to get these three profit methods, or want to get a secure cryptocurrency application, or get real-time trading signals, you can ask my assistant, Ms. Mary,👩🏼 who is a software engineer.⬇️⬇️',), ('Mary Garcia',), ('As a thank you for your votes, I have also prepared two gifts.🤝🏻\\nFirst up is voting rewards,🎁🎁 I plan to award $3,000 💰💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📫📫\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nSince the Silicon Valley Bank incident, the global financial market has been in turmoil and investment has become more difficult, so I have shared more valuable information.\\nIn the last week, I tracked and shared topics such as debt impasse and three ways to profit, banking crisis, negative factors in the stock market, and major investment market trends.',), (\"Today I will share the following investment themes.\\n1.🔸 Treat market changes with caution, and the trend will gradually become clear.\\n2.🔹 Today's BTC contract trading strategy.\\n3.🔸 It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\",), ('1. Treat market changes with caution, and the trend will gradually become clear.📊\\nTake stocks and the US dollar as examples today to help friends clarify these trends.\\n\\n1️⃣) Beware of false breakthroughs in the stock market.\\nThere were signs of panic buying in stocks last week as some investors believed a new bull market had begun.\\nFor the stock market, the current valuation is too high, whether it is fundamental or technical, there is no possibility of breakthrough here.',), ('Defensive stocks are all rising at the moment, and cyclical stocks such as banking stocks, retail, and transportation are not performing well.\\nLike last summer, this rally will likely be a false up.\\nThe S&P 500 struggles to break out of the range between 3,800 and 4,300, and even if it does, it is likely to fall back later.\\nIt is recommended that friends beware of false breakthroughs, that is, bull traps.',), (\"2)🔸 The dollar needs to be cautious, but has short-term upside.\\nOn Friday, bipartisan talks failed to produce results. But optimism picked up after the weekend.\\nThe market sees them reaching an agreement on the debt ceiling, while Fed rate cut expectations are delayed, which ultimately proved to be positive for the dollar.\\nHowever, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.\",), (\"However, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.👆🏻👆🏻👆🏻\\nHowever, judging from the DXY daily trend chart, there is room for short-term upside.\\nThe operating space and technical points are shown in the figure above.\\nIf the dollar rises in the short term, gold will fall. But even if the dollar rises, the space is limited.📊📊\\nRecognize these trends, our investment will be smoother.\\nNext, let's focus on the cryptocurrency market.\",), (\"2. Today's BTC contract trading strategy.📈📉\\n1) It is worth participating in the mid-term buying point of BTC.📊\\nJudging from the BTC daily trend chart, the current price is above the MA90-120, and the upward trend of the MA90-120 is good.\\nThe current price is in a resistance-intensive area, and the yellow line represents a very important and meaningful price, which will definitely become the dividing line between bulls and bears.❗❗\",), ('Judging by MACD, the fast and slow lines are about to form a golden cross, and the value of MACD shows signs of \"turning from negative to positive\". This shows that the power of sellers is exhausting and the power of buyers is accumulating.\\nFrom an objective understanding, this medium-term buying point is very worth participating.\\nAt present, I gradually increase the capital position to buy bullish contracts, the stop loss line is MA120, and the overall capital position is still controlled within 5%.',), (\"2) The short-term trend of BTC still maintains fluctuations between small groups.\\nAs shown in the figure above, although the price of BTC/USDT does not fluctuate much, the buying point suggested in yesterday's strategy is very accurate.\\nSince the price is fluctuating in a weak range, we have to lower our earnings expectations during the transaction.\\nAt present, it is still dominated by bullish contracts.\\nConsider buying when the price is near a support level.\\nUse the timing when the price deviates from the indicator to grasp the buying point. For example, timing1/2 in the figure above.\",), (\"Friends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\nStop loss when the price effectively falls below the support line.\\nWhen the price is close to the pressure line, use the timing of the exhaustion of buying power to take profit.\",), ('Mary Garcia',), ('3. 🔸It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\\nTo put it simply, in the short term, inflationary pressures in the United States have eased, but there are still twists and turns in the downward phase of inflation.📉📈\\nIn the long run, the labor market is still the biggest factor of uncertainty affecting the trend of US inflation.❗❗\\nThe results of the SVAR model show that long-term inflation may remain above 3%, and it is difficult to return to 2% before the epidemic.📊\\nIt is precisely because long-term inflation data is difficult to decline, which makes it difficult to make decisions on interest rate policy.🔹',), ('It is precisely because the interest rate policy is unclear that it is more difficult for investors to find markets, varieties and corresponding trends that allow them to easily invest and make profits.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.📬\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.📌📌\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.🏆🏆🏆\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000💰💰 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.👆🏻👆🏻\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.🔺\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!❗❗\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝🏻🤝🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.❤️\\nWelcome new friends to join this investment discussion group.👏🏻👏🏻\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.⬇️💌💌⬇️\",), ('Mary Garcia',), ('6️⃣ Btcoin Masters - Jim Investment Team',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I shared my judgment on the trend of the stock, US dollar, and gold markets.\\nToday I will share the following 3 important investment themes.',), ('1. The pressure on the banking industry has raised expectations for interest rate cuts within the year.\\nJudging from the data of Bank of America, both the asset side and the liability side of the U.S. banking industry are facing greater pressure. It is expected that the continued loss of deposits will further increase the operating pressure and liquidity pressure of banks.\\nAt the same time, commercial real estate loans held by banks have relatively large risk exposures, and high unrealized losses in securities investment are common problems.\\nHowever, considering that the U.S. financial market developed relatively healthy after the 2008 financial crisis, and regulators have more experience in responding, the probability of systemic risk in the U.S. banking industry in this round is relatively low',), ('However, widespread pressure in the banking industry may push credit to tighten faster, and the labor market may weaken rapidly in the future, thus increasing the probability of the Fed cutting interest rates within this year.\\nThe trend of the investment market reflects future expectations more often.\\nIf the expectation of interest rate cut increases, it will bring the expectation of depreciation of the dollar, and people will look for real assets to avoid risks. The interest rate cut will lower the loan interest rate, which is conducive to the development of the real industry',), ('Therefore, if the expectation of interest rate cuts increases, it will be beneficial to the stock market, real estate, cryptocurrency and other markets.\\nI will continue to track and share the important information of each investment market, and share it with my friends as soon as possible. Hoping to get support from my friends for voting in my finals.',), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), ('2. The investment logic, opportunities and strategies of bonds in the current environment.\\nWill the debt deadlock crisis be lifted smoothly to eliminate possible financial market turmoil? This has become the core theme that global investors are currently paying more attention to.\\nU.S. Treasury spreads showed signs of widening, with U.S. investment-grade corporate debt also affected.\\nThe U.S. government has encountered 78 discussions on the debt ceiling since 1960. According to past experience, during the negotiation process, the capital market usually suffers from anxiety and volatility due to fear of a stalemate in the negotiations.\\nHowever, in the end Congress agreed to raise the debt ceiling and the crisis was lifted smoothly. We expect that this negotiation will eventually reach an agreement.',), (\"U.S. government bonds and investment-grade bonds are an integral part of investment portfolios, but I suggest that friends pay attention to the strategies I share next to avoid falling into the vicious cycle of buying high and selling low.\\nObserving the past three U.S. debt ceiling crises, various types of bonds and U.S. stocks performed differently, but U.S. government bonds and investment-grade bonds seemed to benefit from investors' concerns about volatility.\\nFunds flowed into these two types of bonds under the risk aversion sentiment, making their performance buck the trend.\",), (\"Take 2011 as an example. At that time, the negotiations between the US government and Congress failed to reach a consensus, which led to the downgrade of the US long-term credit rating by Standard & Poor's, and the US stock market fell by more than 17%. It is worth noting that although short-term U.S. government bonds fell at that time, medium- and long-term government bonds bucked the trend and rose.\",), (\"The current situation is somewhat similar, and with the CPI annual growth rate falling to 4.9%, the market expects interest rates to remain stable or decline, which is relatively favorable for the performance of the bond market.\\nI have done an analysis last week, taking the 10-year bond as an example, let's take a look at its technical graphics and strategies.\\nThe current operating range of the price is shown in the figure above, and the deviation point between the MACD indicator and the price is used to sell.\\nHistorical experience shows that in the past, when GDP was within 2%, the average annual returns of more defensive U.S. Treasury bonds and investment-grade bonds were 6.7% and 4.7%.\",), (\"In fact, compared to cryptocurrency contract transactions, the benefits of bonds are simply negligible.\\nFor example, we obtained more than 80% of the overall income from yesterday's strategy.\\nNext I will share the cryptocurrency strategy.📊📊👇🏻👇🏻\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"3. Today's BTC contract trading strategy.❗❗\\nSince the 14th of this month, what I have been emphasizing is the strategy of buying BTC bullish contracts at low prices.\\nWhether it is the medium-term strategy analyzed from the daily trend chart or the short-term strategy analyzed from the 15-30 minute trend chart, when the overall capital position is less than 5%, I continue to increase the use of capital positions.\\nSo far, this series of strategies has been very successful.\\nObjectively speaking, BTC has fluctuated within a narrow range recently, and it is not easy to achieve such a profit.\\nRecently, many cryptocurrency, gold, stock, and crude oil investors are losing money.\",), ('Before giving the latest strategy, let me say a few suggestions.👇🏻🔹👇🏻🔹👇🏻\\n1) It is recommended that friends lower their income expectations in recent transactions, and fast in and fast out.\\n2) It is recommended that you pin this group to the top, so that you can quickly grasp core information, opinions, strategies, and trading signals.\\nAnd when the voting window opens, this group will be even more exciting.\\n3) If you want to know more real-time trading signals and benefit from this market simultaneously with me, I suggest you add the business card of my assistant, Ms. Mary, and write to her.',), ('Mary Garcia',), ('From the 30-minute analysis chart above, we can see our trading process in the past few days.\\nThe strategy is as follows.\\n1)🔸 I will sell some of the profitable orders to keep the profit.\\n2) 🔹At present, it is still mainly to participate in bullish contracts.\\n3)🔸 Whether the price breaks through line B becomes the key.\\n4) 🔹If there are technical characteristics such as MACD fast and slow line dead cross or MACD negative value increases, sell profitable orders.',), ('Then wait for the price to come near the lower support level, and use the timing of the divergence between the indicator and the price to find a buying point. The principle is the same as timing1/2.\\n5) If the price breaks through line B strongly, you can create a call contract order when the price retraces and the timing of the exhaustion of selling orders and the increase of buying orders can be used.\\n\\nAfter the voting window opens, I will share my trading system, which will explain these methods in detail.',), ('Summarize what I shared today.\\n1) The risk of the banking industry is good for the cryptocurrency market, because the cryptocurrency market is the best safe-haven product, and BTC is the leader this year.\\nThe pressure on the banking industry has increased the expectation of interest rate cuts, which is good for the stock market, cryptocurrency market, real estate industry, etc.\\n2) Bonds have an upward range in the short term, but avoid buying high and selling low, and pay attention to the key points in the analysis chart.\\n3) In the past few days, although BTC has fluctuated within a narrow range, our contract transactions have achieved good returns. Please cherish this fruit of labor, and let us make more efforts together in exchange for more profits.',), ('If you want to grasp more real-time trading signals, you can write to my assistant, Ms. Mary, to get them.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\\nThis is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\",), ('At that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊📈📈',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('You here?',), ('Hey',), (\"I'm here. Trying to collect some information today\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Let's talk this weekend.\",), (\"Sounds good. I'll be out site seeing.\",), ('Take pics.',), ('Of course.',), ('Love it when Sanata comes early.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Please allow me to introduce myself first. I am the official representative of Btcoin Exchange Center. We are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"Voting for contestants\" as the main topics to share🥇\\nAgainst the backdrop of \"heightened risks in global investment markets at the end of the Fed rate hike\" and \"the halving of Bitcoin\\'s fourth round of mining incentives will catalyze a new bull market in cryptocurrencies\". After acquiring several important mining enterprises in the industry and integrating high-quality ICO qualification resources, Btcoin Tech Group established a new trading center, Btcoin, aiming to quickly seize the cryptocurrency market and become a leader in the industry\\nPlease keep reading⬇️ ⬇️',), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him❗️',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people will be joining each day before the finals, so you may see these repeated messages before the finals. I hope everyone stays in the discussion group🙏\\nThe finals will start soon, and we will start the group chat function at that time. I'm sure you won't be disappointed.\\nNext, I would like to invite Professor Jim to share today's investment👏⤵️👏\",), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I mainly shared the investment logic and strategy of bonds.',), (\"Today I will share the following two topics.\\n1. 🔸There is still room for the dollar to rise.\\n2. 🔹Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\n3. 🔸Today's BTC contract trading strategy: the key point is coming.\",), (\"1. There is still room for the dollar to rise.\\nThere are currently three bullish factors for the dollar.\\n1️⃣ Overnight hawkish comments from several influential Fed officials boosted market bets that the Fed will keep interest rates high for longer.\\nRaising interest rates means that the US dollar has higher interest returns and financial asset returns, which is one of the upward thrusts for the US dollar.\\n2️⃣ Concerns over a slowdown in global economic growth, especially in Europe and China, further favor the dollar's relative safe-haven status.\\n3️⃣The current debt ceiling crisis in the United States has spawned safe-haven demand and is also driving the dollar upward.\\nWhen markets face a range of risks, investors often choose to buy less risky assets such as bonds, cryptocurrencies, gold and the U.S. dollar.\",), ('Therefore, the dollar will have the momentum to continue to rise, as shown in the chart below for technical analysis.',), (\"2. Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\nEven if the U.S. does not eventually default, a crash in U.S. stocks may be inevitable.\\nIf the debt ceiling talks fail to reach an agreement, that would certainly be bearish for stocks.\\nIf a negotiated agreement is reached, it will also cause the stock market to fall.\\nBecause the U.S. Treasury Department will increase the issuance of treasury bonds, sucking the liquidity of the financial system.\\nAs shown in the chart below, reviewing the Treasury bond issuance and stock market volatility in recent years, you will find that the Treasury's new bond issuance will absorb the Fed's reserves. U.S. stocks tend to fall when debt issuance increases.\",), ('Although the medium and long-term prospects of US stocks are improving. However, once the debt ceiling negotiations are over, US stocks will inevitably fall, or fall sharply.\\nInvestors who understand this logic are often the first to sell.',), (\"But one thing I don't like to see the most is that policy makers are often forced to reach an agreement and make a decision after seeing the stock market fall. They are testing the market's psychology and bottom line.\\nI believe that when we know this or see this kind of scene, some friends want to curse.\\nRationally look at the following logic and data, I believe everyone will make a decision.\\n1) US stocks plummeted nearly 20% in the 2011 crisis.\\n2) Higher inflation, higher valuations and tighter monetary policy could mean the current market environment could be worse for risk assets.\",), ('3) The current S&P 500 forward earnings estimate is about 18.4 times, compared to its historical average of 15.6 times. In the summer of 2011, the indicator was slightly more than 12 times.\\nSo, the current market and economic backdrop may make the stock market more vulnerable than it was during the 2011 debt default crisis.\\nDear friends, if you are investing in stocks, you must pay attention to this risk.',), ('What I want to say is that from the perspective of absorbing new debts, it is still American families that bear the greatest burden.\\nIn the second half of last year alone, it increased its holdings of U.S. debt by US$750 billion, far exceeding banks, MMFs, companies and overseas investors. This trend is expected to continue as the U.S. Treasury Department increases bond issuance in the future and the Federal Reserve continues quantitative tightening (QT).',), (\"Do you understand the above logic?\\nThe upward trend of the dollar and the solution to the debt ceiling are not good for the stock market, and the stock market has probably peaked.\\nAs a friend who has entered my investment circle, I don't want to see you take these risks.\\nObjectively speaking, we have many better investment methods, and we can choose more efficient investment methods, such as cryptocurrencies.\\nIt is very happy and meaningful to me to help some friends.\\nNext, I will share today's strategy.❗❗❗\",), ('3. Today\\'s BTC contract trading strategy: the key point is coming.\\nThe debt impasse, the rising price of the US dollar, and the hawkish remarks of Fed officials have caused the price of BTC to fall back to a key point.\\nAs shown in the figure above, the current upward trend of MA90-120 is good, and it still has technical support and psychological support.\\nFrom the perspective of rational analysis, the closing line of today\\'s price is very important.\\n1) There are many definitions of an upward trend. My definition of an upward trend may be different from others. My point of view is that \"price intensive areas continue to rise but do not overlap\".',), ('2) If the price falls below MA120 or closes below the price-intensive area A today, pay attention to the possibility of the price going down and seeking support above the price-intensive area B.\\nIf this happens, the MACD will have a negative value, and the fast and slow lines will form a dead fork.',), ('In the process of trading, ordinary traders often have this mentality.\\n1)🔸 It is uncomfortable when the price is running at the bottom.\\n2)🔹 It is comfortable when the price is running at the top.\\nAt present, BTC is in the process of building a new bottom in the mid-term trend.\\nThe current stock index is at the top of the stage.\\nIt is self-evident who will be more cost-effective.',), ('At the same time, BTC has two important advantages, please don\\'t ignore them.\\n1) There is no doubt that BTC is at the starting point of the fourth round of bull market, and the market is already reflecting this bull market expectation.\\n2) When we participate in BTC, we often do not choose spot trading, but choose contract trading tools, which will not only make profits when prices fall, but also greatly improve efficiency and yield.\\nI will share these tips when the voting window for \"Btcoin-2023 New Bull Market Masters-Final\" opens.\\nNext, I will share short-term strategies.',), ('You can choose to participate in the new daily trend after it is formed, which will be more comfortable.\\nOr choose the combination of mid-term and short-term. This kind of combination investment can not only improve efficiency, but also increase the comfort of trading.\\n\\nThe 30-minute strategy is shown above.\\n1) When the middle rail of the Bollinger Band moves downwards, when the price moves to the middle rail or near the upper rail, a bearish contract order can be created when the positive value of MACD decreases, such as the two selling points of AB.\\n2) When the price is near the support line, the bottom divergence pattern appears, and a bullish contract order can be created, such as buying point C.',), ('make a summary together.\\n1) Several Fed officials made hawkish remarks, the slowdown of economic growth in Europe and China, and the debt ceiling crisis are three major factors that are positive for the US dollar. \\nThe US dollar has upward momentum, but the market outlook should pay attention to the deviation between indicators and prices.\\n\\n2) Whether the debt deadlock is resolved will be detrimental to the stock market. The solution to the debt ceiling will most likely be to raise the ceiling and issue new debt, which will suck the liquidity of the financial system and cause the stock market to plummet.',), ('3) We have to learn from the experience of history. The debt ceiling crisis in 2011 caused the stock market to fall by 20%. The current market and economic background is worse than in 2011, and the risk of the stock market is greater',), ('4) Debt deadlock, rising dollar prices, and hawkish remarks from Fed officials have caused BTC prices to fall back to key points.\\n\\n5) But the bull market logic from cryptocurrencies is established, and the market is already reflecting this expectation. And the current price of BTC is in a new mid-term bottom range, which is very worthy of attention.\\n\\n6) We use contract trading to participate in it, and we use combination investment strategies to deal with it calmly and earn considerable profits.\\nFor real-time trading signals, please ask my assistant, Ms. Mary.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.🎁🎁\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.❤️❤️❤️\",), ('Mary Garcia',), ('I may have a conflict on \"go\" week',), (\"You may have to manage it with remote support. I'll explain via voice\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Understood. You're not chickening out, are you?\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the voting window opens, I have an important gift for you all.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\",), (\"Yesterday I analyzed the upward logic of the US dollar, and emphasized the risks of the stock market, and the market further validated my point of view.\\nToday I will share the following topics.\\n1️⃣Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n2️⃣ The price of the US dollar rose as expected, the stock index began to fall, and gold continued to fall.\\n3️⃣ BTC today's contract trading strategy.\\n4️⃣The cryptocurrency market will be more popular with investors.\",), (\"1️⃣ Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n1)🔸 Interest rate policy and direction.\\nThere are major differences within the Fed on the future path of monetary policy, and it is still unable to decide whether it can announce a stop to raising interest rates.\\nJudging from the Fed's understanding of the economy and inflation, as well as its existing discussion framework, it is still a small probability event to cut interest rates within this year.\",)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple references to 'Jim', specifically 'Professor Jim' and 'Jim Anderson', indicating the presence of a person's name.\"}\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : []\n", - "\n", - "--- END METADATA ---\n", - "[PHASE] discovery → extraction\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find loosely structured human name-like strings in the database\n", - "1: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "2: AI -> Retrieved 200 rows\n", - "3: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 2\n", - "phase : extraction\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "extraction_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "rows_count : 200\n", - "rows_sample : [('6️⃣ Wealth Builders Club',), ('6️⃣ Bitcoin Masters - Jim Investment Team',), ('Welcome new friends to join our Bitcoin Master - Jim Investment Team family\\nSince Professor Jim is currently invited to participate in the cryptocurrency competition held by the organizer Btcoin Trading Center, he is currently preparing for the final stage, and new friends in the discussion group continue to join in and vote for Professor Jim.',), ('Therefore, the free chat function of the discussion group will not be opened for the time being, and friends are waiting patiently. I hope that friends will continue to stay in Bitcoin Master - Jim Investment Team and have a pleasant journey.\\nOf course, friends stay in the discussion group, Professor Jim will also lead friends to make huge profits in the investment market, then please vote for Professor Jim, and you will also have the opportunity to get a voting reward of 3,000 US dollars;There is also a real-time trading signal strategy with at least 30% profit per day Friends can first add the business card below to book a voting reward of 3,000 US dollars.',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), ('1.🔹 Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.📈📈\\nHistorically, as the U.S. approaches its debt ceiling, U.S. Treasuries have typically plummeted and yields soared.\\nUS stocks fell sharply late yesterday. Bank stock indexes fell.📉📉📉\\nDXY hit a new high this month, and the two-year U.S. bond yield rose by more than 10 basis points.\\nCrude oil, gold, and BTC fell.\\nThrough the performance of major markets, it can be seen that it is greatly affected by the debt ceiling impasse.❓❓❓',), (\"Treasury Secretary Yellen issued her strongest warning yet. More than 140 U.S. business leaders urged the administration and Congress to quickly resolve the debt impasse. Biden's trip to Asia was cut short.\\nBefore the announcement of the negotiation results, there is a high probability that stocks, bonds, the US dollar, cryptocurrencies, gold, and crude oil will continue this short-term trend.\",), ('2. 🔸The Fed will still choose to raise interest rates if necessary.\\nLorie Logan, president of the Federal Reserve Bank of Dallas, expressed his view yesterday that raising interest rates at a smaller and less frequent pace will help the possibility that monetary policy will lead to financial instability.\\nThis point of view has aroused extensive discussion among scholars.',), (\"The FOMC meeting earlier this month did not express definitive remarks.\\nTherefore, the uncertainty in the future is very high. A large number of economic data will be released before the meeting in mid-June. In addition, there may be other factors that are unfavorable to the economy.\\nThe PCE data, which the Fed values, is still more than double the central bank's target. Inflation is starting to come down because of the many actions the Fed has taken in the past, but it may take more time if prices are to continue cooling.\\nTherefore, the Fed will still choose to raise interest rates if necessary.📊📊\",), (\"3. 🔹Today's BTC strategy: medium-term buying point and short-term range game.\\n\\nJudging from the BTC daily trend chart, the mid-term buying point is established.\\n1️⃣)Compared with the illustration on the left, the price is near the important support level.\\n2️⃣The upward trend of MA90-120 is good, providing important technical support and psychological support for the price.\",), ('3️⃣ The negative value of MACD gradually decreases, which is regarded as a buying point. So I created a call contract order using a fund position within 5%.\\n4️⃣ Stop loss when the price falls below MA120 or the support line.\\n5️⃣ The time to intervene on the right side is: wait for the time when the value of MACD turns from negative to positive, the yellow fast line goes up, and the fast and slow line shows a golden cross.\\n\\nStick to the top and pay attention to this group, I will interpret the latest policies and announce real-time strategies every day.\\nNext, I will share short-term strategies.👇🏻👇🏻👇🏻',), ('Hi, dear, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry, this is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share. As Mr. Jim participated in the competition of Btcoin-2023 New Bull Market Mars-Final, we invite you to enter this group to vote for Mr. Jim. ☺️ Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars.There is also a real-time trading signal strategy with at least 30% profit per day, I hope to get your support. Thank you',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\n⬇️I will explain to you⬇️\",), ('Mary Garcia',), ('The short-term 30-minute interval game strategy is as follows.👇🏻👇🏻\\nAffected by the deadlock of the debt ceiling and the expectation of interest rate hikes, the price of BTC has been relatively weak recently and fluctuated within a narrow range.\\nTherefore, there are opportunities for short-term games, but the earnings expectations must be lowered.\\nToday I created a call contract order with less than 5% of my capital position.',), ('When the price is close to the pressure level or support level, when the positive value of MACD decreases, it is regarded as a selling point, and when the negative value of MACD decreases, it is regarded as a buying point.\\nStop loss when the price moves in the opposite direction and breaks the resistance high or breaks the support level.\\nReal-time strategies are available through my assistant, Ms. Mary.🔸⬇️⬇️🔹',), ('Mary Garcia',), ('Although the short-term U.S. bond yields and the strengthening of the U.S. dollar are not good for the cryptocurrency market.\\nHowever, factors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAt the same time, amid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counteract the possible impact of further interest rate hikes by the Fed.',), ('The current price of BTC is at an important support level in the mid-term, and there are obvious signs of stopping the decline, and the mid-term buying point is established.\\n$30,000 is bound to be a new starting point for BTC’s fourth bull run.\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will lead my friends who support me to show their ambitions in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.💰💰\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝',), (\"Hello ladies and gentlemen.❤️❤️❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 💰💰💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌💌⬇️⬇️⬇️\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), (\"1. Today's BTC contract trading strategy.\\n1) As shown in the 30-minute trend analysis chart above, the current price has entered a new triangle consolidation range.\\nVolatility is reduced, so we lower our earnings expectations.\\n2) When the price runs near the trendline or support line, a BTC bullish contract order can be created.\\nUse the opportunity when the 30-minute MACD negative value decreases to intervene, and use the price that is less than the 30-minute cycle level to deviate from the technical indicators to determine the buying point.\\nThe specific method I have shared last week. Friends who don't understand can ask my assistant, Ms. Mary.\\n3) Stop loss when the price falls below the upward trend line, because when the price establishes the interval between the pressure line and the support line again, the trend will weaken.\\n4) The target price is near the pressure line.\\n5) The capital position is less than 5%.\",), (\"Yesterday I shared the mid-term strategy and the short-term range game strategy, and announced my trading signals.\\nFriends who have just joined the group can consult my assistant, Ms. Mary, about yesterday's handouts.\\nThe return on bullish contract orders was as high as 120% yesterday.\\nCongratulations to friends who have followed my trading signals for gaining short-term excess returns.🔷🔷\",), ('Friends who want to grasp real-time trading signals can add the business card of my assistant Ms. Mary and write to her.👇🏻👇🏻👇🏻\\n\\nNext, I will share a very important topic. If you are investing in stocks, cryptocurrencies, bonds, US dollars, gold, crude oil, etc., I suggest you read the logic carefully.⬇️⬇️⬇️\\n2. Sort out the important logic: the debt impasse and the banking crisis have eased, and the possibility of the Fed raising interest rates in June has risen. Where should the major investment markets go?❓❓❓',), ('Mary Garcia',), ('2️⃣.2️⃣ The possibility of the Fed raising interest rates in June has increased, which will have an impact on major markets.\\nThe probability of the Fed raising interest rates in June has risen to about 40%, and this data confirms my recent view.\\nNext, I will briefly describe the main points of several major investment markets.👇🏻👇🏻',), ('Point 1: U.S. bond yields and the U.S. dollar are expected to usher in a short-term upward trend.\\nDue to the huge impact of the deadlock on the debt ceiling, although the negotiations between the two parties are mostly political games, there are many ways to solve this problem, and the probability of it developing to a more dangerous situation is relatively small.\\nIt has also never happened in history, so the expectation that this problem will be solved is high.\\nThis expectation is positive for U.S. bond yields and the dollar.\\nI will continue to track and analyze the progress and impact of the situation.✔️✔️',), ('2️⃣.1️⃣ The debt impasse and the easing of the banking crisis have boosted market sentiment, but one should not be too optimistic.\\nBiden and McCarthy said yesterday that their goal is to reach an agreement by the 21st to avoid an economically catastrophic default.\\nThe latest deposit levels released by Western Alliance Bancorp eased investor concerns about a worsening banking crisis.\\nAll major indexes rose yesterday.📈📈',), (\"The IEA monthly report showed that China's oil demand grew faster than expected, pushing up oil prices. The U.S. Department of Energy said on Monday that replenishment of the strategic reserve oil had supported oil prices.\\nBitcoin ushered in a rise in volume and price, which is a very healthy signal.\\nHowever, everyone should be careful not to be too optimistic before the debt ceiling issue is resolved, as it is still in a wait-and-see mode.\\nBecause the reason for the deadlock on the debt ceiling is because there is an element of political game between the two parties.\",), ('Point 2: Increased interest rate hike expectations are negative for gold, crude oil and US stocks.👇🏻👇🏻👇🏻👇🏻👇🏻\\nIn the last month, I published an important view on gold. It is summarized as follows.\\n1️⃣) The Fed is not expected to cut interest rates in the second half of the year, and the price of gold may be depressed.\\n2️⃣) The dollar may weaken further, providing support for gold prices but with limited effect.\\nPs: The current strengthening of the US dollar is even more detrimental to gold prices.\\n3️⃣) There is limited room for growth in demand for gold ETFs.',), ('4️⃣) High prices may dampen demand for jewellery, gold coins and bars.\\n5️⃣) Central bank gold demand may decline slightly.\\nIn addition, gold does not bear interest, and the current price of gold has fallen as scheduled, which is completely in line with expectations.\\nIf you are unclear about the logic in this area, you can ask for relevant handouts through my assistant, Ms. Mary.👇🏻👇🏻👇🏻',), ('Mary Garcia',), (\"Crude oil is a highly cyclical product. Oil prices will rise and fall with the demand level of the entire economy. Now it is the down cycle. The Fed's aggressive rate hikes have started to hurt the economy, and while they have lowered inflation, they could be accompanied by more pain because rate hikes typically hit the economy with a lag. Therefore, the price of oil is easy to fall but difficult to rise.\",), ('When the risk-free rate increases, it is bad for stock prices.\\nPeople reduce consumption and are more willing to save, reducing the capital flow of the stock market.\\nRaising interest rates means raising deposit and loan interest rates, increasing the difficulty of corporate financing, and negative for the stock market.\\nCoupled with the inevitable recession in the U.S. stock market, corporate profits will decline accordingly, which is bad for the stock market.\\n...\\n\\nAs an investor, we must pay attention to these impacts and risks.',), ('Point 3: 🔸A bull market for cryptocurrencies is coming.🌈\\nThere are two important factors that tell us that the spring of the cryptocurrency market has arrived.',), ('1️⃣) Internal factors: halving mechanism.\\nFrom a fundamental point of view, Bitcoin halving means that the number of Bitcoins that can be mined in the future will decrease, and the total amount of Bitcoins will eventually reach 21 million.\\nThis feature makes Bitcoin relatively scarce compared to fiat currency, and scarcity will gradually increase commodity prices. \\nFrom the perspective of historical trends, every Bitcoin halving period ushered in an unprecedentedly prosperous bull market.\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.',), ('2️⃣) External factors: Risks in the financial market make the cryptocurrency market a safe haven.\\nFactors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAmid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counter the possible impact of further interest rate hikes by the Fed.\\nBitcoin will become the king of safe-haven assets over gold.\\nWhy is it said that the market value of the cryptocurrency market will soon surpass gold and be comparable to US stocks?\\nWhy is it said that the price of BTC will reach $360,000 in the fourth round of the bull market?\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will share these logics and lead my friends who support me to show their ambitions in the cryptocurrency market.👇🏻👇🏻',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.🔶🔶🔶\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.✏️✏️\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.👇🏻👇🏻👇🏻',), ('Mary Garcia',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), ('Mary Garcia',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.🎁🎁\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆🏆\\nIf you want to receive a $3,000 🎁💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.🤝\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"the impact of the Fed\\'s interest rate hike in June on major investment markets\".\\nToday I will share the following topics.\\n1. Today\\'s BTC contract trading strategy.\\n2. Rising bond yields and capital flows pose risks to the stock market.\\n3. The debt impasse will be resolved, but it will recur',), (\"1. 🔸Today's BTC contract trading strategy.\\nFrom last Sunday to today, I have announced a total of 3 trading signals, all of which have achieved good short-term gains. In the current trend of weak shocks, this is very rare.\\nTherefore, when trading opportunities arise, we still have to lower our earnings expectations.\\n\\nI think the mid-term buying point is established, so I mainly buy call contracts.\\n1️⃣) Consider buying when the price is near the support level.\",), (\"2️⃣) Take advantage of the timing when the price and the indicator run counter to each other to grasp the buying point.\\nFor example, timing1/2 in the above figure, the specific method I shared last week.\\nFriends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\n3️⃣) Stop loss when the price effectively falls below the support line.\\n4️⃣) When the price is close to the pressure line, take profit when the buying power is exhausted.\",), (\"3. 🔸The debt impasse will be resolved, but it will recur.\\nThe easiest way to solve the debt ceiling problem is to raise it, which has been done nearly 100 times in history, although there was a small hiccup today.\\nIt's like a husband and wife quarreling, and finally compromise with each other in order to maintain the peaceful coexistence of the two families.\\nBut this solution is not sustainable.\\nBecause this approach cannot pay investors high enough interest rates to allow them to hold debt assets, nor can it keep interest rates low enough that borrowers can service their debts.\",), ('When the amount of debt sold is greater than the amount buyers want to buy, the central bank faces a choice: Either let interest rates rise to balance supply and demand, which is hard on debtors and the economy. Or they have to print money to buy debt, which creates inflation and encourages debt holders to sell their debt, making the debt imbalance worse.',), ('Then, the cycle repeats itself.\\nThis problem will remain for a long time, and one day in the future there will be a real collapse of the financial system and a financial tsunami will occur.\\nSpeaking of this, what I most want to express is \"the cycle of raising and lowering interest rates is the government\\'s cash cow.\" This is an opinion I often express.\\nThe essence of inflation is excessive money supply.\\nIn this cycle, the people who benefit the most are the people who borrow the most, and the people who borrow the most are governments, financial institutions, and large technology companies.\\nWhat should we ordinary people do?',), ('I think the best way is to use our technology in the investment market to continuously make money, make money, and make money.💰💰💰\\nNow it seems that the cryptocurrency market is a good track.',), ('The generation mechanism of BTC determines that it is relatively scarce compared with fiat currency, and the scarcity will gradually increase the price of BTC.📈📈\\nFrom the perspective of historical trends, every time the BTC halving mechanism is triggered, an unprecedentedly prosperous bull market ushered in.👍🏻👍🏻\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.\\nThe risk in the financial market makes the cryptocurrency market the best safe haven.\\nCryptocurrency has become the best investment tool of this century.📊',), ('As the debt ceiling issue is resolved, and interest rate policy is becoming clearer. Major investment markets will usher in a new beginning.1\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I would like to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nSharing these today, have a great weekend.🎁🎁⬇️⬇️',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), (\"See the picture above:⬆️⬆️⬆️\\nRecently I have received a lot of letters from my new friends. I believe you must have a lot of questions. Is this \\ncompetition real? Do you get a $3,000 bonus vote at the end? I'm currently interested in the cryptocurrency market. ❓❓❓\\nCan I actually make money in the cryptocurrency market?\\nI would like to say that since my contest is still in the preparatory stage, there will be new members in the group \\nin a few days, so please wait a few days, it won't be too long, I will tell you how to vote, please keep in touch 👇🏻👇🏻👇🏻👇🏻⬇️⬇️⬇️⬇️\",), (\"with my assistant Ms Mary, everything we do and say is true, and the contest supporting me is free, I won't charge \\nyou any fee. Since it doesn't require you to pay anything, why can't you have a try? So please don't quit in a hurry \\nand stay in my group to support me in the upcoming Contest. I am confident that I will win the first place in this \\nContest, so what I promise you will come true. I plan to reward my friends with $3,000 each for supporting me along \\nwith a real-time trading signal strategy of at least 30% profit per day\\nIf you are interested in investing in Bitcoin and receiving a voting quota of 3k dollars, please add the business \\ncard below. This is the business card of my assistant Mary Garcia. Have a great weekend.🤝🏻\",), ('Mary Garcia',), ('Hi, my friend, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry☺️This is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share.\\n\"Btcoin-2023 New Bull Market Mars-Final\" is about to enter the Final stage, so we invite you to enter this group to vote for Mr. Jim. Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars 💰.There is also a real-time trading signal strategy with at least 30% profit per day, All these are free. If you have any questions, please add my business card and communicate with me⤵️',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), (\"Welcome new friends to join the group. If you want to know how to earn 30% revenue every day, please don't leave the group in a hurry. 📌🔗📌Please join the discussion group first, and later I will tell you the purpose of inviting you to join our group\\n\\n\\n\\nPlease give me some time!🥇\",), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people join each day before the final, so you may see these repeated messages before the final.\\nSince today is the weekend, Mr. Jim will continue to share market news and trading signals in the group during the working day. The final game is about to start, and we will enable group chat. This is the beginning of today's share, from this moment on,\",), (\"we will officially let you know about this market. If you are interested in this, 📌🔗📌Remember to stick this discussion group to the top. I believe Mr. Jim's sharing will bring you great wealth\\nTo this end, Mr. Jim prepared two gifts for his supporters🎁🎁\\nFirst, he plans to give $3,000 each to friends who support him💰\\nHow to get this gift immediately? Please add your business card below\\n⬇️-⬇️-⬇️\\nThis is the business card of Mr. Jim's assistant Mary Garcia. Welcome to write to us\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.🤝🏻\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.👍🏻👍🏻🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nWelcome more new friends to join the group, hope to get your support.\\nPlease wait patiently, the finals will start soon.\\nAlthough today is the weekend, there is an important theme that I think it is necessary to share with you in time.🔺\\nThe investment theme I want to share today is: the debt ceiling crisis will trigger market turmoil, how should investors profit?❓❓❓',), (\"1. The debt ceiling crisis will continue to exacerbate financial market turmoil, and the banking industry will suffer greatly from it.\\nFrom the solution to the debt ceiling problem, capital flows, bearish positions and Yellen's remarks show that the banking crisis will intensify.\\n\\n1) The solution to the debt crisis is negative for the banking sector.\",), ('During the two debt crises of 2011 and 2013, Congress finally raised the debt ceiling at the last minute. Each time, after raising the debt limit, the Treasury replenished its cash reserves by re-issuing massive amounts of Treasury bonds and sucking in a lot of cash from the market.\\nOnce the debt ceiling crisis is resolved in this way, the US Treasury will return to borrowing over a trillion dollars to top up its cash reserve account. Then the liquidity of the market may be drained by the treasury bonds issued by the Ministry of Finance, and the banking system will face huge risks again, increasing the risk of bank failure again.',), ('2️⃣) The net inflow of money funds continued.\\nThe latest data from the Institute of Investment Companies of America shows that, continuing the trend of the previous week, the scale of monetary funds continued to expand.\\nSome $13.6 billion poured into U.S. money funds this week, pushing their size to an all-time high of $5.34 trillion.\\nOver the past three months, money funds have grown by more than $520 billion.',), (\"There are two reasons for the continuous net inflow of money funds.\\nOne is that after the Fed continued to raise interest rates, the market interest rate continued to rise, and the advantages for deposits expanded.\\nThe second is that the risk of deposits in small banks tends to make funds tend to be more secure monetary funds.\\nThe surge in money market inflows points to lingering risks in the banking sector. Meanwhile, the Fed's blood transfusion for banks is not over yet.\",), ('3)🔸 Bearish positions are increasing.\\nThe recent rebound in regional banks may not signal the end of the US banking crisis.\\nMany investors are also aggressively creating put orders on these banks.\\nNearly 48% of positions in the ETF KER are betting on regional banks falling, up from 42% last week, according to data compiled by technology and data analytics firm S3 Partners.',), (\"4) 🔴Treasury Secretary Yellen warned that more bank mergers may be necessary.\\nSome media revealed that on May 18, Yellen echoed the US regulators who said that bank mergers may occur in the current environment.\\nAccording to market analysis, this means that more banks are expected to fail soon.\\nYellen's remarks weighed on stocks of U.S. regional banks in early trading on Friday. Bank stocks generally retreated on Friday, with regional banks falling even more.📊📊\",), ('2. Under the turmoil of the financial system, the way investors make profits.\\nAlthough the U.S. managed to raise the debt ceiling in time, the 2011 debt ceiling crisis caused a massive spike in volatility and sparked wild swings across asset classes.📈📉\\nInvestors have three big ways to profit if U.S. stocks sell off as they did during the 2011 debt-ceiling crisis.🔸\\nThe Bank of America team wrote in a research report that customers can get up to 30 times the remuneration through some cheap Option Contracts. These operations pay off handsomely when the S&P falls by more than 10%.💰💰💰',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('In my opinion, there are three extended ways to make profits, namely, put options on the S&P 500 index, VIX call options, and cryptocurrency call contracts.\\nAmong these three profit methods, I have a soft spot for cryptocurrency. It is not difficult to obtain 100 times the profit in this market, and there are many ways to make profits.',), (\"Except that the triggering of the fourth round of halving mechanism will lead to the start of the cryptocurrency bull market in 2023. The banking crisis has been one of the catalysts for Bitcoin's strong rise this year.\\nCryptocurrency prices have been soaring recently, reaching as high as $31,000 in mid-April as investor concerns over the U.S. banking sector began to mount again.\",), ('The intensification of the banking crisis is positive for safe-haven assets such as cryptocurrencies.\\nMy view on \"BTC\\'s medium-term buying point is established\" remains unchanged, and the stop loss line is MA120. As shown above, it is the strategy I will focus on this week.\\n\\nIf you want to get these three profit methods, or want to get a secure cryptocurrency application, or get real-time trading signals, you can ask my assistant, Ms. Mary,👩🏼 who is a software engineer.⬇️⬇️',), ('Mary Garcia',), ('As a thank you for your votes, I have also prepared two gifts.🤝🏻\\nFirst up is voting rewards,🎁🎁 I plan to award $3,000 💰💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📫📫\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nSince the Silicon Valley Bank incident, the global financial market has been in turmoil and investment has become more difficult, so I have shared more valuable information.\\nIn the last week, I tracked and shared topics such as debt impasse and three ways to profit, banking crisis, negative factors in the stock market, and major investment market trends.',), (\"Today I will share the following investment themes.\\n1.🔸 Treat market changes with caution, and the trend will gradually become clear.\\n2.🔹 Today's BTC contract trading strategy.\\n3.🔸 It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\",), ('1. Treat market changes with caution, and the trend will gradually become clear.📊\\nTake stocks and the US dollar as examples today to help friends clarify these trends.\\n\\n1️⃣) Beware of false breakthroughs in the stock market.\\nThere were signs of panic buying in stocks last week as some investors believed a new bull market had begun.\\nFor the stock market, the current valuation is too high, whether it is fundamental or technical, there is no possibility of breakthrough here.',), ('Defensive stocks are all rising at the moment, and cyclical stocks such as banking stocks, retail, and transportation are not performing well.\\nLike last summer, this rally will likely be a false up.\\nThe S&P 500 struggles to break out of the range between 3,800 and 4,300, and even if it does, it is likely to fall back later.\\nIt is recommended that friends beware of false breakthroughs, that is, bull traps.',), (\"2)🔸 The dollar needs to be cautious, but has short-term upside.\\nOn Friday, bipartisan talks failed to produce results. But optimism picked up after the weekend.\\nThe market sees them reaching an agreement on the debt ceiling, while Fed rate cut expectations are delayed, which ultimately proved to be positive for the dollar.\\nHowever, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.\",), (\"However, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.👆🏻👆🏻👆🏻\\nHowever, judging from the DXY daily trend chart, there is room for short-term upside.\\nThe operating space and technical points are shown in the figure above.\\nIf the dollar rises in the short term, gold will fall. But even if the dollar rises, the space is limited.📊📊\\nRecognize these trends, our investment will be smoother.\\nNext, let's focus on the cryptocurrency market.\",), (\"2. Today's BTC contract trading strategy.📈📉\\n1) It is worth participating in the mid-term buying point of BTC.📊\\nJudging from the BTC daily trend chart, the current price is above the MA90-120, and the upward trend of the MA90-120 is good.\\nThe current price is in a resistance-intensive area, and the yellow line represents a very important and meaningful price, which will definitely become the dividing line between bulls and bears.❗❗\",), ('Judging by MACD, the fast and slow lines are about to form a golden cross, and the value of MACD shows signs of \"turning from negative to positive\". This shows that the power of sellers is exhausting and the power of buyers is accumulating.\\nFrom an objective understanding, this medium-term buying point is very worth participating.\\nAt present, I gradually increase the capital position to buy bullish contracts, the stop loss line is MA120, and the overall capital position is still controlled within 5%.',), (\"2) The short-term trend of BTC still maintains fluctuations between small groups.\\nAs shown in the figure above, although the price of BTC/USDT does not fluctuate much, the buying point suggested in yesterday's strategy is very accurate.\\nSince the price is fluctuating in a weak range, we have to lower our earnings expectations during the transaction.\\nAt present, it is still dominated by bullish contracts.\\nConsider buying when the price is near a support level.\\nUse the timing when the price deviates from the indicator to grasp the buying point. For example, timing1/2 in the figure above.\",), (\"Friends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\nStop loss when the price effectively falls below the support line.\\nWhen the price is close to the pressure line, use the timing of the exhaustion of buying power to take profit.\",), ('Mary Garcia',), ('3. 🔸It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\\nTo put it simply, in the short term, inflationary pressures in the United States have eased, but there are still twists and turns in the downward phase of inflation.📉📈\\nIn the long run, the labor market is still the biggest factor of uncertainty affecting the trend of US inflation.❗❗\\nThe results of the SVAR model show that long-term inflation may remain above 3%, and it is difficult to return to 2% before the epidemic.📊\\nIt is precisely because long-term inflation data is difficult to decline, which makes it difficult to make decisions on interest rate policy.🔹',), ('It is precisely because the interest rate policy is unclear that it is more difficult for investors to find markets, varieties and corresponding trends that allow them to easily invest and make profits.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.📬\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.📌📌\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.🏆🏆🏆\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000💰💰 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.👆🏻👆🏻\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.🔺\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!❗❗\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝🏻🤝🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.❤️\\nWelcome new friends to join this investment discussion group.👏🏻👏🏻\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.⬇️💌💌⬇️\",), ('Mary Garcia',), ('6️⃣ Btcoin Masters - Jim Investment Team',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I shared my judgment on the trend of the stock, US dollar, and gold markets.\\nToday I will share the following 3 important investment themes.',), ('1. The pressure on the banking industry has raised expectations for interest rate cuts within the year.\\nJudging from the data of Bank of America, both the asset side and the liability side of the U.S. banking industry are facing greater pressure. It is expected that the continued loss of deposits will further increase the operating pressure and liquidity pressure of banks.\\nAt the same time, commercial real estate loans held by banks have relatively large risk exposures, and high unrealized losses in securities investment are common problems.\\nHowever, considering that the U.S. financial market developed relatively healthy after the 2008 financial crisis, and regulators have more experience in responding, the probability of systemic risk in the U.S. banking industry in this round is relatively low',), ('However, widespread pressure in the banking industry may push credit to tighten faster, and the labor market may weaken rapidly in the future, thus increasing the probability of the Fed cutting interest rates within this year.\\nThe trend of the investment market reflects future expectations more often.\\nIf the expectation of interest rate cut increases, it will bring the expectation of depreciation of the dollar, and people will look for real assets to avoid risks. The interest rate cut will lower the loan interest rate, which is conducive to the development of the real industry',), ('Therefore, if the expectation of interest rate cuts increases, it will be beneficial to the stock market, real estate, cryptocurrency and other markets.\\nI will continue to track and share the important information of each investment market, and share it with my friends as soon as possible. Hoping to get support from my friends for voting in my finals.',), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), ('2. The investment logic, opportunities and strategies of bonds in the current environment.\\nWill the debt deadlock crisis be lifted smoothly to eliminate possible financial market turmoil? This has become the core theme that global investors are currently paying more attention to.\\nU.S. Treasury spreads showed signs of widening, with U.S. investment-grade corporate debt also affected.\\nThe U.S. government has encountered 78 discussions on the debt ceiling since 1960. According to past experience, during the negotiation process, the capital market usually suffers from anxiety and volatility due to fear of a stalemate in the negotiations.\\nHowever, in the end Congress agreed to raise the debt ceiling and the crisis was lifted smoothly. We expect that this negotiation will eventually reach an agreement.',), (\"U.S. government bonds and investment-grade bonds are an integral part of investment portfolios, but I suggest that friends pay attention to the strategies I share next to avoid falling into the vicious cycle of buying high and selling low.\\nObserving the past three U.S. debt ceiling crises, various types of bonds and U.S. stocks performed differently, but U.S. government bonds and investment-grade bonds seemed to benefit from investors' concerns about volatility.\\nFunds flowed into these two types of bonds under the risk aversion sentiment, making their performance buck the trend.\",), (\"Take 2011 as an example. At that time, the negotiations between the US government and Congress failed to reach a consensus, which led to the downgrade of the US long-term credit rating by Standard & Poor's, and the US stock market fell by more than 17%. It is worth noting that although short-term U.S. government bonds fell at that time, medium- and long-term government bonds bucked the trend and rose.\",), (\"The current situation is somewhat similar, and with the CPI annual growth rate falling to 4.9%, the market expects interest rates to remain stable or decline, which is relatively favorable for the performance of the bond market.\\nI have done an analysis last week, taking the 10-year bond as an example, let's take a look at its technical graphics and strategies.\\nThe current operating range of the price is shown in the figure above, and the deviation point between the MACD indicator and the price is used to sell.\\nHistorical experience shows that in the past, when GDP was within 2%, the average annual returns of more defensive U.S. Treasury bonds and investment-grade bonds were 6.7% and 4.7%.\",), (\"In fact, compared to cryptocurrency contract transactions, the benefits of bonds are simply negligible.\\nFor example, we obtained more than 80% of the overall income from yesterday's strategy.\\nNext I will share the cryptocurrency strategy.📊📊👇🏻👇🏻\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"3. Today's BTC contract trading strategy.❗❗\\nSince the 14th of this month, what I have been emphasizing is the strategy of buying BTC bullish contracts at low prices.\\nWhether it is the medium-term strategy analyzed from the daily trend chart or the short-term strategy analyzed from the 15-30 minute trend chart, when the overall capital position is less than 5%, I continue to increase the use of capital positions.\\nSo far, this series of strategies has been very successful.\\nObjectively speaking, BTC has fluctuated within a narrow range recently, and it is not easy to achieve such a profit.\\nRecently, many cryptocurrency, gold, stock, and crude oil investors are losing money.\",), ('Before giving the latest strategy, let me say a few suggestions.👇🏻🔹👇🏻🔹👇🏻\\n1) It is recommended that friends lower their income expectations in recent transactions, and fast in and fast out.\\n2) It is recommended that you pin this group to the top, so that you can quickly grasp core information, opinions, strategies, and trading signals.\\nAnd when the voting window opens, this group will be even more exciting.\\n3) If you want to know more real-time trading signals and benefit from this market simultaneously with me, I suggest you add the business card of my assistant, Ms. Mary, and write to her.',), ('Mary Garcia',), ('From the 30-minute analysis chart above, we can see our trading process in the past few days.\\nThe strategy is as follows.\\n1)🔸 I will sell some of the profitable orders to keep the profit.\\n2) 🔹At present, it is still mainly to participate in bullish contracts.\\n3)🔸 Whether the price breaks through line B becomes the key.\\n4) 🔹If there are technical characteristics such as MACD fast and slow line dead cross or MACD negative value increases, sell profitable orders.',), ('Then wait for the price to come near the lower support level, and use the timing of the divergence between the indicator and the price to find a buying point. The principle is the same as timing1/2.\\n5) If the price breaks through line B strongly, you can create a call contract order when the price retraces and the timing of the exhaustion of selling orders and the increase of buying orders can be used.\\n\\nAfter the voting window opens, I will share my trading system, which will explain these methods in detail.',), ('Summarize what I shared today.\\n1) The risk of the banking industry is good for the cryptocurrency market, because the cryptocurrency market is the best safe-haven product, and BTC is the leader this year.\\nThe pressure on the banking industry has increased the expectation of interest rate cuts, which is good for the stock market, cryptocurrency market, real estate industry, etc.\\n2) Bonds have an upward range in the short term, but avoid buying high and selling low, and pay attention to the key points in the analysis chart.\\n3) In the past few days, although BTC has fluctuated within a narrow range, our contract transactions have achieved good returns. Please cherish this fruit of labor, and let us make more efforts together in exchange for more profits.',), ('If you want to grasp more real-time trading signals, you can write to my assistant, Ms. Mary, to get them.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\\nThis is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\",), ('At that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊📈📈',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('You here?',), ('Hey',), (\"I'm here. Trying to collect some information today\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Let's talk this weekend.\",), (\"Sounds good. I'll be out site seeing.\",), ('Take pics.',), ('Of course.',), ('Love it when Sanata comes early.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Please allow me to introduce myself first. I am the official representative of Btcoin Exchange Center. We are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"Voting for contestants\" as the main topics to share🥇\\nAgainst the backdrop of \"heightened risks in global investment markets at the end of the Fed rate hike\" and \"the halving of Bitcoin\\'s fourth round of mining incentives will catalyze a new bull market in cryptocurrencies\". After acquiring several important mining enterprises in the industry and integrating high-quality ICO qualification resources, Btcoin Tech Group established a new trading center, Btcoin, aiming to quickly seize the cryptocurrency market and become a leader in the industry\\nPlease keep reading⬇️ ⬇️',), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him❗️',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people will be joining each day before the finals, so you may see these repeated messages before the finals. I hope everyone stays in the discussion group🙏\\nThe finals will start soon, and we will start the group chat function at that time. I'm sure you won't be disappointed.\\nNext, I would like to invite Professor Jim to share today's investment👏⤵️👏\",), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I mainly shared the investment logic and strategy of bonds.',), (\"Today I will share the following two topics.\\n1. 🔸There is still room for the dollar to rise.\\n2. 🔹Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\n3. 🔸Today's BTC contract trading strategy: the key point is coming.\",), (\"1. There is still room for the dollar to rise.\\nThere are currently three bullish factors for the dollar.\\n1️⃣ Overnight hawkish comments from several influential Fed officials boosted market bets that the Fed will keep interest rates high for longer.\\nRaising interest rates means that the US dollar has higher interest returns and financial asset returns, which is one of the upward thrusts for the US dollar.\\n2️⃣ Concerns over a slowdown in global economic growth, especially in Europe and China, further favor the dollar's relative safe-haven status.\\n3️⃣The current debt ceiling crisis in the United States has spawned safe-haven demand and is also driving the dollar upward.\\nWhen markets face a range of risks, investors often choose to buy less risky assets such as bonds, cryptocurrencies, gold and the U.S. dollar.\",), ('Therefore, the dollar will have the momentum to continue to rise, as shown in the chart below for technical analysis.',), (\"2. Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\nEven if the U.S. does not eventually default, a crash in U.S. stocks may be inevitable.\\nIf the debt ceiling talks fail to reach an agreement, that would certainly be bearish for stocks.\\nIf a negotiated agreement is reached, it will also cause the stock market to fall.\\nBecause the U.S. Treasury Department will increase the issuance of treasury bonds, sucking the liquidity of the financial system.\\nAs shown in the chart below, reviewing the Treasury bond issuance and stock market volatility in recent years, you will find that the Treasury's new bond issuance will absorb the Fed's reserves. U.S. stocks tend to fall when debt issuance increases.\",), ('Although the medium and long-term prospects of US stocks are improving. However, once the debt ceiling negotiations are over, US stocks will inevitably fall, or fall sharply.\\nInvestors who understand this logic are often the first to sell.',), (\"But one thing I don't like to see the most is that policy makers are often forced to reach an agreement and make a decision after seeing the stock market fall. They are testing the market's psychology and bottom line.\\nI believe that when we know this or see this kind of scene, some friends want to curse.\\nRationally look at the following logic and data, I believe everyone will make a decision.\\n1) US stocks plummeted nearly 20% in the 2011 crisis.\\n2) Higher inflation, higher valuations and tighter monetary policy could mean the current market environment could be worse for risk assets.\",), ('3) The current S&P 500 forward earnings estimate is about 18.4 times, compared to its historical average of 15.6 times. In the summer of 2011, the indicator was slightly more than 12 times.\\nSo, the current market and economic backdrop may make the stock market more vulnerable than it was during the 2011 debt default crisis.\\nDear friends, if you are investing in stocks, you must pay attention to this risk.',), ('What I want to say is that from the perspective of absorbing new debts, it is still American families that bear the greatest burden.\\nIn the second half of last year alone, it increased its holdings of U.S. debt by US$750 billion, far exceeding banks, MMFs, companies and overseas investors. This trend is expected to continue as the U.S. Treasury Department increases bond issuance in the future and the Federal Reserve continues quantitative tightening (QT).',), (\"Do you understand the above logic?\\nThe upward trend of the dollar and the solution to the debt ceiling are not good for the stock market, and the stock market has probably peaked.\\nAs a friend who has entered my investment circle, I don't want to see you take these risks.\\nObjectively speaking, we have many better investment methods, and we can choose more efficient investment methods, such as cryptocurrencies.\\nIt is very happy and meaningful to me to help some friends.\\nNext, I will share today's strategy.❗❗❗\",), ('3. Today\\'s BTC contract trading strategy: the key point is coming.\\nThe debt impasse, the rising price of the US dollar, and the hawkish remarks of Fed officials have caused the price of BTC to fall back to a key point.\\nAs shown in the figure above, the current upward trend of MA90-120 is good, and it still has technical support and psychological support.\\nFrom the perspective of rational analysis, the closing line of today\\'s price is very important.\\n1) There are many definitions of an upward trend. My definition of an upward trend may be different from others. My point of view is that \"price intensive areas continue to rise but do not overlap\".',), ('2) If the price falls below MA120 or closes below the price-intensive area A today, pay attention to the possibility of the price going down and seeking support above the price-intensive area B.\\nIf this happens, the MACD will have a negative value, and the fast and slow lines will form a dead fork.',), ('In the process of trading, ordinary traders often have this mentality.\\n1)🔸 It is uncomfortable when the price is running at the bottom.\\n2)🔹 It is comfortable when the price is running at the top.\\nAt present, BTC is in the process of building a new bottom in the mid-term trend.\\nThe current stock index is at the top of the stage.\\nIt is self-evident who will be more cost-effective.',), ('At the same time, BTC has two important advantages, please don\\'t ignore them.\\n1) There is no doubt that BTC is at the starting point of the fourth round of bull market, and the market is already reflecting this bull market expectation.\\n2) When we participate in BTC, we often do not choose spot trading, but choose contract trading tools, which will not only make profits when prices fall, but also greatly improve efficiency and yield.\\nI will share these tips when the voting window for \"Btcoin-2023 New Bull Market Masters-Final\" opens.\\nNext, I will share short-term strategies.',), ('You can choose to participate in the new daily trend after it is formed, which will be more comfortable.\\nOr choose the combination of mid-term and short-term. This kind of combination investment can not only improve efficiency, but also increase the comfort of trading.\\n\\nThe 30-minute strategy is shown above.\\n1) When the middle rail of the Bollinger Band moves downwards, when the price moves to the middle rail or near the upper rail, a bearish contract order can be created when the positive value of MACD decreases, such as the two selling points of AB.\\n2) When the price is near the support line, the bottom divergence pattern appears, and a bullish contract order can be created, such as buying point C.',), ('make a summary together.\\n1) Several Fed officials made hawkish remarks, the slowdown of economic growth in Europe and China, and the debt ceiling crisis are three major factors that are positive for the US dollar. \\nThe US dollar has upward momentum, but the market outlook should pay attention to the deviation between indicators and prices.\\n\\n2) Whether the debt deadlock is resolved will be detrimental to the stock market. The solution to the debt ceiling will most likely be to raise the ceiling and issue new debt, which will suck the liquidity of the financial system and cause the stock market to plummet.',), ('3) We have to learn from the experience of history. The debt ceiling crisis in 2011 caused the stock market to fall by 20%. The current market and economic background is worse than in 2011, and the risk of the stock market is greater',), ('4) Debt deadlock, rising dollar prices, and hawkish remarks from Fed officials have caused BTC prices to fall back to key points.\\n\\n5) But the bull market logic from cryptocurrencies is established, and the market is already reflecting this expectation. And the current price of BTC is in a new mid-term bottom range, which is very worthy of attention.\\n\\n6) We use contract trading to participate in it, and we use combination investment strategies to deal with it calmly and earn considerable profits.\\nFor real-time trading signals, please ask my assistant, Ms. Mary.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.🎁🎁\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.❤️❤️❤️\",), ('Mary Garcia',), ('I may have a conflict on \"go\" week',), (\"You may have to manage it with remote support. I'll explain via voice\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Understood. You're not chickening out, are you?\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the voting window opens, I have an important gift for you all.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\",), (\"Yesterday I analyzed the upward logic of the US dollar, and emphasized the risks of the stock market, and the market further validated my point of view.\\nToday I will share the following topics.\\n1️⃣Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n2️⃣ The price of the US dollar rose as expected, the stock index began to fall, and gold continued to fall.\\n3️⃣ BTC today's contract trading strategy.\\n4️⃣The cryptocurrency market will be more popular with investors.\",), (\"1️⃣ Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n1)🔸 Interest rate policy and direction.\\nThere are major differences within the Fed on the future path of monetary policy, and it is still unable to decide whether it can announce a stop to raising interest rates.\\nJudging from the Fed's understanding of the economy and inflation, as well as its existing discussion framework, it is still a small probability event to cut interest rates within this year.\",)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple references to 'Jim', specifically 'Professor Jim' and 'Jim Anderson', indicating the presence of a person's name.\"}\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : []\n", - "\n", - "--- END METADATA ---\n", - "[EXECUTE] Running query\n", - "[SQL EXEC] Retrieved 3678 rows\n", - "[TRACKING] Saved source columns: ['chat.subject', 'message.text_data', 'message.translated_text', 'message_vcard.vcard']\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find loosely structured human name-like strings in the database\n", - "1: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "2: AI -> Retrieved 200 rows\n", - "3: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "4: AI -> Retrieved 3678 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 2\n", - "phase : extraction\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "extraction_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "rows_count : 3678\n", - "rows_sample : [('6️⃣ Wealth Builders Club',), ('6️⃣ Bitcoin Masters - Jim Investment Team',), ('Welcome new friends to join our Bitcoin Master - Jim Investment Team family\\nSince Professor Jim is currently invited to participate in the cryptocurrency competition held by the organizer Btcoin Trading Center, he is currently preparing for the final stage, and new friends in the discussion group continue to join in and vote for Professor Jim.',), ('Therefore, the free chat function of the discussion group will not be opened for the time being, and friends are waiting patiently. I hope that friends will continue to stay in Bitcoin Master - Jim Investment Team and have a pleasant journey.\\nOf course, friends stay in the discussion group, Professor Jim will also lead friends to make huge profits in the investment market, then please vote for Professor Jim, and you will also have the opportunity to get a voting reward of 3,000 US dollars;There is also a real-time trading signal strategy with at least 30% profit per day Friends can first add the business card below to book a voting reward of 3,000 US dollars.',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), ('1.🔹 Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.📈📈\\nHistorically, as the U.S. approaches its debt ceiling, U.S. Treasuries have typically plummeted and yields soared.\\nUS stocks fell sharply late yesterday. Bank stock indexes fell.📉📉📉\\nDXY hit a new high this month, and the two-year U.S. bond yield rose by more than 10 basis points.\\nCrude oil, gold, and BTC fell.\\nThrough the performance of major markets, it can be seen that it is greatly affected by the debt ceiling impasse.❓❓❓',), (\"Treasury Secretary Yellen issued her strongest warning yet. More than 140 U.S. business leaders urged the administration and Congress to quickly resolve the debt impasse. Biden's trip to Asia was cut short.\\nBefore the announcement of the negotiation results, there is a high probability that stocks, bonds, the US dollar, cryptocurrencies, gold, and crude oil will continue this short-term trend.\",), ('2. 🔸The Fed will still choose to raise interest rates if necessary.\\nLorie Logan, president of the Federal Reserve Bank of Dallas, expressed his view yesterday that raising interest rates at a smaller and less frequent pace will help the possibility that monetary policy will lead to financial instability.\\nThis point of view has aroused extensive discussion among scholars.',), (\"The FOMC meeting earlier this month did not express definitive remarks.\\nTherefore, the uncertainty in the future is very high. A large number of economic data will be released before the meeting in mid-June. In addition, there may be other factors that are unfavorable to the economy.\\nThe PCE data, which the Fed values, is still more than double the central bank's target. Inflation is starting to come down because of the many actions the Fed has taken in the past, but it may take more time if prices are to continue cooling.\\nTherefore, the Fed will still choose to raise interest rates if necessary.📊📊\",), (\"3. 🔹Today's BTC strategy: medium-term buying point and short-term range game.\\n\\nJudging from the BTC daily trend chart, the mid-term buying point is established.\\n1️⃣)Compared with the illustration on the left, the price is near the important support level.\\n2️⃣The upward trend of MA90-120 is good, providing important technical support and psychological support for the price.\",), ('3️⃣ The negative value of MACD gradually decreases, which is regarded as a buying point. So I created a call contract order using a fund position within 5%.\\n4️⃣ Stop loss when the price falls below MA120 or the support line.\\n5️⃣ The time to intervene on the right side is: wait for the time when the value of MACD turns from negative to positive, the yellow fast line goes up, and the fast and slow line shows a golden cross.\\n\\nStick to the top and pay attention to this group, I will interpret the latest policies and announce real-time strategies every day.\\nNext, I will share short-term strategies.👇🏻👇🏻👇🏻',), ('Hi, dear, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry, this is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share. As Mr. Jim participated in the competition of Btcoin-2023 New Bull Market Mars-Final, we invite you to enter this group to vote for Mr. Jim. ☺️ Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars.There is also a real-time trading signal strategy with at least 30% profit per day, I hope to get your support. Thank you',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\n⬇️I will explain to you⬇️\",), ('Mary Garcia',), ('The short-term 30-minute interval game strategy is as follows.👇🏻👇🏻\\nAffected by the deadlock of the debt ceiling and the expectation of interest rate hikes, the price of BTC has been relatively weak recently and fluctuated within a narrow range.\\nTherefore, there are opportunities for short-term games, but the earnings expectations must be lowered.\\nToday I created a call contract order with less than 5% of my capital position.',), ('When the price is close to the pressure level or support level, when the positive value of MACD decreases, it is regarded as a selling point, and when the negative value of MACD decreases, it is regarded as a buying point.\\nStop loss when the price moves in the opposite direction and breaks the resistance high or breaks the support level.\\nReal-time strategies are available through my assistant, Ms. Mary.🔸⬇️⬇️🔹',), ('Mary Garcia',), ('Although the short-term U.S. bond yields and the strengthening of the U.S. dollar are not good for the cryptocurrency market.\\nHowever, factors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAt the same time, amid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counteract the possible impact of further interest rate hikes by the Fed.',), ('The current price of BTC is at an important support level in the mid-term, and there are obvious signs of stopping the decline, and the mid-term buying point is established.\\n$30,000 is bound to be a new starting point for BTC’s fourth bull run.\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will lead my friends who support me to show their ambitions in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.💰💰\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝',), (\"Hello ladies and gentlemen.❤️❤️❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 💰💰💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌💌⬇️⬇️⬇️\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), (\"1. Today's BTC contract trading strategy.\\n1) As shown in the 30-minute trend analysis chart above, the current price has entered a new triangle consolidation range.\\nVolatility is reduced, so we lower our earnings expectations.\\n2) When the price runs near the trendline or support line, a BTC bullish contract order can be created.\\nUse the opportunity when the 30-minute MACD negative value decreases to intervene, and use the price that is less than the 30-minute cycle level to deviate from the technical indicators to determine the buying point.\\nThe specific method I have shared last week. Friends who don't understand can ask my assistant, Ms. Mary.\\n3) Stop loss when the price falls below the upward trend line, because when the price establishes the interval between the pressure line and the support line again, the trend will weaken.\\n4) The target price is near the pressure line.\\n5) The capital position is less than 5%.\",), (\"Yesterday I shared the mid-term strategy and the short-term range game strategy, and announced my trading signals.\\nFriends who have just joined the group can consult my assistant, Ms. Mary, about yesterday's handouts.\\nThe return on bullish contract orders was as high as 120% yesterday.\\nCongratulations to friends who have followed my trading signals for gaining short-term excess returns.🔷🔷\",), ('Friends who want to grasp real-time trading signals can add the business card of my assistant Ms. Mary and write to her.👇🏻👇🏻👇🏻\\n\\nNext, I will share a very important topic. If you are investing in stocks, cryptocurrencies, bonds, US dollars, gold, crude oil, etc., I suggest you read the logic carefully.⬇️⬇️⬇️\\n2. Sort out the important logic: the debt impasse and the banking crisis have eased, and the possibility of the Fed raising interest rates in June has risen. Where should the major investment markets go?❓❓❓',), ('Mary Garcia',), ('2️⃣.2️⃣ The possibility of the Fed raising interest rates in June has increased, which will have an impact on major markets.\\nThe probability of the Fed raising interest rates in June has risen to about 40%, and this data confirms my recent view.\\nNext, I will briefly describe the main points of several major investment markets.👇🏻👇🏻',), ('Point 1: U.S. bond yields and the U.S. dollar are expected to usher in a short-term upward trend.\\nDue to the huge impact of the deadlock on the debt ceiling, although the negotiations between the two parties are mostly political games, there are many ways to solve this problem, and the probability of it developing to a more dangerous situation is relatively small.\\nIt has also never happened in history, so the expectation that this problem will be solved is high.\\nThis expectation is positive for U.S. bond yields and the dollar.\\nI will continue to track and analyze the progress and impact of the situation.✔️✔️',), ('2️⃣.1️⃣ The debt impasse and the easing of the banking crisis have boosted market sentiment, but one should not be too optimistic.\\nBiden and McCarthy said yesterday that their goal is to reach an agreement by the 21st to avoid an economically catastrophic default.\\nThe latest deposit levels released by Western Alliance Bancorp eased investor concerns about a worsening banking crisis.\\nAll major indexes rose yesterday.📈📈',), (\"The IEA monthly report showed that China's oil demand grew faster than expected, pushing up oil prices. The U.S. Department of Energy said on Monday that replenishment of the strategic reserve oil had supported oil prices.\\nBitcoin ushered in a rise in volume and price, which is a very healthy signal.\\nHowever, everyone should be careful not to be too optimistic before the debt ceiling issue is resolved, as it is still in a wait-and-see mode.\\nBecause the reason for the deadlock on the debt ceiling is because there is an element of political game between the two parties.\",), ('Point 2: Increased interest rate hike expectations are negative for gold, crude oil and US stocks.👇🏻👇🏻👇🏻👇🏻👇🏻\\nIn the last month, I published an important view on gold. It is summarized as follows.\\n1️⃣) The Fed is not expected to cut interest rates in the second half of the year, and the price of gold may be depressed.\\n2️⃣) The dollar may weaken further, providing support for gold prices but with limited effect.\\nPs: The current strengthening of the US dollar is even more detrimental to gold prices.\\n3️⃣) There is limited room for growth in demand for gold ETFs.',), ('4️⃣) High prices may dampen demand for jewellery, gold coins and bars.\\n5️⃣) Central bank gold demand may decline slightly.\\nIn addition, gold does not bear interest, and the current price of gold has fallen as scheduled, which is completely in line with expectations.\\nIf you are unclear about the logic in this area, you can ask for relevant handouts through my assistant, Ms. Mary.👇🏻👇🏻👇🏻',), ('Mary Garcia',), (\"Crude oil is a highly cyclical product. Oil prices will rise and fall with the demand level of the entire economy. Now it is the down cycle. The Fed's aggressive rate hikes have started to hurt the economy, and while they have lowered inflation, they could be accompanied by more pain because rate hikes typically hit the economy with a lag. Therefore, the price of oil is easy to fall but difficult to rise.\",), ('When the risk-free rate increases, it is bad for stock prices.\\nPeople reduce consumption and are more willing to save, reducing the capital flow of the stock market.\\nRaising interest rates means raising deposit and loan interest rates, increasing the difficulty of corporate financing, and negative for the stock market.\\nCoupled with the inevitable recession in the U.S. stock market, corporate profits will decline accordingly, which is bad for the stock market.\\n...\\n\\nAs an investor, we must pay attention to these impacts and risks.',), ('Point 3: 🔸A bull market for cryptocurrencies is coming.🌈\\nThere are two important factors that tell us that the spring of the cryptocurrency market has arrived.',), ('1️⃣) Internal factors: halving mechanism.\\nFrom a fundamental point of view, Bitcoin halving means that the number of Bitcoins that can be mined in the future will decrease, and the total amount of Bitcoins will eventually reach 21 million.\\nThis feature makes Bitcoin relatively scarce compared to fiat currency, and scarcity will gradually increase commodity prices. \\nFrom the perspective of historical trends, every Bitcoin halving period ushered in an unprecedentedly prosperous bull market.\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.',), ('2️⃣) External factors: Risks in the financial market make the cryptocurrency market a safe haven.\\nFactors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAmid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counter the possible impact of further interest rate hikes by the Fed.\\nBitcoin will become the king of safe-haven assets over gold.\\nWhy is it said that the market value of the cryptocurrency market will soon surpass gold and be comparable to US stocks?\\nWhy is it said that the price of BTC will reach $360,000 in the fourth round of the bull market?\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will share these logics and lead my friends who support me to show their ambitions in the cryptocurrency market.👇🏻👇🏻',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.🔶🔶🔶\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.✏️✏️\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.👇🏻👇🏻👇🏻',), ('Mary Garcia',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), ('Mary Garcia',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.🎁🎁\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆🏆\\nIf you want to receive a $3,000 🎁💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.🤝\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"the impact of the Fed\\'s interest rate hike in June on major investment markets\".\\nToday I will share the following topics.\\n1. Today\\'s BTC contract trading strategy.\\n2. Rising bond yields and capital flows pose risks to the stock market.\\n3. The debt impasse will be resolved, but it will recur',), (\"1. 🔸Today's BTC contract trading strategy.\\nFrom last Sunday to today, I have announced a total of 3 trading signals, all of which have achieved good short-term gains. In the current trend of weak shocks, this is very rare.\\nTherefore, when trading opportunities arise, we still have to lower our earnings expectations.\\n\\nI think the mid-term buying point is established, so I mainly buy call contracts.\\n1️⃣) Consider buying when the price is near the support level.\",), (\"2️⃣) Take advantage of the timing when the price and the indicator run counter to each other to grasp the buying point.\\nFor example, timing1/2 in the above figure, the specific method I shared last week.\\nFriends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\n3️⃣) Stop loss when the price effectively falls below the support line.\\n4️⃣) When the price is close to the pressure line, take profit when the buying power is exhausted.\",), (\"3. 🔸The debt impasse will be resolved, but it will recur.\\nThe easiest way to solve the debt ceiling problem is to raise it, which has been done nearly 100 times in history, although there was a small hiccup today.\\nIt's like a husband and wife quarreling, and finally compromise with each other in order to maintain the peaceful coexistence of the two families.\\nBut this solution is not sustainable.\\nBecause this approach cannot pay investors high enough interest rates to allow them to hold debt assets, nor can it keep interest rates low enough that borrowers can service their debts.\",), ('When the amount of debt sold is greater than the amount buyers want to buy, the central bank faces a choice: Either let interest rates rise to balance supply and demand, which is hard on debtors and the economy. Or they have to print money to buy debt, which creates inflation and encourages debt holders to sell their debt, making the debt imbalance worse.',), ('Then, the cycle repeats itself.\\nThis problem will remain for a long time, and one day in the future there will be a real collapse of the financial system and a financial tsunami will occur.\\nSpeaking of this, what I most want to express is \"the cycle of raising and lowering interest rates is the government\\'s cash cow.\" This is an opinion I often express.\\nThe essence of inflation is excessive money supply.\\nIn this cycle, the people who benefit the most are the people who borrow the most, and the people who borrow the most are governments, financial institutions, and large technology companies.\\nWhat should we ordinary people do?',), ('I think the best way is to use our technology in the investment market to continuously make money, make money, and make money.💰💰💰\\nNow it seems that the cryptocurrency market is a good track.',), ('The generation mechanism of BTC determines that it is relatively scarce compared with fiat currency, and the scarcity will gradually increase the price of BTC.📈📈\\nFrom the perspective of historical trends, every time the BTC halving mechanism is triggered, an unprecedentedly prosperous bull market ushered in.👍🏻👍🏻\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.\\nThe risk in the financial market makes the cryptocurrency market the best safe haven.\\nCryptocurrency has become the best investment tool of this century.📊',), ('As the debt ceiling issue is resolved, and interest rate policy is becoming clearer. Major investment markets will usher in a new beginning.1\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I would like to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nSharing these today, have a great weekend.🎁🎁⬇️⬇️',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), (\"See the picture above:⬆️⬆️⬆️\\nRecently I have received a lot of letters from my new friends. I believe you must have a lot of questions. Is this \\ncompetition real? Do you get a $3,000 bonus vote at the end? I'm currently interested in the cryptocurrency market. ❓❓❓\\nCan I actually make money in the cryptocurrency market?\\nI would like to say that since my contest is still in the preparatory stage, there will be new members in the group \\nin a few days, so please wait a few days, it won't be too long, I will tell you how to vote, please keep in touch 👇🏻👇🏻👇🏻👇🏻⬇️⬇️⬇️⬇️\",), (\"with my assistant Ms Mary, everything we do and say is true, and the contest supporting me is free, I won't charge \\nyou any fee. Since it doesn't require you to pay anything, why can't you have a try? So please don't quit in a hurry \\nand stay in my group to support me in the upcoming Contest. I am confident that I will win the first place in this \\nContest, so what I promise you will come true. I plan to reward my friends with $3,000 each for supporting me along \\nwith a real-time trading signal strategy of at least 30% profit per day\\nIf you are interested in investing in Bitcoin and receiving a voting quota of 3k dollars, please add the business \\ncard below. This is the business card of my assistant Mary Garcia. Have a great weekend.🤝🏻\",), ('Mary Garcia',), ('Hi, my friend, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry☺️This is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share.\\n\"Btcoin-2023 New Bull Market Mars-Final\" is about to enter the Final stage, so we invite you to enter this group to vote for Mr. Jim. Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars 💰.There is also a real-time trading signal strategy with at least 30% profit per day, All these are free. If you have any questions, please add my business card and communicate with me⤵️',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), (\"Welcome new friends to join the group. If you want to know how to earn 30% revenue every day, please don't leave the group in a hurry. 📌🔗📌Please join the discussion group first, and later I will tell you the purpose of inviting you to join our group\\n\\n\\n\\nPlease give me some time!🥇\",), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people join each day before the final, so you may see these repeated messages before the final.\\nSince today is the weekend, Mr. Jim will continue to share market news and trading signals in the group during the working day. The final game is about to start, and we will enable group chat. This is the beginning of today's share, from this moment on,\",), (\"we will officially let you know about this market. If you are interested in this, 📌🔗📌Remember to stick this discussion group to the top. I believe Mr. Jim's sharing will bring you great wealth\\nTo this end, Mr. Jim prepared two gifts for his supporters🎁🎁\\nFirst, he plans to give $3,000 each to friends who support him💰\\nHow to get this gift immediately? Please add your business card below\\n⬇️-⬇️-⬇️\\nThis is the business card of Mr. Jim's assistant Mary Garcia. Welcome to write to us\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.🤝🏻\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.👍🏻👍🏻🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nWelcome more new friends to join the group, hope to get your support.\\nPlease wait patiently, the finals will start soon.\\nAlthough today is the weekend, there is an important theme that I think it is necessary to share with you in time.🔺\\nThe investment theme I want to share today is: the debt ceiling crisis will trigger market turmoil, how should investors profit?❓❓❓',), (\"1. The debt ceiling crisis will continue to exacerbate financial market turmoil, and the banking industry will suffer greatly from it.\\nFrom the solution to the debt ceiling problem, capital flows, bearish positions and Yellen's remarks show that the banking crisis will intensify.\\n\\n1) The solution to the debt crisis is negative for the banking sector.\",), ('During the two debt crises of 2011 and 2013, Congress finally raised the debt ceiling at the last minute. Each time, after raising the debt limit, the Treasury replenished its cash reserves by re-issuing massive amounts of Treasury bonds and sucking in a lot of cash from the market.\\nOnce the debt ceiling crisis is resolved in this way, the US Treasury will return to borrowing over a trillion dollars to top up its cash reserve account. Then the liquidity of the market may be drained by the treasury bonds issued by the Ministry of Finance, and the banking system will face huge risks again, increasing the risk of bank failure again.',), ('2️⃣) The net inflow of money funds continued.\\nThe latest data from the Institute of Investment Companies of America shows that, continuing the trend of the previous week, the scale of monetary funds continued to expand.\\nSome $13.6 billion poured into U.S. money funds this week, pushing their size to an all-time high of $5.34 trillion.\\nOver the past three months, money funds have grown by more than $520 billion.',), (\"There are two reasons for the continuous net inflow of money funds.\\nOne is that after the Fed continued to raise interest rates, the market interest rate continued to rise, and the advantages for deposits expanded.\\nThe second is that the risk of deposits in small banks tends to make funds tend to be more secure monetary funds.\\nThe surge in money market inflows points to lingering risks in the banking sector. Meanwhile, the Fed's blood transfusion for banks is not over yet.\",), ('3)🔸 Bearish positions are increasing.\\nThe recent rebound in regional banks may not signal the end of the US banking crisis.\\nMany investors are also aggressively creating put orders on these banks.\\nNearly 48% of positions in the ETF KER are betting on regional banks falling, up from 42% last week, according to data compiled by technology and data analytics firm S3 Partners.',), (\"4) 🔴Treasury Secretary Yellen warned that more bank mergers may be necessary.\\nSome media revealed that on May 18, Yellen echoed the US regulators who said that bank mergers may occur in the current environment.\\nAccording to market analysis, this means that more banks are expected to fail soon.\\nYellen's remarks weighed on stocks of U.S. regional banks in early trading on Friday. Bank stocks generally retreated on Friday, with regional banks falling even more.📊📊\",), ('2. Under the turmoil of the financial system, the way investors make profits.\\nAlthough the U.S. managed to raise the debt ceiling in time, the 2011 debt ceiling crisis caused a massive spike in volatility and sparked wild swings across asset classes.📈📉\\nInvestors have three big ways to profit if U.S. stocks sell off as they did during the 2011 debt-ceiling crisis.🔸\\nThe Bank of America team wrote in a research report that customers can get up to 30 times the remuneration through some cheap Option Contracts. These operations pay off handsomely when the S&P falls by more than 10%.💰💰💰',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('In my opinion, there are three extended ways to make profits, namely, put options on the S&P 500 index, VIX call options, and cryptocurrency call contracts.\\nAmong these three profit methods, I have a soft spot for cryptocurrency. It is not difficult to obtain 100 times the profit in this market, and there are many ways to make profits.',), (\"Except that the triggering of the fourth round of halving mechanism will lead to the start of the cryptocurrency bull market in 2023. The banking crisis has been one of the catalysts for Bitcoin's strong rise this year.\\nCryptocurrency prices have been soaring recently, reaching as high as $31,000 in mid-April as investor concerns over the U.S. banking sector began to mount again.\",), ('The intensification of the banking crisis is positive for safe-haven assets such as cryptocurrencies.\\nMy view on \"BTC\\'s medium-term buying point is established\" remains unchanged, and the stop loss line is MA120. As shown above, it is the strategy I will focus on this week.\\n\\nIf you want to get these three profit methods, or want to get a secure cryptocurrency application, or get real-time trading signals, you can ask my assistant, Ms. Mary,👩🏼 who is a software engineer.⬇️⬇️',), ('Mary Garcia',), ('As a thank you for your votes, I have also prepared two gifts.🤝🏻\\nFirst up is voting rewards,🎁🎁 I plan to award $3,000 💰💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📫📫\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nSince the Silicon Valley Bank incident, the global financial market has been in turmoil and investment has become more difficult, so I have shared more valuable information.\\nIn the last week, I tracked and shared topics such as debt impasse and three ways to profit, banking crisis, negative factors in the stock market, and major investment market trends.',), (\"Today I will share the following investment themes.\\n1.🔸 Treat market changes with caution, and the trend will gradually become clear.\\n2.🔹 Today's BTC contract trading strategy.\\n3.🔸 It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\",), ('1. Treat market changes with caution, and the trend will gradually become clear.📊\\nTake stocks and the US dollar as examples today to help friends clarify these trends.\\n\\n1️⃣) Beware of false breakthroughs in the stock market.\\nThere were signs of panic buying in stocks last week as some investors believed a new bull market had begun.\\nFor the stock market, the current valuation is too high, whether it is fundamental or technical, there is no possibility of breakthrough here.',), ('Defensive stocks are all rising at the moment, and cyclical stocks such as banking stocks, retail, and transportation are not performing well.\\nLike last summer, this rally will likely be a false up.\\nThe S&P 500 struggles to break out of the range between 3,800 and 4,300, and even if it does, it is likely to fall back later.\\nIt is recommended that friends beware of false breakthroughs, that is, bull traps.',), (\"2)🔸 The dollar needs to be cautious, but has short-term upside.\\nOn Friday, bipartisan talks failed to produce results. But optimism picked up after the weekend.\\nThe market sees them reaching an agreement on the debt ceiling, while Fed rate cut expectations are delayed, which ultimately proved to be positive for the dollar.\\nHowever, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.\",), (\"However, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.👆🏻👆🏻👆🏻\\nHowever, judging from the DXY daily trend chart, there is room for short-term upside.\\nThe operating space and technical points are shown in the figure above.\\nIf the dollar rises in the short term, gold will fall. But even if the dollar rises, the space is limited.📊📊\\nRecognize these trends, our investment will be smoother.\\nNext, let's focus on the cryptocurrency market.\",), (\"2. Today's BTC contract trading strategy.📈📉\\n1) It is worth participating in the mid-term buying point of BTC.📊\\nJudging from the BTC daily trend chart, the current price is above the MA90-120, and the upward trend of the MA90-120 is good.\\nThe current price is in a resistance-intensive area, and the yellow line represents a very important and meaningful price, which will definitely become the dividing line between bulls and bears.❗❗\",), ('Judging by MACD, the fast and slow lines are about to form a golden cross, and the value of MACD shows signs of \"turning from negative to positive\". This shows that the power of sellers is exhausting and the power of buyers is accumulating.\\nFrom an objective understanding, this medium-term buying point is very worth participating.\\nAt present, I gradually increase the capital position to buy bullish contracts, the stop loss line is MA120, and the overall capital position is still controlled within 5%.',), (\"2) The short-term trend of BTC still maintains fluctuations between small groups.\\nAs shown in the figure above, although the price of BTC/USDT does not fluctuate much, the buying point suggested in yesterday's strategy is very accurate.\\nSince the price is fluctuating in a weak range, we have to lower our earnings expectations during the transaction.\\nAt present, it is still dominated by bullish contracts.\\nConsider buying when the price is near a support level.\\nUse the timing when the price deviates from the indicator to grasp the buying point. For example, timing1/2 in the figure above.\",), (\"Friends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\nStop loss when the price effectively falls below the support line.\\nWhen the price is close to the pressure line, use the timing of the exhaustion of buying power to take profit.\",), ('Mary Garcia',), ('3. 🔸It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\\nTo put it simply, in the short term, inflationary pressures in the United States have eased, but there are still twists and turns in the downward phase of inflation.📉📈\\nIn the long run, the labor market is still the biggest factor of uncertainty affecting the trend of US inflation.❗❗\\nThe results of the SVAR model show that long-term inflation may remain above 3%, and it is difficult to return to 2% before the epidemic.📊\\nIt is precisely because long-term inflation data is difficult to decline, which makes it difficult to make decisions on interest rate policy.🔹',), ('It is precisely because the interest rate policy is unclear that it is more difficult for investors to find markets, varieties and corresponding trends that allow them to easily invest and make profits.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.📬\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.📌📌\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.🏆🏆🏆\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000💰💰 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.👆🏻👆🏻\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.🔺\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!❗❗\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝🏻🤝🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.❤️\\nWelcome new friends to join this investment discussion group.👏🏻👏🏻\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.⬇️💌💌⬇️\",), ('Mary Garcia',), ('6️⃣ Btcoin Masters - Jim Investment Team',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I shared my judgment on the trend of the stock, US dollar, and gold markets.\\nToday I will share the following 3 important investment themes.',), ('1. The pressure on the banking industry has raised expectations for interest rate cuts within the year.\\nJudging from the data of Bank of America, both the asset side and the liability side of the U.S. banking industry are facing greater pressure. It is expected that the continued loss of deposits will further increase the operating pressure and liquidity pressure of banks.\\nAt the same time, commercial real estate loans held by banks have relatively large risk exposures, and high unrealized losses in securities investment are common problems.\\nHowever, considering that the U.S. financial market developed relatively healthy after the 2008 financial crisis, and regulators have more experience in responding, the probability of systemic risk in the U.S. banking industry in this round is relatively low',), ('However, widespread pressure in the banking industry may push credit to tighten faster, and the labor market may weaken rapidly in the future, thus increasing the probability of the Fed cutting interest rates within this year.\\nThe trend of the investment market reflects future expectations more often.\\nIf the expectation of interest rate cut increases, it will bring the expectation of depreciation of the dollar, and people will look for real assets to avoid risks. The interest rate cut will lower the loan interest rate, which is conducive to the development of the real industry',), ('Therefore, if the expectation of interest rate cuts increases, it will be beneficial to the stock market, real estate, cryptocurrency and other markets.\\nI will continue to track and share the important information of each investment market, and share it with my friends as soon as possible. Hoping to get support from my friends for voting in my finals.',), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), ('2. The investment logic, opportunities and strategies of bonds in the current environment.\\nWill the debt deadlock crisis be lifted smoothly to eliminate possible financial market turmoil? This has become the core theme that global investors are currently paying more attention to.\\nU.S. Treasury spreads showed signs of widening, with U.S. investment-grade corporate debt also affected.\\nThe U.S. government has encountered 78 discussions on the debt ceiling since 1960. According to past experience, during the negotiation process, the capital market usually suffers from anxiety and volatility due to fear of a stalemate in the negotiations.\\nHowever, in the end Congress agreed to raise the debt ceiling and the crisis was lifted smoothly. We expect that this negotiation will eventually reach an agreement.',), (\"U.S. government bonds and investment-grade bonds are an integral part of investment portfolios, but I suggest that friends pay attention to the strategies I share next to avoid falling into the vicious cycle of buying high and selling low.\\nObserving the past three U.S. debt ceiling crises, various types of bonds and U.S. stocks performed differently, but U.S. government bonds and investment-grade bonds seemed to benefit from investors' concerns about volatility.\\nFunds flowed into these two types of bonds under the risk aversion sentiment, making their performance buck the trend.\",), (\"Take 2011 as an example. At that time, the negotiations between the US government and Congress failed to reach a consensus, which led to the downgrade of the US long-term credit rating by Standard & Poor's, and the US stock market fell by more than 17%. It is worth noting that although short-term U.S. government bonds fell at that time, medium- and long-term government bonds bucked the trend and rose.\",), (\"The current situation is somewhat similar, and with the CPI annual growth rate falling to 4.9%, the market expects interest rates to remain stable or decline, which is relatively favorable for the performance of the bond market.\\nI have done an analysis last week, taking the 10-year bond as an example, let's take a look at its technical graphics and strategies.\\nThe current operating range of the price is shown in the figure above, and the deviation point between the MACD indicator and the price is used to sell.\\nHistorical experience shows that in the past, when GDP was within 2%, the average annual returns of more defensive U.S. Treasury bonds and investment-grade bonds were 6.7% and 4.7%.\",), (\"In fact, compared to cryptocurrency contract transactions, the benefits of bonds are simply negligible.\\nFor example, we obtained more than 80% of the overall income from yesterday's strategy.\\nNext I will share the cryptocurrency strategy.📊📊👇🏻👇🏻\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"3. Today's BTC contract trading strategy.❗❗\\nSince the 14th of this month, what I have been emphasizing is the strategy of buying BTC bullish contracts at low prices.\\nWhether it is the medium-term strategy analyzed from the daily trend chart or the short-term strategy analyzed from the 15-30 minute trend chart, when the overall capital position is less than 5%, I continue to increase the use of capital positions.\\nSo far, this series of strategies has been very successful.\\nObjectively speaking, BTC has fluctuated within a narrow range recently, and it is not easy to achieve such a profit.\\nRecently, many cryptocurrency, gold, stock, and crude oil investors are losing money.\",), ('Before giving the latest strategy, let me say a few suggestions.👇🏻🔹👇🏻🔹👇🏻\\n1) It is recommended that friends lower their income expectations in recent transactions, and fast in and fast out.\\n2) It is recommended that you pin this group to the top, so that you can quickly grasp core information, opinions, strategies, and trading signals.\\nAnd when the voting window opens, this group will be even more exciting.\\n3) If you want to know more real-time trading signals and benefit from this market simultaneously with me, I suggest you add the business card of my assistant, Ms. Mary, and write to her.',), ('Mary Garcia',), ('From the 30-minute analysis chart above, we can see our trading process in the past few days.\\nThe strategy is as follows.\\n1)🔸 I will sell some of the profitable orders to keep the profit.\\n2) 🔹At present, it is still mainly to participate in bullish contracts.\\n3)🔸 Whether the price breaks through line B becomes the key.\\n4) 🔹If there are technical characteristics such as MACD fast and slow line dead cross or MACD negative value increases, sell profitable orders.',), ('Then wait for the price to come near the lower support level, and use the timing of the divergence between the indicator and the price to find a buying point. The principle is the same as timing1/2.\\n5) If the price breaks through line B strongly, you can create a call contract order when the price retraces and the timing of the exhaustion of selling orders and the increase of buying orders can be used.\\n\\nAfter the voting window opens, I will share my trading system, which will explain these methods in detail.',), ('Summarize what I shared today.\\n1) The risk of the banking industry is good for the cryptocurrency market, because the cryptocurrency market is the best safe-haven product, and BTC is the leader this year.\\nThe pressure on the banking industry has increased the expectation of interest rate cuts, which is good for the stock market, cryptocurrency market, real estate industry, etc.\\n2) Bonds have an upward range in the short term, but avoid buying high and selling low, and pay attention to the key points in the analysis chart.\\n3) In the past few days, although BTC has fluctuated within a narrow range, our contract transactions have achieved good returns. Please cherish this fruit of labor, and let us make more efforts together in exchange for more profits.',), ('If you want to grasp more real-time trading signals, you can write to my assistant, Ms. Mary, to get them.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\\nThis is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\",), ('At that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊📈📈',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('You here?',), ('Hey',), (\"I'm here. Trying to collect some information today\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Let's talk this weekend.\",), (\"Sounds good. I'll be out site seeing.\",), ('Take pics.',), ('Of course.',), ('Love it when Sanata comes early.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Please allow me to introduce myself first. I am the official representative of Btcoin Exchange Center. We are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"Voting for contestants\" as the main topics to share🥇\\nAgainst the backdrop of \"heightened risks in global investment markets at the end of the Fed rate hike\" and \"the halving of Bitcoin\\'s fourth round of mining incentives will catalyze a new bull market in cryptocurrencies\". After acquiring several important mining enterprises in the industry and integrating high-quality ICO qualification resources, Btcoin Tech Group established a new trading center, Btcoin, aiming to quickly seize the cryptocurrency market and become a leader in the industry\\nPlease keep reading⬇️ ⬇️',), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him❗️',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people will be joining each day before the finals, so you may see these repeated messages before the finals. I hope everyone stays in the discussion group🙏\\nThe finals will start soon, and we will start the group chat function at that time. I'm sure you won't be disappointed.\\nNext, I would like to invite Professor Jim to share today's investment👏⤵️👏\",), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I mainly shared the investment logic and strategy of bonds.',), (\"Today I will share the following two topics.\\n1. 🔸There is still room for the dollar to rise.\\n2. 🔹Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\n3. 🔸Today's BTC contract trading strategy: the key point is coming.\",), (\"1. There is still room for the dollar to rise.\\nThere are currently three bullish factors for the dollar.\\n1️⃣ Overnight hawkish comments from several influential Fed officials boosted market bets that the Fed will keep interest rates high for longer.\\nRaising interest rates means that the US dollar has higher interest returns and financial asset returns, which is one of the upward thrusts for the US dollar.\\n2️⃣ Concerns over a slowdown in global economic growth, especially in Europe and China, further favor the dollar's relative safe-haven status.\\n3️⃣The current debt ceiling crisis in the United States has spawned safe-haven demand and is also driving the dollar upward.\\nWhen markets face a range of risks, investors often choose to buy less risky assets such as bonds, cryptocurrencies, gold and the U.S. dollar.\",), ('Therefore, the dollar will have the momentum to continue to rise, as shown in the chart below for technical analysis.',), (\"2. Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\nEven if the U.S. does not eventually default, a crash in U.S. stocks may be inevitable.\\nIf the debt ceiling talks fail to reach an agreement, that would certainly be bearish for stocks.\\nIf a negotiated agreement is reached, it will also cause the stock market to fall.\\nBecause the U.S. Treasury Department will increase the issuance of treasury bonds, sucking the liquidity of the financial system.\\nAs shown in the chart below, reviewing the Treasury bond issuance and stock market volatility in recent years, you will find that the Treasury's new bond issuance will absorb the Fed's reserves. U.S. stocks tend to fall when debt issuance increases.\",), ('Although the medium and long-term prospects of US stocks are improving. However, once the debt ceiling negotiations are over, US stocks will inevitably fall, or fall sharply.\\nInvestors who understand this logic are often the first to sell.',), (\"But one thing I don't like to see the most is that policy makers are often forced to reach an agreement and make a decision after seeing the stock market fall. They are testing the market's psychology and bottom line.\\nI believe that when we know this or see this kind of scene, some friends want to curse.\\nRationally look at the following logic and data, I believe everyone will make a decision.\\n1) US stocks plummeted nearly 20% in the 2011 crisis.\\n2) Higher inflation, higher valuations and tighter monetary policy could mean the current market environment could be worse for risk assets.\",), ('3) The current S&P 500 forward earnings estimate is about 18.4 times, compared to its historical average of 15.6 times. In the summer of 2011, the indicator was slightly more than 12 times.\\nSo, the current market and economic backdrop may make the stock market more vulnerable than it was during the 2011 debt default crisis.\\nDear friends, if you are investing in stocks, you must pay attention to this risk.',), ('What I want to say is that from the perspective of absorbing new debts, it is still American families that bear the greatest burden.\\nIn the second half of last year alone, it increased its holdings of U.S. debt by US$750 billion, far exceeding banks, MMFs, companies and overseas investors. This trend is expected to continue as the U.S. Treasury Department increases bond issuance in the future and the Federal Reserve continues quantitative tightening (QT).',), (\"Do you understand the above logic?\\nThe upward trend of the dollar and the solution to the debt ceiling are not good for the stock market, and the stock market has probably peaked.\\nAs a friend who has entered my investment circle, I don't want to see you take these risks.\\nObjectively speaking, we have many better investment methods, and we can choose more efficient investment methods, such as cryptocurrencies.\\nIt is very happy and meaningful to me to help some friends.\\nNext, I will share today's strategy.❗❗❗\",), ('3. Today\\'s BTC contract trading strategy: the key point is coming.\\nThe debt impasse, the rising price of the US dollar, and the hawkish remarks of Fed officials have caused the price of BTC to fall back to a key point.\\nAs shown in the figure above, the current upward trend of MA90-120 is good, and it still has technical support and psychological support.\\nFrom the perspective of rational analysis, the closing line of today\\'s price is very important.\\n1) There are many definitions of an upward trend. My definition of an upward trend may be different from others. My point of view is that \"price intensive areas continue to rise but do not overlap\".',), ('2) If the price falls below MA120 or closes below the price-intensive area A today, pay attention to the possibility of the price going down and seeking support above the price-intensive area B.\\nIf this happens, the MACD will have a negative value, and the fast and slow lines will form a dead fork.',), ('In the process of trading, ordinary traders often have this mentality.\\n1)🔸 It is uncomfortable when the price is running at the bottom.\\n2)🔹 It is comfortable when the price is running at the top.\\nAt present, BTC is in the process of building a new bottom in the mid-term trend.\\nThe current stock index is at the top of the stage.\\nIt is self-evident who will be more cost-effective.',), ('At the same time, BTC has two important advantages, please don\\'t ignore them.\\n1) There is no doubt that BTC is at the starting point of the fourth round of bull market, and the market is already reflecting this bull market expectation.\\n2) When we participate in BTC, we often do not choose spot trading, but choose contract trading tools, which will not only make profits when prices fall, but also greatly improve efficiency and yield.\\nI will share these tips when the voting window for \"Btcoin-2023 New Bull Market Masters-Final\" opens.\\nNext, I will share short-term strategies.',), ('You can choose to participate in the new daily trend after it is formed, which will be more comfortable.\\nOr choose the combination of mid-term and short-term. This kind of combination investment can not only improve efficiency, but also increase the comfort of trading.\\n\\nThe 30-minute strategy is shown above.\\n1) When the middle rail of the Bollinger Band moves downwards, when the price moves to the middle rail or near the upper rail, a bearish contract order can be created when the positive value of MACD decreases, such as the two selling points of AB.\\n2) When the price is near the support line, the bottom divergence pattern appears, and a bullish contract order can be created, such as buying point C.',), ('make a summary together.\\n1) Several Fed officials made hawkish remarks, the slowdown of economic growth in Europe and China, and the debt ceiling crisis are three major factors that are positive for the US dollar. \\nThe US dollar has upward momentum, but the market outlook should pay attention to the deviation between indicators and prices.\\n\\n2) Whether the debt deadlock is resolved will be detrimental to the stock market. The solution to the debt ceiling will most likely be to raise the ceiling and issue new debt, which will suck the liquidity of the financial system and cause the stock market to plummet.',), ('3) We have to learn from the experience of history. The debt ceiling crisis in 2011 caused the stock market to fall by 20%. The current market and economic background is worse than in 2011, and the risk of the stock market is greater',), ('4) Debt deadlock, rising dollar prices, and hawkish remarks from Fed officials have caused BTC prices to fall back to key points.\\n\\n5) But the bull market logic from cryptocurrencies is established, and the market is already reflecting this expectation. And the current price of BTC is in a new mid-term bottom range, which is very worthy of attention.\\n\\n6) We use contract trading to participate in it, and we use combination investment strategies to deal with it calmly and earn considerable profits.\\nFor real-time trading signals, please ask my assistant, Ms. Mary.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.🎁🎁\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.❤️❤️❤️\",), ('Mary Garcia',), ('I may have a conflict on \"go\" week',), (\"You may have to manage it with remote support. I'll explain via voice\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Understood. You're not chickening out, are you?\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the voting window opens, I have an important gift for you all.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\",), (\"Yesterday I analyzed the upward logic of the US dollar, and emphasized the risks of the stock market, and the market further validated my point of view.\\nToday I will share the following topics.\\n1️⃣Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n2️⃣ The price of the US dollar rose as expected, the stock index began to fall, and gold continued to fall.\\n3️⃣ BTC today's contract trading strategy.\\n4️⃣The cryptocurrency market will be more popular with investors.\",), (\"1️⃣ Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n1)🔸 Interest rate policy and direction.\\nThere are major differences within the Fed on the future path of monetary policy, and it is still unable to decide whether it can announce a stop to raising interest rates.\\nJudging from the Fed's understanding of the economy and inflation, as well as its existing discussion framework, it is still a small probability event to cut interest rates within this year.\",), ('2)🔸 Banking crisis.\\nEnsuring that the financial system has sufficient liquidity to meet its demands.\\nThe stock prices of regional banks have further declined, mainly reflecting expectations of a decrease in profitability rather than concerns about solvency.\\nHowever, market participants remain vigilant about the possibility of renewed pressure on the banking industry.\\n\\n3)🔸Debt ceiling.\\nThe debt ceiling must be raised in a timely manner to avoid the risk of severe disruption to the financial system and the overall economy.',), ('2) The US dollar rises as expected, stock indices begin to fall, and gold continues to decline.\\nExpectations of a Fed rate cut have cooled, with the probability of a June rate hike increasing to 48%. In addition, robust US economic data has given the US dollar an advantage.\\nAnxiety surrounding the debt ceiling negotiations has also prompted investors to turn to the US dollar as a safe haven.\\nThe US dollar and bonds are rising, stocks are falling, and gold continues to decline.',), ('This week, I shared important information regarding \"The Three Major Bullish Factors for the US Dollar and the Stock Market\\'s Peak\" and \"The Logic, Opportunities, and Strategies of Bonds\". These insights will have a mid-term impact on major investment markets. I highly recommend that everyone takes the time to understand these concepts. If you have any questions or concerns, please do not hesitate to reach out to me.\\nFor those who are new to the group, you can add my assistant Mary\\'s business card and receive my investment diary.',), ('Last month and at the beginning of this month, when many people were bullish on gold, the price of gold rose to a historic high of around $2,080. At that time, I emphasized that \"the price of gold is approaching its peak and is expected to fall to $1,850-1,800/ounce this year,\" and gave five important arguments. Now it seems that the market is gradually confirming my point of view because these logics are impeccable. Similarly, the top of the stock market has arrived, and today\\'s rise in the Nasdaq index is due to Nvidia\\'s financial forecast data driving up AI-related stocks. As an investor, I strongly advise against any wishful thinking.',), (\"Similarly, the top of the stock market has arrived, and today's rise in the Nasdaq index is due to Nvidia's financial forecast data driving up AI-related stocks. As an investor, I strongly advise against any wishful thinking. These logics are priceless. For professional traders, having a clear understanding of the trends in major markets is a fundamental skill. Only by grasping the trends can we make money.\",), ('Mary Garcia',), (\"3: Today's BTC contract trading strategy.\\n\\nFocusing on more comfortable and familiar investment products will surely yield results. Let's review yesterday's 30-minute BTC contract trading strategy. The strategy provided detailed technical analysis, as shown in the above chart.\",), ('1️⃣ Point A is the timing for the price to rebound to the middle band of the downward Bollinger band. \\n2️⃣ Then, the positive MACD begins to shrink. Subsequently, the price rises near the upper band of the Bollinger band, creating point B. \\n3️⃣ Later, the MACD indicator deviates from the price, forming a buying point C. \\n\\nThe profit potential for points A/B exceeds $450, and point C has a profit potential of over $300. Settlement based on a 50X margin ratio yields a return rate of over 85% for creating bearish contracts at points A/B and a return rate of around 60% for creating bullish contracts at point C.',), ('1) Currently maintaining a weak oscillating trend judgment, with the current price moving within a low range. Looking for a low point to buy.\\n2) When the price runs near the support line or near the lower band of the Bollinger band, use the opportunity of decreasing negative MACD values to capture buying points.\\n3) Stop loss when the price effectively falls below the support line.\\n4) The position size should not exceed 5% of the funds.\\n\\nPS: \\n1) I have already created this order.\\n2) For professional traders, waiting for prey to appear is a very enjoyable process. Beginners can wait for the trend to form before participating, or write to my assistant Mary to receive real-time trading signals.',), (\"4) The cryptocurrency market will be even more loved by investors.\\nYesterday, a friend wrote to me asking whether the expectation of interest rate cuts and the upward trend of the US dollar would suppress the cryptocurrency market. I think this question reflects the concerns of many friends.\\nThere are many factors that determine the start of a bull market for BTC, and 2023 is the year we have decided on. One example is the halving mechanism for mining rewards.\\nFor example, financial system risks have made cryptocurrencies a safe haven. Technical charts provide important psychological support, and BTC's actual performance and mid-term technical buy signals are confirmed. In fact, there are more and more news that favor the cryptocurrency market. Today, I will summarize three pieces of news.\",), (\"1)🔹The advantages of the tool are evident. The financial market's misguided focus on growth and widespread frenzy led to high correlation, but the situation has now calmed down. The correlation between BTC and stocks has decreased, which will allow BTC to once again serve as a reliable diversification investment tool.\\n2)🔸As a public official, my statements represent the will of many people. As a candidate for the 2024 US presidential election and current governor of Florida, Ron DeSantis has expressed that people should be able to use Bitcoin for transactions and that he would not issue a central bank digital currency if he becomes our US president.\",), (\"Actually, there are more and more news like this, but I don't want to waste time sharing them. I prefer to share more valuable information because there are many investment products that our friends in the group are currently investing in. As investors, we need to have a comprehensive understanding of the world in order to make profits more easily. If you have been in our group for more than a day, you will find the value of the content I share. I don't need to prove anything to anyone because I have already been tested by the market.\",), ('Recently, the movements of gold, crude oil, stocks, bonds, and the US dollar have all been indicating certain trends. Many friends, including myself, are waiting for the opening of the \"Bitcoin-2023 New Bull Market Masters-Final\" voting window. Please be patient as the debt crisis disrupts the market, and waiting may not necessarily be a bad thing for us. When the voting window officially opens, we can all show our skills together. If you find my sharing valuable, I suggest you pin this group.',), ('As a token of my appreciation for your support in the voting, I have prepared two gifts. Firstly, as a voting reward, I plan to award $3,000 to each of my friends who have supported me. Additionally, if I am able to secure a top three position, I will split the prize money among my supporters as an extra bonus. The second gift is my \"investment secrets\" that I have accumulated over 30 years of practical experience. These risk control methods have enabled me to achieve certain success in the investment market. By controlling risks in the investment market, profits will follow suit.',), ('The reason why I have been able to achieve some success in the investment market is thanks to the risk control methods that I have summarized. By controlling risks in the investment market, profits will follow. If you don\\'t know much about the profession of \"trader,\" then congratulations, because this gift will save you a lot of time and effort that cannot be obtained by reading 100 books!\\n\\nTo receive this gift immediately, please add the business card below. This is the business card of my assistant, Mary Garcia, and friends are welcome to write to her for communication.\\n\\nThat\\'s all for today, see you tomorrow.',), (\"Ladies and gentlemen, hello. I am Mary Garcia, Professor Jim's assistant, and I welcome new friends to join this investment discussion group. To thank everyone for their support, Professor Jim has prepared a mysterious gift for everyone.\\nFriends who haven't received the gift yet can click on my business card below to write to me and claim it. I believe this first gift will be very helpful to our friends.\\n📌🔗📌Remember to stick this discussion group to the top\\nI hope more buddies will join and support Professor Jim's competition.\\n\\nPlease don't worry, Mr. Jim's Contest finals will officially begin next week. For this reason, Mr. Jim has prepared the first gift for everyone, which will be distributed after the start of Mr. Jim's Contest.\",), (\"Recently, I have received many messages from new friends who have joined the group and are not familiar with Professor Jim's Contest. I hope everyone can actively communicate with me, and I will inform you of the progress of the contest and the benefits you can get by joining the group. I will help everyone to complete these tasks. I hope everyone can vote for Professor Jim in next week's Contest finals!\\nIf you want to claim the $3,000💰 voting reward, receive Professor Jim's real-time trading strategies to earn at least 30% profit daily, and learn about other benefits, or if you want to get access to Professor Jim's real-time trading strategies, please add my business card and send me a message.💌💌\",), ('Mary Garcia',), ('6️⃣ Wealth Builders Club',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nThis week, I mainly shared debt negotiations, three ways to make money when the financial market is in turmoil, the logic and strategy of rising U.S. dollars and U.S. bonds, the peak of the stock market, the logic and trend review of gold, the minutes of the Fed meeting, and the fact that cryptocurrencies are more popular with investors, etc. theme.\",), (\"1️⃣ Economic data increases the probability of raising interest rates in June.\\n2️⃣ The capital flow shows that there will be a new wave of risk aversion in June.\\n3️⃣ Today's BTC contract trading strategy.\",), ('1. Economic data increases the probability of raising interest rates in June.\\nThe Department of Labor released the latest unemployment benefits data yesterday. The adjusted number of initial jobless claims reported last week was 229,000, which was lower than the market expectation of 250,000 and an increase of 4,000 from the revised previous value of 225,000.\\nContinuing claims for unemployment benefits reported 1.7994 million last week, below market expectations of 1.8 million.\\nThe data showed that the overall job market remains strong.',), (\"The PCE data released by the Ministry of Commerce today showed an annual increase of 4.7%, higher than the expected 4.6%, and a monthly increase of 0.4%, higher than the expected 0.3%, the highest since January 2023. This data is the Fed's favorite inflation index.\\nThe PCE data highlighted the stubbornness of inflation.\\nThe initial jobless claims data and PCE data put the probability of a rate hike in June at more than 50%\",), ('2. The capital flow shows that there will be a new wave of risk aversion in June.\\nThe latest Bank of America report shows that the momentum of investors pouring cash into the stock market for the past three consecutive years has begun to weaken.\\nMoney was pulled out of stocks and put into money market funds and bonds.\\nGlobal bond funds saw inflows of $9.5 billion, the ninth consecutive week of inflows.\\nU.S. equity funds posted outflows of $1.5 billion, while European equity funds posted outflows of $1.9 billion.',), ('U.S. large-cap and small-cap funds attracted inflows, while outflows flowed from growth and value funds.\\nTech saw inflows of $500 million, while energy and materials saw the largest outflows.\\nAbout $756 billion has flowed into cash funds so far this year, the most since 2020.\\nAs the U.S. faces a debt default and fears of an economic recession intensify, U.S. stocks will usher in a greater risk-off wave in June, and investors should pay attention to this risk.',), ('This week, I focused on sharing the logic of being optimistic about U.S. bonds and the U.S. dollar, and emphasizing the risks in the stock market and gold market. The correctness of these logics is constantly verified by market trends.\\nFitch is one of the three major credit rating agencies in the world. They put the top AAA credit rating in the United States on the negative watch list. Help the dollar strengthen.\\nThe debt deadlock negotiations have attracted market attention, and many Fed officials have recently turned to hawkish talk, helping the dollar appreciate.',), (\"Markets such as the U.S. dollar, U.S. bonds, U.S. stocks, and gold continued the trend I shared.\\nAt the same time, buying interest in cryptocurrencies continues to accumulate, and a new round of gains is brewing.\\nUnder the current environment, the U.S. dollar, cryptocurrencies, U.S. bonds, and currency funds will see continuous inflows of funds.\\nNext, I will share today's trading strategy.\",), (\"3. Today's BTC contract trading strategy.\\nFirst review yesterday's 1-hour strategies and trades.\\nYesterday's strategy was very successful.\\nWhile sharing the strategy yesterday, I announced the trading signal, and clearly told everyone to grasp the timing of the buying point.\\nThe price I bought was a bit high, and if executed according to the strategy, the rate of return could exceed 100%.\\nThere were several very good buying points yesterday, and the prices were all near the lower rail of the Bollinger Bands.\\nTherefore, a good strategy coupled with good execution is the key to ensuring long-term stable profitability.\\nNext, I will share today's latest strategy. If you want to know real-time trading signals, you can write to my assistant, Ms. Mary.\",), ('Mary Garcia',), ('The short-term strategy cycle level shared today is relatively small, as shown in the figure above, this is a 15-minute strategy.\\nI suggest that everyone lower their income expectations and fast in and fast out.\\n1️⃣ When the price falls back to the support line or the upward trend line, consider buying.\\n2️⃣ When the negative value of MACD decreases, it constitutes a buying point, as shown in the analysis chart on the left.\\n3️⃣ Sell when the price falls below the support line or rising trend line.\\n4️⃣ Fund position does not exceed 5%.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), (\"Ladies and gentlemen, hello! My name is Mary Garcia, and I am Professor Jim's assistant. Welcome to this investment discussion group. To thank you for your support, Professor Jim has prepared a mysterious gift for everyone. If you haven't received the gift yet, please click on my business card below and send me a message to claim it. We believe that this first gift will be very helpful to all of our friends here. Please remember to pin this discussion group and invite more people to join and support Professor Jim's competition. Thank you!\",), (\"Hopes everyone can actively communicate with me. I will keep you updated on the progress of the competition and the benefits you can receive by joining the group. I will also help you complete these tasks. We hope that you will vote for Professor Jim in next week's finals! If you want to claim a ¥3000💰 voting reward, receive Professor Jim's real-time trading strategy to earn at least 30% profit every day, and learn about other benefits, or if you want to receive Professor Jim's real-time trading strategy, please add my business card and send me a message 💌💌.\",), ('Mary Garcia',), ('Hello, ladies and gentlemen👋\\nPlease allow me to introduce myself first. I am the official representative of Btcoin Exchange Center. We are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"Voting for contestants\" as the main topics to share🥇\\nAgainst the backdrop of \"heightened risks in global investment markets at the end of the Fed rate hike\" and \"the halving of Bitcoin\\'s fourth round of mining incentives will catalyze a new bull market in cryptocurrencies\". After acquiring several important mining enterprises in the industry and integrating high-quality ICO qualification resources, Btcoin Tech Group established a new trading center, Btcoin, aiming to quickly seize the cryptocurrency market and become a leader in the industry\\nPlease keep reading⬇️ ⬇️',), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him❗️',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nI am very happy to see more and more friends joining this group, watching and supporting my game.\\nToday is the weekend, and I will briefly summarize the main points of the current major investment markets, so that everyone can have a clear understanding of the current situation and trends.\\nAt the same time, I will give today's BTC trading strategy to help friends who trade on weekends.\\nIf you have any questions, please feel free to write to me, or write to my assistant, Ms. Mary.\",), ('1️⃣ Market expectations for interest rate cuts are gradually weakening, and the probability of raising interest rates in June exceeds 60%.\\n2️⃣ The U.S. dollar has strengthened in recent weeks on hawkish comments from Fed officials and strong U.S. economic data.\\n3️⃣ In the environment of raising interest rates, the attention of gold will decrease accordingly.\\n4️⃣ On the whole, the current market environment is good for the US dollar, U.S. bonds, and cryptocurrencies, but bad for the stock market and gold.',), ('5) Debt ceiling negotiations are still the biggest topic disrupting the market. Although the negotiating parties have been releasing good news in recent days, as the \"default X day\" is getting closer, the stock market hates sudden good news or bad news.\\nU.S. Treasury Secretary Yellen made it clear in her letter on Friday that \"Day X\" is likely to be June 5.\\n...\\n\\nThis Wednesday, I conducted a detailed analysis of the logic of the U.S. dollar and the stock market, and gave a detailed technical analysis. \\nFriends who are not clear about this can consult my assistant, Ms. Mary, to view the investment notes of the day.',), ('Mary Garcia',), ('The latest short-term trading strategy is as follows.\\n1)🔸 As shown in the 1-hour analysis chart above. The current BTC trend remains weak and volatile, so we have to fast in and fast out, and lower our earnings expectations.\\n2)🔹 The support line in the figure is the bull-bear dividing line of the short-term trend. The current price is above the support line. When the price falls back to the support line, look for a buying point.\\n3)🔸 Stop loss when the price effectively falls below the support line.\\nSuch a profit-loss ratio is very cost-effective. I have created a call contract order with less than 5% of the capital position.\\n4)🔹 The timing of buying is: the negative value of MACD decreases, the fast line goes up after turning, and the value of MACD turns from negative to positive.',), ('⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️\\nIf you want to get real-time trading signals, please write to my assistant Ms. Mary.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), (\"Hello ladies and gentlemen.❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('My tour is cancelled for the day. Weather is garbage Should be good tomorrow.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I shared \"the current major investment market trends\" in some groups, and gave the latest BTC contract trading strategy, which achieved good returns.',), (\"Today I will share the following topics.\\n1️⃣. The U.S. debt ceiling has reached an agreement, and Congress will vote next Wednesday.\\n2️⃣. The correlation between BTC and US stocks has changed from positive to negative.\\n3️⃣. Today's BTC contract trading strategy: the medium-term buying point is established, and the BTC price has reached the first pressure level.\",), ('1. The U.S. debt ceiling has reached an agreement, and Congress will vote next Wednesday.\\nAfter weeks of intense negotiations, the two parties in the United States finally reached an agreement in principle on Saturday night to resolve the US debt ceiling. However, this agreement still needs to be quickly passed by the US Congress before the US debt default alarm can be truly lifted.\\nThe U.S. Congress must successfully vote to pass relevant bills before the \"X Date\" in order to avoid a debt default in the United States. If there is a slight discrepancy in the votes of the two houses next week, the potential risk of a \"technical default\" on U.S. debt is far from disappearing.',), ('I will continue to share the progress of the incident, and everyone should pay attention to the huge impact of the subsequent issuance of new debt. I shared the relevant logic on Wednesday.\\nFriends who are unclear about this can ask my assistant, Ms. Mary, or get the investment notes of the day.',), ('2. The correlation between BTC and US stocks has changed from positive to negative.\\nPearson Correlation Coefficient is used to measure the linear relationship between fixed distance variables.\\nJudging from the 30-day Pearson coefficient trend chart, since May, the correlation coefficient between BTC and US stocks has been falling all the way, turning from positive to negative, and entering the negative correlation range.\\nIt shows that BTC and US stocks have begun to have a negative correlation.\\nThis is an astonishing discovery, and it makes a lot of sense.',), ('On Friday, I shared \"June will usher in a wave of risk aversion in the stock market\", and on Wednesday I shared \"The stock market is about to fall\".\\nIf you are not clear enough about these logics, please get my investment notes through the assistant.\\nU.S. stocks are about to fall, BTC and U.S. stocks have a negative correlation, and BTC is ushering in the beginning of a mid-term surge.',), (\"3. Today's BTC contract trading strategy: the medium-term buying point is established, and the BTC price has reached the first pressure level.\\n\\nRecently, our BTC bullish contract has achieved good returns, and I have shared many trading signals.\\nCongratulations to my friends who participated in these transactions with me, we have achieved a phased victory.\\nUnder the current environment, it is not easy to achieve these achievements, and everyone must cherish these hard-won achievements.\\nBefore sharing today's strategy, let's review yesterday's strategy to consolidate the skills in actual combat.\",), ('The picture above is the strategy I shared yesterday and I posted my trading signals.\\nPrior to this, the strategies on Thursday and Friday also gave clear strategies and signals.\\nPlease compare my profit chart with the grasp of \"timing\" in the chart below.\\n\\nEveryone pay attention to the order I submitted at 4:00 pm yesterday.\\nAt that time, the value of MACD was about to turn from negative to positive, and the fast and slow lines were about to form a golden cross.\\n\\nIn homeopathic trading, this buying point often results in larger profits in a short period of time.\\nAfter the voting system is opened, I will not only lead everyone to capture such opportunities in real time every day, but also share more practical skills.',), (\"Excited to share these tips with you all.\\nI don't think it is difficult to make money in any investment market, but learning how to make money may be what more friends want.\\nIf you want to become a professional trader, please write to me, I think I can help you.\\nIf you want to get real-time trading signals every day, please consult my assistant, Ms. Mary.\\nNext, I will share today's trading strategy.\",), ('Mary Garcia',), (\"It can be clearly seen from the daily analysis chart that the mid-term buying point is established, which is the best return for our efforts.\\nToday's short-term trading strategy depends on the capital position.\\nThe reason why many people lose money repeatedly in trading is because they invested too little money when the price was low, and invested too much money when the price was high.\\nMy own short-term capital position is sufficient, and I am not prepared to invest more capital positions until the price breaks through $27,600.\\nIf the price does not rise above $27,600 in time, I will sell some capital positions.\\nIf the price can rise strongly above $27,600 and stand above this price, I will look for new opportunities and invest in new positions.\",), (\"Is it appropriate to use the opportunity when the negative value of MACD decreases when the price falls back to the upward trend line or the lower track of the Bollinger Bands to create a bullish contract?\\nOf course it is possible, but because the current price has entered the end of the triangle area, this method is not cost-effective enough.\\nTherefore, as shown in the 30-minute analysis chart above, it is the most cost-effective to wait for a breakthrough, otherwise you can give up today's transaction.\\n\\nWhen the price rises strongly and breaks through the pressure line 1, or later returns to the pressure line 1 again, look for a buying point.\\nAs shown below.\",), ('Buying point feature 1: The fast and slow lines quickly form a golden cross near the zero axis.\\nBuying point feature 2: Before the indicators and indicators deviate, when the negative value of MACD decreases.\\nYou can get real-time trading signals through my assistant Ms. Mary.',), ('Mary Garcia',), ('As an investor in the cryptocurrency market, it is undoubtedly very exciting to learn that \"US stocks have a negative correlation with BTC\". Because the top timing window for US stocks has arrived.\\nThis not only makes BTC more attractive and recognized by investors as a diversified investment tool, but the most important thing is that this mid-term buying point has been firmly grasped in our hands. The future profits must be beyond imagination, and I am full of confidence in this.\\nWe are well aware of the trends in the major investment markets.\\nLike me, many friends are waiting for the opening of the \"Btcoin-2023 New Bull Market Masters-Final\" voting window.',), (\"Friends please be patient, the debt impasse disrupts the market, waiting is not necessarily a bad thing for us.\\nWhen the voting window officially opens, let's show our talents together.\\nIf you think my sharing is valuable to you, I suggest you pin this group to the top.\\nShare these today and see you tomorrow.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello, dear friends.\\nToday is a very, very important day, and today is Memorial Day.\\nAlthough we have made a lot of profits recently. But in our lives, there are many things that are more important than making money, such as family, friends, country, and patriotism.\\nWhen we deeply remember the heroes who have gone on to sacrifice for our country, our hearts are heavy and excited.\\nWe may never be able to appreciate how many difficulties our ancestors and our heroes have experienced on the battlefield.\\nBut we will always be grateful to them for their efforts to have a peaceful and beautiful life today.\\nLet us pay our highest respect to our heroes.',), ('What makes our heroes choose to go forward when they hear the call of the motherland and the people?\\nI think it is a kind of inheritance of spirit and will.\\nThe awareness of serving the country, family, team, and friends is the traditional virtue of our country.\\nIt guides our sons and daughters of America to confront difficulties.\\nIt has given our entire country the faith to persevere in the most difficult times.\\nIt is our security guard.\\nIt makes our lives better, it makes our country safer, and it makes the world freer.\\nIt made all people equal before the law, and it gave people freedom of speech, writing, and religion.\\nIt makes each of us dream.',), (\"This holy day, today is the best classroom.\\nKnowledge, ideas, and skills on the battlefield are always the most advanced. As financial practitioners and freelance investors, this is what we should learn from our predecessors, the army, and soldiers.\\nIn the future, I will share more professional and advanced knowledge, which is what I have learned from today's festival.\\nShare these today and see you tomorrow.\\nMay the Lord bless us, and may the Lord bless the United States of America.\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" has entered the final stage.\\nBecause this final has received the attention of global investors, in order to allow investors and friends to have a better investment experience, our trading center has fully upgraded the application.',), (\"Tomorrow, the voting function will be opened to friends who are following this competition around the world, and the group chat function will be opened and everyone will be told how to vote.\\nYou will receive many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today's sharing.\",), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWe had an excellent buy point starting last Thursday and our strategy paid off handsomely.\\nToday I will continue to summarize the methods in the strategy and share the latest strategies or signals.\\nRecently, my judgment on gold, US dollar, U.S. debt, and stock market has been recognized by many friends. On weekends, many friends took the initiative to write letters to exchange a lot of investment topics, such as AI.\",), (\"So, today I will share with you the following investment themes.\\n1️⃣. Today's BTC contract trading strategy.\\n2️⃣. Important events this week: focus on non-agricultural employment data in May and the debt ceiling resolution.\\n3️⃣. The value of AI is undeniable, but they are grossly overestimated.\",), ('1. Today\\'s BTC contract trading strategy.\\nEveryone look at the picture above, this is the screenshot I kept when I was preparing to reduce some capital positions before the BTC price reached a high point last Sunday. These profits are very considerable.\\nLast Thursday, May 25th, the deal had the highest yield, with a high yield.\\nBecause recently I have been emphasizing that \"technical analysis shows that the medium-term buying point is established.\" Before last Thursday, the price of BTC was in a narrow range. Later, the price hit 1D-MA120 and then established a bottom. During the continuous rise of the price, I kept sharing Bullish strategies and signals.\\nAt present, we have achieved staged profits, which is gratifying.',), ('This purchase point is very meaningful.\\n1) At the time of the debt ceiling negotiations, the risk of many investment markets has increased, and many investors are losing money, while the trend of the cryptocurrency market is very stable.\\nThis not only highlights the advantages of the cryptocurrency market, but also strengthens the bull market signal.\\nWhen encountering a bad policy period, BTC did not fall sharply, and after the bad period passed, its rise will be amazing.',), (\"2) We followed the trend of the market, analyzed its trajectory, found the law, and took action to obtain better returns.\\nThis is the market's reward for our hard work. Congratulations to my friends who have followed me and participated in these trends and made good profits.\\n\\n3) The significance of the mid-term buying point is that it has a good price advantage.\\nLast Thursday I shared my view on implied volume, which was very similar to January of this year, before BTC rallied $15,000.\",), (\"If you just came to this group and you want to know these valuable information, you can get relevant investment notes through my assistant, Ms. Mary.\\nAnd I suggest you put this group to the top, because if you can't make money in my group, I believe that no one can do better than me. This is my confidence in this competition.\\nMy goal is to win the championship. This requires your vote.\\nWith your support, I will share more valuable information.\\nFor example, the picture below shows the strategies and techniques I shared last Sunday.\\nThen the price broke out, some friends got my trading signal, and they made a lot of money.\\nThe gains on the orders my team created after the price breakout were around 100%.\\nCompared with making money, I believe that many friends hope to learn these skills while making money, which is what I will do.\",), ('Understanding important policies, mastering market expectations and directions, using technology, patiently waiting for the emergence of buying and selling points, and finally transforming our knowledge and wisdom into profits are the basic qualities of a trader.\\nNext I will share the latest strategies and signals.\\n\\nI have created an order for a call contract with less than 5% of the funding position.\\nBecause the following information can be seen from the 30-minute analysis chart below.',), ('1)🔸 The price gained support near the support line, and the negative value of MACD began to decrease.\\n2)🔹 If the price falls below the support line, I will choose to stop the loss and wait for an indicator to deviate from the price to enter again.\\n3)🔺 The upper pressure levels are 29,000 and 30,000 respectively.\\n4)🔸 Focus on the running direction of the middle track of the Bollinger Bands, as shown in the example description.',), ('Friends please pay attention.\\n1️⃣The fast and slow line of MACD in the daily trend chart is still running below the zero axis, indicating that the price has not entered a strong range. Therefore, the current period belongs to the period of establishing basic capital positions, and it is not appropriate to use too many capital positions to participate.\\n2️⃣ It is unknown whether the support line in this strategy can form an effective support price, and the next step is to pay attention to the running direction of the middle track of the Bollinger Bands.\\n3️⃣Although many friends agree with my strategies and signals after seeing them, and follow me to use contract trading tools to make money.\\nHowever, if you want to achieve long-term stable profits, you must patiently follow changes in market trends.',), (\"As the voting window opens tomorrow for global investors, I'll be sharing these tips starting tomorrow.\\nFriends who want to get the voting window can write to my assistant, Ms. Mary.\",), ('Mary Garcia',), (\"Next, I will share two other very important topics.\\n\\n2. Important events this week: focus on non-farm employment data in May and the debt ceiling resolution.\\n1) The U.S. Department of Labor will release non-farm payroll data for May on Friday.\\nNon-farm employment data is highly correlated with economic performance. The output of non-farm industries accounts for 80% of the total output of the United States. The improvement of non-farm data indicates that the economy is improving.\\nIt's one of the last pieces of data the Fed will look at before its meeting in mid-June, and it's relevant to the rate decision, so this week's data is very important.\",), ('2) The debt ceiling.\\nA bipartisan agreement in principle to raise our U.S. debt ceiling and avoid a catastrophic default that could destabilize the global economy.\\nTheir next task is to overcome the opposition of bipartisan hardliners, so that the framework agreement can finally be quickly passed in Congress.\\nThis Wednesday is a critical time.',), (\"3. The value of AI is undeniable, but they have been grossly overestimated.\\nIn fact, many investors have such a feeling in 2023 that they did not get what they wanted in the stock market.\\nIf you feel this way, you should pay more attention to the views I will express next.\\nFrom investor optimism about AI to better-than-expected earnings from technology companies to investors fleeing safe assets and optimism about reaching a debt ceiling agreement, U.S. stocks rise on Friday.\\nAs Nvidia's financial forecast exceeded expectations, the core technology stocks of Apple, Microsoft, Alphabet, Amazon, Meta and Tesla rise, as well as the stock index rise.\",), ('1) Fundamental data shows that they are grossly overvalued.\\nThe seven tech stocks have risen a median 43% this year, almost five times as much as the S&P 500. The other 493 stocks in the S&P 500 rise an average of 0.1%.\\nThe average price-to-earnings ratio of the seven largest technology stocks is 35 times, which is 80% higher than the market level.\\nThe combination of price-earnings ratio, stock price and profit reflects the recent performance of the company.\\nIf the stock price rises, but the profit does not change significantly, or even falls, the price-earnings ratio will rise.',), ('Generally, we can understand that the price-earnings ratio is between 0-13, which means that the company is undervalued.\\n14-20 is the normal level. 21-28 means the company is overvalued. When the price-earnings ratio exceeds 28, it reflects that there is an investment bubble in the current stock price.\\nTherefore, a price-earnings ratio of 35 times is a frightening figure.',), (\"2) The current investment environment should not be greedy.\\nIn an environment of high interest rates, tightening credit conditions and debt-ceiling negotiations, stocks rose on the back of AI.\\nCalm down and think about it, it's scary.\\nIt's true as some good companies won't go out of business, but prices are too high right now.\\nThis situation is fraught with risks, and when the hype cycle around AI ends, the market may falter as well.\\nBuffett said, Be greedy when others are fearful, and be fearful when others are greedy.\\nWhen prices are at the top, the average investor feels comfortable.\\nWhen the price is at the bottom, ordinary investors feel uncomfortable.\",), ('For example, when BTC recently built a mid-term buying point near MA120, many people felt very uncomfortable.\\nBut we are different. We have obtained nearly 2,000 US dollars in price difference and excess returns through contract trading, and this profit is safe, and it will increase. This is the opportunity and fun at the bottom.',), ('On May 24, I expressed the following important points.\\n1) Even if the debt ceiling crisis is resolved, the collapse of US stocks may be inevitable.\\nIf the debt ceiling talks fail to reach an agreement, that would certainly be bearish for stocks.\\nIf a negotiated agreement is reached, it will also cause the stock market to fall. Because the U.S. Treasury Department will increase the issuance of treasury bonds, sucking the liquidity of the financial system.',), (\"2) As can be seen from the chart above, the Treasury's new bond issuance will suck up the Fed's reserves. U.S. stocks tend to fall when debt issuance increases.\\n3) US stocks plummeted nearly 20% in the 2011 crisis.\\n4) The current market and economic backdrop may make the stock market more vulnerable than it was during the 2011 debt default crisis.\\nHigher inflation, higher valuations and tighter monetary policy could mean the current market environment could be worse for risk assets.\",), (\"While we believe in the long-term benefits of AI, from an investor's perspective, the current environment is showing a certain mania.\\nAs a qualified investor, we must know how to prevent profits from shrinking and be prepared for danger in times of peace.\\nIf you have not reaped satisfactory returns from your stock investment this year, you should consider choosing a more suitable investment market at this moment.\\nIf you have earned a certain return on your stock investment this year, I suggest that you should pay more attention to the current risks so as to preserve profits.\\nOf course, no one values your own investment more than you.\",), (\"I am very optimistic about the value of AI. Just now Nvidia became the first chip company with a market value of one trillion US dollars, ranking fifth in the US stock market.\\nIf you're interested in it, maybe we can chat about it.\",), ('If you are also concerned about investing in AI and related stocks, please pay attention to the views shared today.\\nBecause the fall of Nvidia or AI concept stocks will happen at any time, the major US stock indexes will drop sharply at that time.\\nAnd there is a negative correlation between BTC and US stocks, so June is very likely to become a period of BTC\\'s skyrocketing.\\nThis is another important factor catalyzing the rise of the cryptocurrency market after the banking crisis.\\nThe representative of the Btcoin trading center has informed us today that the voting window for \"Btcoin-2023 New Bull Market Masters-Final\" will open tomorrow for global investors.\\nI think it\\'s a great moment, it\\'s a well-timed moment.',), (\"It is recommended that friends put this group on top, hoping to get your support.\\nLet's show our talents together.\\nShare these today and see you tomorrow.\",), (\"Hello ladies and gentlemen.❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nBecause \"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors, in order to allow investors and friends to have a better investment experience, our trading center has fully upgraded the application, and the upgrade has now been completed.\\nVoting authority has been opened to the world today, and everyone is welcome to vote for our contestants.\\nYou will get many generous rewards for voting and supporting players.',), ('Mary Garcia',), ('Hello dear friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nIt has been half a year since I participated in \"Btcoin-2023 New Bull Market Masters-Final\", which is organized by Btcoin Tech Group.\\nThis is a grand game',), ('In recent years, many countries around the world are accelerating the development of the cryptocurrency market.\\nIt is reported that in order to better seize the cryptocurrency market and become a leader in the industry, Btcoin Tech Group has acquired several important mining companies in the industry and integrated high-quality ICO qualification resources to establish a Btcoin trading center.\\nIn order to let more investors pay attention to this competition, they publicized this competition in nearly 1,500 well-known media around the world.',), ('Mary Garcia',), ('For example, you can see similar callouts by searching for the following.\\n\\nBtcoin Trading Center is determined to become the first trading center in the global cryptocurrency market. Btcoin-2023 New Bull Market Masters-Final officially begins.\\n\\n\"Btcoin-2023 New Bull Market Masters-Final\" Jim Anderson is the favorite to win the championship\\n\\nThe new generation of cryptocurrency market leader Btcoin trading center has been launched',), ('Because more and more investors are paying attention to this competition, the Btcoin trading center has upgraded its system. As a result, the progress of the finals has been delayed.\\nToday, voting rights have been opened globally. I hope to receive your support in the voting process because the ranking of the contestants is determined by two parts: actual performance and votes. Actual performance is the profit earned by the contestants through trading with Btcoin application during the competition.',), ('Actual performance showcases the trading skills of the contestants, while voting reflects their popularity. Actual performance accounts for 60% of the total score, while voting accounts for 40%. The top three contestants will receive bonuses of $5 million, $3 million, and $1 million respectively. However, what I am most interested in is obtaining the management rights of the \"B Fund\" - a special cryptocurrency fund to be issued by the Btcoin exchange in the future.',), ('I believe many friends have been following the NBA Finals recently. I really admire Jimmy Butler and LeBron James. We can see shades of Michael Jordan in them, which is very inspiring and moving. I wish LeBron James all the best next year to continue creating miracles. I also wish Jimmy Butler and his team great success. In soccer, my idol is Lionel Messi.\\nHe understands the efforts of every comrade, respects every teammate and opponent, is a grateful person, and has great love. He is a leader who combines passion and warmth. They are all people I admire. Competitive sports are full of energy, and the investment market also needs this kind of energy.',), ('I consider myself very fortunate because I have chosen a path that is different from others, and I have always maintained a learning mindset. During my student days, I began to dabble in the financial markets and achieved some success. Later on, I ventured into many investment markets, and although I experienced some failures along the way, my overall performance was good. Although I realized my childhood dream very early on, through this competition, I deeply appreciate the high level of this event.',), ('I have several trading and investment research teams, and I believe that the B Fund on the Bitcoin exchange is a powerful platform. I hope to lead my students onto this stage, which has ignited my dream. To achieve this, I have made sufficient preparations and received strong support from my family. Today, I want to make a solemn promise to my friends who support me in this group:',), ('1. Starting today, I will focus my main energy on the finals. \\n1) My goal is not to enter the top three, but to become the champion. \\n2) I will lead my trading team or some interested friends to surpass other competitors. \\n\\nTo this end, I have made a bet with my trading team members and some friends. If I cannot win the championship, I will punish myself. \\n\\nI believe this is a very friendly incentive method. \\nIt makes our goals clearer. \\nIt gives us more motivation.\\n\\n2. If I win the championship, I will share the $5 million prize money with my friends who voted for me. This is definitely much more than the official reward of $3,000.',), ('3. Through communication with many friends in the group, I found that many of them, like me, are using portfolio investment to invest. Therefore, there are many investment markets and varieties involved, such as stocks, real estate, US dollars, gold, bonds, and so on.\\n\\nAlthough there are many varieties of investment markets, most of them are closely related to each other.\\nIf you have been following the information in our group recently, you will not only see that my analysis and trades in the cryptocurrency market have been continuously validated, but also that my analysis of investment varieties such as gold, stocks, US dollars, and bonds has been validated by the market.',), ('4. Most importantly, I am currently participating in a competition and the opportunities in the cryptocurrency market are obvious. To win the competition, I will use a combination strategy.\\n\\nTherefore, there are daily opportunities for short-term trading in the cryptocurrency market, and it is not difficult to obtain profits of more than 30% through the use of contract tools in daily short-term trading.\\n\\nAs shown in the above chart, we have gained a lot from recent trades.\\n\\nHowever, for me, my core trading philosophy is \"go with the trend and pursue long-term stable profits through a combination of investments.\"',), ('If you are investing in cryptocurrencies and want to achieve excess and steady returns like us, I recommend that you bookmark this group and follow the information in this group.\\n\\nStarting tomorrow, I will share trading signals every day.\\nIf you want to follow me and seize these opportunities, you can prepare for it.',), ('5. If you are interested in trading but feel stuck and unable to break through some bottlenecks, feel free to write to me. Because I hope to cultivate some students to join my trading team through this competition, I can not only help you establish a complete trading system but also provide financial support based on your abilities.\\n\\n6. For friends who love trading, hope to improve themselves through learning, and are willing to support my competition, today I will give away an important gift. This gift is the \"Investment Secrets\" that I have summarized from more than 30 years of practical experience in major investment markets. It is a set of risk control secrets. In the investment market, as long as you control the risk, profits will come naturally. You can receive this important gift through my assistant, Ms. Mary.',), (\"Now, I would like to introduce my assistant, the beautiful and kind Ms. Mary. Friends, she is a high-achieving student. She is an IT engineer and holds a Bachelor's degree in Economics. In many ways, she is my teacher and has helped me a lot. I am very grateful to her.\\nShe is highly proficient in the fields of economics, software, and IT. Therefore, I believe she can help you solve many problems. If you want to receive this gift, if you want to receive real-time trading signals from my trading team, if you want to access the voting window, or if you want to learn about the pros and cons of different cryptocurrency trading center applications.\",), ('You can write to her if you want to. Also, if you want to learn more about the Btcoin trading center and the competition, you can write to Ms. Mary or the official representative of the Btcoin trading center.',), ('Mary Garcia',), (\"Dear friends, thank you for voting for me. I believe other contestants are also working hard. I am currently behind, but I believe I will receive more of your support. Starting tomorrow, I will share trading signals at least once every workday, leading friends to achieve excess returns of over 30% per day. Remember, this is our basic goal, so be prepared for it.\\nTomorrow will be the first day of June, which is very meaningful to me as it marks the beginning of my new dream. As we realize our dreams, tomorrow will be a commemorative day for many friends who embark on the journey with me. Let's work hard together, as opportunities always favor those who are better prepared. Friends who want to receive real-time trading signals can write to Ms. Mary. That's all for today, see you tomorrow.\",), (\"Ladies and gentlemen, hello.\\nI am Mary Garcia, assistant to Professor Jim. \\nWelcome new friends to this investment discussion group. \\nThanks to Professor Jim's sharing, he has achieved extraordinary success in many investment markets and he wants to realize his new dream through this competition. \\nThis is lucky for our group of investor friends because I believe he will lead us to success.\\nI see many friends voting for Professor Jim, thank you all.\\nIf you have voted, please send me a screenshot as proof to claim your reward.\\nProfessor Jim has sent out his gift today, you can write to me and claim it.\\nIf you want to access the voting window, or if you want to receive real-time trading strategies or signals from Professor Jim's team, or if you need any help, please add my business card and write to me.\",), ('Mary Garcia',), ('Hiii dear. Here as well 👋🏻',), ('Good chatting with ya \\nSide note \\nI’m looking for someone to do the kind of stuff I told you I’m involved with',), ('Got someone I can trust?',), ('I do',), ('Signal though',), ('Thx 👍🏻',), ('Ladies and gentlemen, hello everyone.\\nI am the official representative of Btcoin Trading Center, and we are the creators of this group. This is a discussion group mainly focused on \"cryptocurrency investment competitions\" and \"voting for participants\".\\nAs \"Btcoin-2023 New Bull Market Masters-Final\" has attracted global investors\\' attention, in order to provide a better investment experience for our investor friends, our trading center has completed a comprehensive upgrade of the application program.',), (\"We have now opened voting rights globally and welcome everyone to vote for our competition participants. By voting and supporting the participants, you will receive many generous rewards.\\nThis group has invited Professor Jim, who was the first participant to lock in a spot in the finals during the preliminary rounds and has exceptional skills.\\nLater on, I will invite him to share with us today.\\nYou can obtain the voting method from me or Jim's assistant, Miss Mary.\",), ('Mary Garcia',), (\"Dear friends, hello, I'm Jim Anderson. I am thrilled to have made it to the finals and to be able to share with fellow investors. I hope my insights can be helpful to everyone and earn your voting support.\\nNew friends are welcome to join this group. If you have any questions, please feel free to reach out to my assistant, Miss Mary.\\nThank you for your votes. With your support, I am more confident in winning the championship.\\nI hope more friends can vote for me. Thank you.\\nYou can obtain the voting window through my assistant, Miss Mary.\",), (\"Today is the day I officially enter the finals, marking the beginning of my new dream. Prior to the voting window opening, I have shared my insights on various investment markets in this group for some time and have received recognition from many friends after market validation. I am thrilled about this.🤝🏻🎉🤝🏻\\nIt is my honor to bring real value to my supportive friends. Today, I will be sharing my trading signals in real-time and some important insights on other major investment markets. Let's now observe the trend of BTC together and come up with real-time strategies to seize trading opportunities.📊\",), ('Just now, I created a BTC bullish contract order with a very small capital position.\\nNext I will share my logic.',), (\"As I am actively trading and monitoring the markets, time is precious to me. I will share detailed information on the fundamentals of cryptocurrencies after my trades are completed or when I have more time available.\\nFirst, let's review some technical analysis on BTC. Based on the daily chart analysis, the following technical points can be observed: \\n1️⃣ The price has fallen to a zone of price density.\\n2️⃣ The price is above the MA120, and the upward trend of the MA120 provides support for the price.\\n\\nTherefore, I will focus on creating long contract orders.📊\",), ('Based on the 1-hour chart analysis, the following technical points can be observed:\\n1.🔸 The price has fallen near an important support line.\\n2.🔹 The histogram area of the MACD is shrinking, indicating a divergence between the indicator and the price.\\nThe price is moving in the direction of least resistance.',), ('Trading is about choosing to participate in high probability events.\\nTherefore, I created this order and have gained a good short-term profit. \\nI am still holding this order. \\nIf the price falls below the support line, I will choose to stop loss. 📈\\nIf the price reaches near the target price, I will judge the selling point based on the buying power, and I will disclose my trading signal.🔔\\n\\n📍Next, I will share some important topics that my friends have written to me about for discussion.',), ('Recently, my comments on stocks, gold, bonds, and the US dollar in this group have sparked widespread discussion. \\nOn Tuesday of this week, I shared my view that \"AI concept stocks are overvalued,\" and some friends wrote to me asking for my thoughts on the stock market.',), ('In recent weeks, investors have clearly shifted towards mega-cap stocks, distorting the trend of the indices, especially the Nasdaq 100 index. \\nThis is mainly due to its overly centralized nature, where a few stocks drive overall returns. \\nStrong balance sheets, massive market capitalization, substantial free cash flow, and strong earnings potential are all characteristics of these stocks. \\nIn addition, they have high liquidity and in some cases, their market capitalization even exceeds that of some G7 economies, which may attract investors seeking safe havens from interest rate risks.',), ('However, it is evident from the trend of the S&P 500 index that breaking through 4,200 has been a challenging task. \\nIn the event of a soft landing in the US economy, the S&P 500 index may rise to 4,400 by the end of the year, but if the economy falls into recession, it could drop to 3,300. 📉\\nIf you have been reading my recent comments in this group carefully, you should be well aware of the following key points.⬇️⬇️',), (\"1)🔹 If it weren't for the rise of AI concept stocks, the stock market would have already fallen.\\n2)🔸 Both AI concept stocks and large tech stocks are overvalued and are expected to return to normal valuations at any time, leading to a significant drop in the stock market.\\n3)🔺 After the debt crisis is resolved, new bonds will be issued, absorbing liquidity from the financial markets and leading to a sell-off in the stock market. \\nI shared this logic in detail on May 24th, and you can obtain that day's investment diary through my assistant.\",), ('The yield on government bonds is steadily increasing. Although the majority of US government bonds are held by the government and financial institutions, individual investors hold a relatively small proportion. However, bond yields are highly positively correlated with the US dollar, which will impact the trends of major investment markets. As the Fed raises short-term interest rates from near 0% to 5%, US bond yields are steadily increasing, with yields on 3-month and 6-month bonds reaching around 5.3%, easily surpassing the average inflation rate of 3.6% over the past 6 months. Therefore, US short-term bonds have become the hottest investment tool at present.',), (\"The Fed's Beige Book shows that the US economic outlook is quietly weakening. The Beige Book is typically released by the Fed two weeks before each meeting of the Federal Open Market Committee (FOMC), and contains the results of the Fed's surveys and interviews with businesses in its 12 districts. This survey was conducted from early April to May 22nd. \\n\\nThe Beige Book shows that most districts experienced employment growth, but at a slower pace than in previous reports. Prices rose moderately during the survey period, but the pace of growth slowed in many districts.\",), ('The prospects for stock market returns in 2023 were already not very strong, and with the investment bubble in AI concept stocks and the upcoming issuance of new bonds, as well as bond yields rising to a certain level, would you still take the risk of investing in the stock market?\\n\\nI am gradually selling my stocks and preparing to fully focus on this competition.',), ('The prospects for stock market returns in 2023 were already not very strong, and with the investment bubble in AI concept stocks and the upcoming issuance of new bonds, as well as bond yields rising to a certain level, would you still take the risk of investing in the stock market?\\n\\nI am gradually selling my stocks and preparing to fully focus on this competition.',), ('If you are currently investing in stocks or other investment products, but you are unsure how to determine what trend it is in and therefore do not know how to make a decision, please feel free to contact me for discussion.📧\\n\\nReturning to the topic of technical analysis and trading today, in trading we only need to pursue high probability events in order to maintain long-term stable profits. We cannot control trends, the only thing we can do is follow them. Once a major trend is formed, it is difficult to change and it takes time to complete its logic. And 2023 is the starting point of the fourth bull market in the cryptocurrency market, which is the biggest logic.',), ('The daily analysis chart tells us that since this mid-term buying point is established, we will naturally choose to create more bullish orders at times. This gives us confidence in the market. Then, by using our techniques and strictly executing buy and sell points, long-term stable profits will naturally emerge.',), (\"Let's analyze the current 1-hour trend chart together.\\nWe understand the yellow line as a support line.📊\\n1)🔸 When the price is above point A and has been tested at points B and D, the support of this line on the price can be understood as very effective.\\n2)🔹 The price at point D is lower than that at point C, but there is a divergence in the corresponding MACD histogram, which can be understood as a decrease in selling pressure and an increase in buying pressure.\\n3)🔺 Moreover, the price at point D is still above the support line, which provides us with good bullish evidence.\\n4)🔸 The price just fell slightly to near the support line to form point E, and then quickly rose, indicating the effectiveness of the support line.\\nTherefore, this strategy has a high success rate.\",), (\"Patience is a fundamental quality for traders. Waiting patiently for the market's outcome, there are only two possibilities: the price falls below the support line or the price reaches the target level. We will correspondingly choose to set a stop loss or take profit.\\nParticipating in high probability events will naturally lead to long-term stable profits. During the trading process, we need to strictly follow our plan. Sometimes, when the trend changes and does not move in the original direction, we can change our strategy along with the trend. In my opinion, this is never wrong, but rather a way to seek gains and avoid losses. As long as our trading system does not have serious loopholes, we must believe that every meticulous analysis we make is correct.\\nOnly by doing so can we become a king in any investment market.\",), ('This is not telling everyone to beat the market. We never need to be against the market because the market is always right. It is always important to conquer ourselves, and the primary condition for conquering ourselves is to have confidence. Strong and successful leaders in any field possess this quality of confidence. When you like a girl, you also need to have the confidence to tell her: \"I like you.\"\\nThe reason why I achieved good results in the preliminary round is that I came to an important conclusion through comprehensive analysis: this year is the beginning of a bull market for cryptocurrencies. I am very confident in my conclusion. Therefore, in the preliminary round, I actively created long BTC contracts using contract trading tools around $16,700.',), (\"Some of my friends may not have enough knowledge about investing in the cryptocurrency market, so I will take some time to share with them in the future. Similarly, the current price of BTC is around $27,000, and I am very optimistic about this mid-term buying point. I believe that the price of BTC can rise to $360,000, and I will share these insights in the future.\\nLet's put aside other viewpoints for now and think about this question together: Assuming this mid-term buying point is valid, isn't its cost-effectiveness very high? From the daily trend chart, we can see that BTC has had two upward movements of $10,000-$11,000. \\nThe corresponding increase was about 65% and 55%, respectively, with corresponding contract values that were several tens or even hundreds of times higher.\",), ('If this mid-term buying point is valid, we will have the potential to gain a price difference of $10,000 and corresponding contract values that are several tens or even hundreds of times higher. This could create amazing profits.💰💰',), (\"When the price reaches a relatively low level, I use a smaller amount of capital to create a new order. \\n1)🔸 Before the new strategy is announced, I will still follow the 1-hour strategy shared today. \\n2)🔹 I will determine whether to take profits based on the upcoming upward momentum.\\n\\nIf you are trading Bitcoin today or would like to receive my latest trading strategies or signals, please inform my assistant Ms. Mary or send me an email.📧\\n\\nHealthy living, happy investing, communication and sharing, gratitude and mutual assistance. This is the culture of our group, let's work together to achieve our dreams. \\nThat's all for today's sharing, see you tomorrow.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.🎊🎊\\nThanks to Professor Jim for sharing. He has made extraordinary achievements in many investment markets. He wants to realize his new dream through this competition.❤️\\nThis is lucky for the investor friends in our group, because I believe he will lead us to success.👏🏻👏🏻\\nI saw many friends voted for Professor Jim, thank you.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, please add my business card and write to me.💌💌\",), ('Mary Garcia',), (\"Talked to our mutual friend today. Seems cool. I'd actually met him one time before. Remind me to tell you about it next week.\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nBecause \"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors, in order to allow investors and friends to have a better investment experience, our trading center has fully upgraded the application, and the upgrade has now been completed.',), (\"Now the voting authority has been opened to the whole world, everyone is welcome to vote for our contestants. You will receive many generous rewards for voting and supporting contestants.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or Professor Jim's assistant Miss Mary.\",), ('Mary Garcia',), (\"Hello dear friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWelcome new friends to join this group. If you have any questions, you can write to my assistant, Ms. Mary.\\nThank you for your votes. With your support, I am more confident to win the championship.\\nI hope more friends can vote for me, thank you.\\nYou can get the voting window through my assistant, Ms. Mary.\",), (\"Today is a very important day with many data releases that will have a significant impact on major investment markets. \\nHow will non-farm payroll data, debt ceiling, and expectations for the Fed interest rate decision affect the stock market?\\n\\nThere seems to be an inverse relationship between stock indices and BTC. Why is the stock market rising while BTC refuses to fall, and what opportunities does this present?\\n\\nYesterday's strategy was undoubtedly successful, and later I will share my trading results with you and provide the latest strategies or signals.📍\",), (\"The above two pictures are my order status and yesterday's strategy respectively.\\nYesterday I created two bullish BTC contract orders, both of which achieved good profits.\\nI sold an order while continuing to hold another order, why?\\nI'll share why I do this later, and I'll share a few remaining investment themes that are extremely important\",), ('When I sell another order, I will post my signal.\\nThe figure below shows yesterday’s supplementary strategy and the current BTC trend. From the analysis chart, you can see that yesterday’s strategy is very correct.\\nThis is my confidence in my trading system.\\nI went out of my way yesterday to stress the importance of confidence and patience.\\nThe improvement of these qualities is far more important than the learning and improvement of technology.',), ('Important information.\\nFriends who followed me yesterday to create a BTC bullish contract order, I suggest you sell this order at this moment.\\nBecause BTC is currently in a narrow range of volatility, we have to lower our profit expectations, fast in and fast out, and keep profits.\\n\\nImportant information.\\nFriends who followed me yesterday to create a BTC bullish contract order, I suggest you sell this order at this moment.\\nBecause BTC is currently in a narrow range of volatility, we have to lower our profit expectations, fast in and fast out, and keep profits.',), ('I have already sold another order.\\nThe returns of the two orders are 27.85% and 51% respectively.\\nCongratulations to the friends who followed me and participated in this transaction and got a good profit.\\nBecause I am very busy recently, I only communicate with you by writing letters.\\nIn order to make our group generate greater value, in order to let more friends gain joy and success in this group.\\nI suggest that every friend regards himself as the master of this group.',), (\"Next, I'll turn on the group chat feature.\\nLet's have a collective exchange, and you can speak in the group if you have any questions.\\nThen I'll answer your questions and share the latest strategy and several other important topics.\",), ('What is this group for',), ('Hi everyone, I have already voted',), ('My name is,Benjamin nice to meet you',), ('I have voted, dear mary.',), ('This is a group to vote for Mr. jim, who is in a cryptocurrency contest.',), ('How to get the $3,000 bonus?',), ('What are you investing in and how did you make so much money?',), ('Hello friends, where are you? I am from New York.',), (\"Cryptocurrency contest? It's interesting. What kind of contest is this?\",), (\"Nice to meet you, nice to be in Professor Jim's group, I'm from Las Vegas\",), (\"Nice to meet you, nice to be on Professor Jim's group, I'm from Valdalas, Texas\",), ('This is a cryptocurrency contract transaction. Mr. Jim has made a lot of money recently. He is a master and he is the most outstanding performer among the preliminary contestants.',), ('Earning 50% of the income in one day is too enviable. How did this happen?',), ('Professor Jim, hello, I have observed this group for a while, and I agree with your views on the major investment markets, and your technology is too powerful.',), ('Wow this is shocking my stock is only making 12% in a month',), ('Mr. Jim, this is amazing. After you issued the order, the price of btc started to fall. How did you do it?\\nI think it will drop to 26,700, is there any trading signal today?',), ('I have a fresh cup of coffee next to me, waiting for the trading signals to come in',), ('I have voted for you Professor Jim good luck',), ('Mr. Jim said that the stock market is about to peak, and we should pay attention to risks. Do you see these views?',), (\"I've just been here not too long ago, it's nice to meet you all, I don't know much about Bitcoin, it's nice to be able to learn from you\",), ('My babe mary i just voted for mr jim',), ('I think cryptocurrencies are very mysterious and fascinating things.',), ('Is this a group for trading BTC?',), (\"I'm usually busy and don't have much time to watch group messages, but I seem to have noticed some of his views, some of which I don't quite understand.\",), (\"How to buy and sell, why can't my APP operate like this\",), ('Where can I see this contest?',), (\"I'm also learning about cryptocurrencies, but I don't know how to start.\",), ('Thank you Mr. Jim for sharing. I am a novice. Your sharing has taught me a lot of knowledge that I did not know before. I think this group is very valuable.',), (\"Damn why am I voting I'm fed up with elections\",), (\"His views are very professional and correct, and can represent the views of professional investment institutions. This is my review.\\nI think it is lucky to be able to see Professor Jim's point of view, you can spend a little time to understand it, I believe it will be helpful to your investment.\",), ('What are cryptocurrencies? How to make money?',), (\"You can consult Professor Jim's assistant Miss Mary, she is omnipotent.\",), (\"I don't quite understand, is this futures trading?\",), ('thx',), (\"Hello, Professor Jim. I was recommended to come here by Mr. Wilson.\\nI've heard of your name a long time ago, and it's a pleasure to join your group.\\nI have carefully observed your views and strategies, which are second to none on Wall Street.\\nEspecially your views on gold and stock indexes, which are very professional, and our views are consistent.\\nIn fact, many cryptocurrency traders on Wall Street have been losing money recently. I saw that your transaction last week was a masterpiece.\\nIf you are free, you are welcome to come to Wall Street as a guest, maybe we can talk about cooperation.\",), (\"Hello dear friends.\\nThank you very much for voting for me, my votes are increasing and my ranking is improving, and other players are working hard.\\nWith your support, I believe I will be able to win the championship.\\nBecause voting accounts for 40% of the results of this competition, I hope you can continue to support me, thank you.\\nI am very happy to see friends asking questions, and I will answer your questions next.\\nAnd I'll share the latest strategies and several other important investment themes.\",), ('Thank you for your recognition, thank you friends for your support.\\nNearly 1,500 media outlets around the world are promoting this competition, which shows that Btcoin Trading Center attaches great importance to this competition.\\nThis is a great opportunity for all of us, because since the Silicon Valley Bank incident, the risk in many investment markets has increased.\\nTherefore, I have shared a lot of investment themes recently. On the one hand, I have invested in many markets, and on the other hand, I want everyone to recognize the direction.\\nIt is my honor to be able to bring value to my friends.\\nWe hope that these groups of ours can become a warm family.\\nWe work hard for our goals and dreams.\\nI keep an investment diary every day, a habit I have maintained for more than 30 years.\\nThe picture below is my promise to my friends on May 31, friends are welcome to supervise together.',), (\"Thank you for your endorsement.\\nI'm sorry, but because of the finals, I've been very busy recently, so I need to focus more.\\nWe can be with a lot of friends and get together in New York after the finals.\\nIn fact, I have a deep understanding of the recent BTC trend and transaction difficulty. The recent transaction difficulty is very high.\\nFortunately, our profits have been increasing steadily.\\nEspecially for last week's transaction, I am very satisfied\",), (\"Likewise, I would like to express the following opinion to my friends in this group.\\n1) This week's trading is still going on, as long as the market gives us a chance, we will definitely be able to firmly grasp more profits.\\n2) However, risk control always comes first.\\n3) As I said yesterday, patience and confidence are the keys to our success.\\n\\nOf course, we still have many ways to make money, and there are many tools that can be used. I will talk about this when I have time.\\nNext, I will share a few topics for today.\",), ('📍What impact will non-farm data, debt ceiling, Fed interest rate resolution expectations, etc. have on the stock market?❓\\n\\n🔔The Labor Department released non-farm data for May today, and the number of employed people once again exceeded consensus expectations, with an increase of 339,000, even much higher than expected. Combined with an upwardly revised 93,000 for the previous two months, the overall figure is undeniably strong.👍🏻👍🏻\\nThe unemployment rate rose to 3.7%, well above expectations of 3.5%. Meanwhile, monthly wage growth was in line with expectations, but slightly weaker than expected on an annualized basis as previous data was revised down slightly.❗❗',), ('Taken together, the data could lead to the Fed finally continuing to raise interest rates in June, but the rise in unemployment could be enough to keep rates on hold this month.\\nThe probability that the Fed will keep interest rates unchanged in June is about 70%, and the probability of raising interest rates by 25📈 basis points is about 30%.📊',), (\"Easing concerns about the debt ceiling also boosted market sentiment.\\nThe Senate passed a bill to raise the debt ceiling late Thursday and sent it to President Joe Biden's desk.\\nThe House of Representatives passed the Fiscal Responsibility Act on Wednesday.\\nEarlier, some investors feared that the U.S. could default if a deal was not reached.\\nThis uncertainty has now been largely eliminated. I have already told you not to worry about this issue, and history has already told us the answer.\",), (\"Tech giants are still driving much of the stock market's gains, with Bank of America saying tech stocks attracted record inflows last week.\\nIn addition to the AI-related obsession that drove large-cap stocks up 17 percent in May, tech stocks also got a boost from bets that the Fed will soon stop raising interest rates.\\nIf you are not clear about the relevant logic of the stock market, you can get my investment diary through my assistant, Ms. Mary.\",), ('Mary Garcia',), ('The stock index and BTC have begun to show an inverse relationship. Why is the stock index rising but BTC refuses to fall? What kind of opportunities are there?\\n\\nJudging from the 30-day pearson coefficient trend chart, since May, BTC and US stocks have begun to show a negative correlation.\\nThere are 2 important pieces of information here.\\n1.🔸 The stock index rose sharply, but BTC fell slightly, indicating that BTC refused to fall back.\\n2.🔹 If the stock index falls, will BTC usher in a big rise?\\nThis is very simple logic.',), ('As I said yesterday, the stock market’s earnings outlook in 2023 is not strong enough. With the AI concept stock investment machine bubble and the imminent issuance of new bonds, and when the bond yield rises to a certain level, will you still take risks in the stock market?\\nThe picture below is a 15-minute analysis chart of the Nasdaq 100 Index. \\nThe index and the price have deviated, indicating that buying is weakening and a decline may occur at any time.',), ('As shown in the 1-hour analysis chart above, the upward trend of BTC will not be so smooth, and it is still understood as a range shock.\\nBut we have to make full preparations for the outbreak of mid-term buying points.\\nAt present, I still continue to hold some medium-term bullish contract orders.',), (\"As long as we follow the trend under the protection of a complete trading system, wait patiently for market opportunities to appear, and work hard, the results will definitely not be bad.\\nI'm going to give up rest this weekend, I'm laying the groundwork for the final, and timing is important.\\nFriends who want to get real-time trading signals from my trading team can write to my assistant, Ms. Mary.\\nShare these today and see you tomorrow.\",), ('Hello Ladies and Gentlemen,\\nMy name is Mary Garcia and I am an assistant to Professor Jim. I would like to welcome our new friends to this investment discussion group.\\nProfessor Jim is currently in the contest and we would appreciate it if you could vote for him. He has achieved impressive results in many investment markets, and hopes to realize his new dream through this competition❤️\\nWe thank Professor Jim for sharing, and many of our friends have followed his advice today and made extraordinary short-term profits. 💰\\n\\nFriends who voted, please send me a screenshot of your vote as proof of eligibility for the reward.\\nThanks. 👏🏻',), (\"If you would like to receive the voting link, Jim Professor's gifts, real-time trading signals and strategies from Jim Professor's team, or if you need any assistance with your investments, please add my business card and send me a message.💌💌\",), ('Mary Garcia',), ('I should be in town late Sunday afternoon. I have a few things to collect during the first half of the day.',), (\"Hello, dear friends.\\nIt's the weekend, but my team and I are still fighting.\\nBecause we want to lay a good foundation for income in the opening stage of the finals.\\nBTC is currently in an important stage, and the big trend is about to emerge. Once the price breaks the deadlock, the expected benefits will be beyond imagination.\\nOpportunity awaits those who are prepared.\\nI created an order and I will share my strategy with you.\\nFriends who want to make money together on weekends are welcome to communicate together.\",), ('The following points can be drawn from the 1-hour analysis chart of BTC.\\n1.🔹 The upward trend of MA120 is good and provides good support for the price.\\n2.🔸 The Bollinger Bands present the following technical points.\\n1) The distance between the upper and lower rails becomes smaller, which is a precursor to the start of the trend.\\n2) The middle track changes from downward to horizontal movement, indicating that the buyer power of BTC is increasing.\\n3) The price is above the middle track, indicating that the trend is strengthening, which remains to be observed.',), ('3. MACD presents the following technical points.\\n1) The fast line shows signs of upward movement, indicating that the trend is strengthening, which remains to be observed.\\n2) The positive value of MACD stops and continues to shrink, indicating that the strength of sellers is weakening, which remains to be observed.',), (\"Although my order has realized a profit of nearly 20%, I have not increased my capital position.\\nI'm waiting for confirmation of the signal.\\nAs shown in the 1-hour analysis chart above.\\n1️⃣ The price starts to rise near the middle track of the Bollinger Band. At the same time, the value of MACD turns from negative to positive, and the fast and slow lines form a golden cross.\\nAt this time, buying point A is formed, and I use point A to submit a bullish contract order for BTC.\\n2️⃣ If the price breaks through the pressure line strongly to form a buying point B, I will increase the use of funds.\\n3️⃣ The third buying point is when the price breaks through and backtests the support line to form buying point C, which will be another opportunity.\",), (\"Although the current graphics present these signals, the trend is changing, and we must follow the trend instead of subjectively speculating on the trend.\\nIf the price fails to make a complete and strong breakthrough, the positive value of MACD in the 1-hour graph will not continue to increase effectively.\\nAt the same time, the trend chart of the 15-30 minute period will show the signal that the buyer's strength is weakening in advance.\\nThis is what I want to focus on observing.\",), ('If the price can successfully complete a strong breakout, it will show some clear bullish signals in the technical graphics.💡\\nFor example, the fast line of MACD in the 1-hour trend chart will accelerate upward and exceed the height of the fast line on the left.📊\\nOr, in the 1D trend chart, the MACD fast line continues to rise or even crosses the zero axis, and the price may break through the upper track of the Bollinger Band.📈\\n...\\n\\nI can find buy points from the sub-1 hour cycle level and increase the use of my capital position.',), ('In short, we must look at trends and changes in trends objectively and patiently.\\nWe have a sound trading system as a strong backing, and we have full confidence in maintaining long-term steady profits.\\nHere I would like to emphasize two points.\\n1️⃣ If you are conducting contract transactions such as BTC or ETH according to my strategy or signal, please inform my assistant, Ms. Mary, so that we can grasp market changes together.\\n2️⃣ If you want to know the follow-up selling points, buying points for increasing capital position, etc., please leave a message to my assistant, Ms. Mary immediately. She will share the real-time trading signals of my trading team with you for free.',), ('Ms. Mary is an IT and software engineer, and she is my teacher in many ways.\\nBelow is her business card, if you want her help in other matters, you can write to her.💌',), ('Mary Garcia',), (\"Let's meet and see where everything stands.\",), ('At the airport now',), ('Landed or waiting to leave?',), ('Waiting to leave.',), ('Board in an hour',), ('Sounds good. Should be there around the same time you are. Have a few things to take care of and then we can link up.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nThis Thursday, \"Btcoin-2023 New Bull Market Masters-Final\" opened voting rights to global investors. The number of votes for the 10 finalists has obviously increased, and the rankings have also begun to change.',), (\"Although the volatility of the cryptocurrency market is not large this week, players are actively seizing market opportunities. The income of Jim Anderson's combination strategy of short-term and medium-term contracts is in the lead.\\nI wish all players excellent results and wish all investors a happy investment.\\nIn addition, the trading center will soon launch a new ICO project that is popular among users, so stay tuned.\",), (\"Hello dear friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWelcome new friends to join this group. If you have any questions, you can write to my assistant, Ms. Mary.\\n\\nMy team and I kept fighting this weekend because we wanted to build a good base of earnings early in the finals.\\nBTC is currently in an important stage, and the big trend is about to emerge. Once the price breaks the deadlock, the expected benefits will be beyond imagination.\\nI believe that opportunities are always reserved for those who are prepared.\",), (\"This is the status of my current order.\\nMy strategy has not changed, I still follow yesterday's strategy. I am waiting for the formation of buying point B.\\nBecause I have the protection of the original profit, it will be easier for me to choose to increase the capital position.\\nAt the same time, I will continue to pay attention to changes in the intensity of buying. If the trend is not strong enough, I may choose the right time to take profit on yesterday's order.\",), (\"I personally think that there is still a lot to improve in this week's trading, and next week I will work harder to present a better level of competition for everyone.\\nIf you are investing in cryptocurrencies and agree with my investment philosophy, investment tools, strategies and signals, you can choose to follow my trading rhythm and tell my assistant, Ms. Mary, we will give some suggestions in real time.\",), ('ICOs are certainly one of the best investment projects, 70% of my income this year is related to it, I will spend time researching and following it, and I will share valuable information.❗\\n\\nWhy is it said that raising interest rates will make this round of cryptocurrency bull market more violent? This is the conclusion I reached after discussing with many industry elites over the weekend, and I will share this important content tomorrow.🔔\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nDear friends, if you have any questions, please leave a message or ask my assistant, Ms. Mary.🙎🏼\\u200d♀️💌\\nShare these today and see you tomorrow.🤝🏻',), ('Mary Garcia',), ('Landed',), (\"I'll be with Matt for a bit\",), ('Ok. In town. Taking care of some shit.',), ('Currently here.',), (\"Ruth's\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.💰💰\\n\\nThe price of Bitcoin rose as scheduled, and Professor Jim's income has further expanded. Congratulations to friends who have seized the opportunity with them and gained short-term excess income.\\U0001fa77\\n\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the contest and I hope you can vote for him.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, please add my business card and write to me.\",), ('Headed that way soon',), ('Headed over to the \"main site\" for food.',), (\"I'm at the other spot.\",), ('Things look clear on the water',), (\"I'll be over shortly. Wrapping up.\",), (\"Bringing a friend. He's cool.\",), ('Okay. Safe?',), ('Def. Can provide tech assistance if needed.',), ('What a nice sky',), ('Location?',), ('Rooftop bar.',), ('Okay',), (\"I'll head up in a few\",), ('Oops',), ('I actually feel sick. Meet in the am?',), ('No problem. Get better. We have a lot of planning to do.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors.\\nOur trading center has fully upgraded the application and opened voting rights to the world. Welcome everyone to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nGood luck to the finalists this week and happy investing.',), (\"Hello dear friends, I'm Jim Anderson.\\nA new week has started again, this week I will show a higher level of competition, this is my requirement for myself, that is to say, I want to obtain higher profits this week.\\n\\nI just created a BTC bullish contract order, and I will share my logic and strategy later.\\n\\nA friend asked about the topic of ICO, which is very important, because this is an excellent investment project, and it is also very important to my game. I will study every ICO project carefully, and I will take the time to share the secrets.\\nWhy is it said that raising interest rates will make this round of cryptocurrency bull market more violent? This is the conclusion I reached after discussing with many industry elites over the weekend, and today I will share this important topic.\",), (\"Welcome new friends.\\nThanks everyone for voting for me, my ranking is improving.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nOn the day when the voting window opened to the world, I said that my goal is to be the champion, and I want to lead the cryptocurrency enthusiasts who support me to surpass other finalists.\\nAt the weekend, my trading team summarized last week's trading, and this week's strategy will be adjusted, and we strive to achieve better profitability.\\nI will share some important strategies and signals in this group. On the one hand, I will show the logic, status, and skills of my trading, and on the other hand, I will give back to my supporters.\\nNext I will share today's strategy and other important investment themes.\",), ('Check your apps.',), (\"The following points can be drawn from the daily analysis chart.\\n1️⃣ After BTC started a rally in mid-March, the price recently fell back to around 0.618, which is an important psychological support level.\\nIf the price breaks below this level, 0.5 will be challenged.\\nSo today's closing line is extremely critical.\\n2️⃣ The current price has fallen back to around MA120, which is another important support level, which is also the focus of attention.\\nFrom a fundamental point of view, I am still optimistic that BTC is currently in the period of building a mid-term buying point.\",), ('Just now, the black swan incident happened, the SEC sued binance and its CEO for violating securities trading rules.\\nThe cryptocurrency market experienced violent shocks, and the price of BTC fell below the MA120.\\nThe change in market sentiment is an important reason for the sharp fluctuations in short-term prices.\\nTherefore, why have I repeatedly emphasized \"reducing earnings expectations\", \"strictly controlling capital positions\" and \"treating with caution\" recently.\\nIt is a good thing that the price breaks the deadlock, which will give birth to a new trend, and the difficulty of trading will decrease accordingly.\\nI will keep an eye on the market in real time, and if there is a better opportunity, I will issue a trading signal.',), (\"After the price of BTC plummeted today due to the black swan event, the price entered a narrow range.\\nBinance is currently issuing relevant clarifications, and market investors are waiting to see.\\nTherefore, the trend of BTC today is crucial, and whether its price can stand above MA120 has become an important technical concern.\\nFrom a rational point of view, it is a better strategy to choose to wait and see at the moment.\\nMoreover, in the process of looking for new opportunities, I found that in the process of BTC's decline, there is a target that is very strong.\\nIt is BUA/USDT, and there are signs of the operation of the main funds.\\nSo I create a bullish contract order of BUA with a smaller capital position.\\nNext I will share why I do this.\",), ('When BTC is falling, there is obviously a large number of buying orders entering other currencies, which is the internal rotation law of a typical cryptocurrency market.\\nIt can be seen from the 30-minute trend chart of BUA that BUA is the representative of the current market.\\nThis pattern is common in any investment market.',), ('The following points can be seen from the analysis diagram.\\n1. After the technical indicators deviated from the price, the buying increased sharply.\\n2. The MACD fast and slow line quickly forms a golden cross, and the positive value of MACD increases rapidly.\\n3. The middle track of the Bollinger Bands turns upwards, and the price breaks through the upper track, which is a very strong signal of a stronger trend.\\n\\nThis variety belongs to the ICO variety, because I participated in it and made a lot of profits during the period before and after its listing, and I will share the specific skills when I am not busy.',), (\"A few friends wrote to me just now and asked: Has the trend of BTC changed?\\nThat's a good question to ask.\\nMy answer is not to jump to conclusions.\\nBecause it is not difficult to judge the trend, but it is necessary to wait for the confirmation signal.\\nThe driving force behind the technical trend is capital, industry fundamentals and policy guidance, etc.\\nFor example, the trend of BUA/USDT just now is driven by funds.\\nFor example, the black swan event just now, although not common, is a policy event.\\nDon't be surprised that this kind of thing happens, it happens in any market.\\nProfessional traders are not worried about such events, because they all have the ability to prevent such risks in real time.\\nOrdinary investors can avoid this risk as long as they pay attention to the use of capital positions.\",), ('I share an important fundamental message.\\nInfluenced by Silicon Valley bank failures, debt ceilings, interest rate decisions and expectations, bank users will continue to deposit money in banks that are too big to fail.\\nThe big banks deposit any additional money they receive at the Fed, which increases the amount of money the Fed prints, and the new money is used to pay interest on the money held at those facilities.',), ('Therefore, the dollar liquidity injected into the financial system will continue to grow.\\nWhen wealthy asset holders have more money than they need, they invest it in more valuable risk assets, such as Bitcoin and AI technology stocks.\\nCombined with other fundamental views I have shared, in fact, the medium-term fundamentals of cryptocurrencies are strengthening.\\nHowever, from a trading point of view, we only follow the trend.',), (\"The BUA/USDT bullish contract order I just created is now profitable, and the price of BTC has a signal to stop falling, which is more conducive to the rise of BUA.\\nTherefore, this order can achieve short-term excess returns with a high probability.\\nI will release my latest trading signals in real time, please pay attention.\\n\\nBecause I am very busy recently, I only communicate with you by writing letters.\\nIn order to make our group generate greater value, in order to let more friends gain joy and success in this group.\\nI suggest that every friend regards himself as the master of this group.\\nNext, I'll turn on the group chat feature.\\nLet's have a group exchange, and if you have any questions, you can speak in the group, and then I will answer your questions.\",), ('Ok',), ('I have voted mr jim',), ('I already voted for you Mr. Jim and I will keep voting for you',), ('Wow, I made 20% of the profit, this is so exciting',), ('What is it and how is it done',), ('Earn about 40% in an hour, this is so much fun',), (\"Thanks, I've spoken to Ms. Mary Garcia. I believe you can be champion. I'll stick with my vote for you.\",), ('This is a contract transaction of cryptocurrency.',), ('I am a beginner. I need help, I would like to know how to start the first step.',), ('What is a contract transaction',), (\"According to Professor Jim's point of view, this transaction is expected to achieve good returns\",), ('It has been a pleasure to support you and I have learned a lot from the group that is useful to me. Thanks.',), ('Why are there no contract transactions in my application?',), ('I totally agree with your point of view',), (\"Drink later? I'm stressed\",), (\"Too bad I didn't keep up with the deal, I should have come sooner. Otherwise I can make money like you.\",), (\"Dear Mary, I have already voted for Professor Jim, today's market is too exciting\",), ('Important information.\\nThe price of BUA is already close to the price pressure zone on the left, and the current market sentiment in the cryptocurrency market is unstable, I will sell this order and keep the profit.\\nFriends who participated in this contract transaction, let me take a look at your income.\\n\\nImportant information.\\nThe price of BUA is already close to the price pressure zone on the left, and the current market sentiment in the cryptocurrency market is unstable, I will sell this order and keep the profit.\\nFriends who participated in this contract transaction, let me take a look at your income.',), ('How is this done, and what type of investment is this? Is it futures?',), ('Professor Jim, I have carefully read many of your views and strategies, and I think they are very reasonable, but it is difficult for me to learn.\\nWhat are cryptocurrencies? What is btc? What is a contract transaction? I want to make money, what should I do?',), ('Although I missed the big drop of BTC, the transaction of BUA is also wonderful',), ('I want to learn cryptocurrency as soon as possible, how should I start?',), ('Professor Jim, I am investing in stocks and foreign exchange. I have a deep understanding of the emergency you mentioned today. What I want to learn is how to control the risk of this emergency? I am learning cryptocurrency, this contract trading is similar to foreign exchange, right?',), ('Beautiful Ms. Mary, I seem to be lost, I need your help, I need to make a transaction ASAP.',), (\"I don't have the app, where can I get it\",), ('You can write to me and I will teach you.\\nFriends, if you are a beginner in the cryptocurrency market and have similar problems, you can write to me.\\nOr you can ask your friends in the group for advice.',), (\"Lugano's Plan Bitcoin names Swiss Cup football final jersey\",), ('Enjoy the good weather',), (\"No bua in my app, is btcoin's app easy to use, is it safe?\",), ('It amazes me to see you guys making 50% profit in two hours, I want to know how it is done? What should I do to be like you? Can anyone help me?',), ('Lovely!',), (\"I also have the same question, I don't know much about cryptocurrency and contract trading. Hope to get your help, Mr. Jim.\",), ('Enjoy the good weather',), (\"Mary, I hope you're taking care of yourself and finding some time to relax amidst all the busyness. Remember, it's always important to take breaks and prioritize your well-being, too\",), (\"Hello dear friends.\\nThank you very much for voting for me, my votes are increasing and my ranking is improving, and other players are working hard.\\nWith your support, I believe I will be able to win the championship.\\nBecause voting accounts for 40% of the results of this competition, I hope you can continue to support me, thank you.\\n\\nToday's cryptocurrency market fluctuates greatly due to the impact of unexpected events, but with our hard work, we still gained some short-term excess returns.\\nOpportunity awaits those who are prepared. Congratulations to some friends who took the opportunity with me and made a profit.\\nI am very happy to see friends asking questions. Next, I will spare a little time to answer your questions.\",), (\"The cryptocurrency market, like investment markets such as stocks, bonds, gold, foreign exchange, futures, and commodities, is an independent trading market in the global financial market.\\nThrough the questions from friends, I saw that some friends do not understand the basic knowledge of cryptocurrencies, contract transactions, etc., which belong to relatively basic investment knowledge.\\nWait a moment, everyone, I will look up some information I used to train junior traders and share them with you.\\nWhen you understand the basic information, let's summarize together.\",), ('Absolutely. I can meet somewhere after some of these meetings.',), ('This is the Bitcoin that we are all familiar with. I believe that all of us have heard of Bitcoin, but there may not be many friends who really understand Bitcoin.\\nAlthough Bitcoin is not a hard currency at present, as a representative of cryptocurrency, its prospects are beyond doubt.\\nThe cryptocurrency market will also become a hot spot in the investment market in the future, and may even surpass gold to become one of the largest investment products in the world.\\nIts current market cap surpasses that of Nivdia and approaches Amazon.',), (\"I believe that through the above sharing, many friends have at least understood a few points.\\n1. The concept and characteristics of cryptocurrency.\\n2. As the best representative of cryptocurrency - how Bitcoin was born.\\n3. The rules and characteristics of Bitcoin issuance.\\n4. The logic of Bitcoin's appreciation and the reasons why it is recognized by the market.\",), ('In fact, for us investors, the most important thing is to learn how to use cryptocurrency to make money.\\nFor the subject of investment, it is a very profound knowledge.\\nWhy do many people understand the logic of \"Bitcoin appreciation\", but they lose a lot of money on Bitcoin?\\nHow to make money with cryptocurrency? Is this the question that everyone is most concerned about?',), ('Spot trading, contract trading, ICO... What are these most basic investment functions, and how to use them reasonably?\\nWhy is it said that the fourth round of bull market will inevitably be born in 2023?\\nWhat is driving this bull market?\\nHow long can this bull market last?\\nHow should ordinary investors participate in this round of bull market?\\n...\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\nWelcome to discuss together.\\nShare these today and see you tomorrow.',), ('Dear users, nearly 500 media around the world are constantly promoting this competition, so more and more people are paying attention. Among them, the number of iOS system users has increased rapidly, resulting in a small number of iOS system users experiencing unsmooth use.\\nIn order to let users have a better experience, our system will be upgraded again, please pay attention to the time of system upgrade and maintenance.\\nSorry for any inconvenience caused.',), (\"Hello ladies and gentlemen.\\nThose who have added my business card believe that everyone already knows me. I am Mr. Jim's assistant Mary. Welcome new friends to join this investment discussion group.\\nMr. Jim is working hard to improve his ranking. I hope friends can vote for him. He has made extraordinary achievements in many investment markets. He wants to realize his new dream through this competition.❤️\\nRecently, many friends have started to follow Mr. Jim’s trading signals to earn good profits. These are one of the rewards you can get for supporting Mr. Jim, besides the 3k USD voting reward.👏🏻\",), ('Friends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\nBy voting for Mr. Jim, you can get more than just 3k dollars in rewards, and you can get more by staying in the discussion group,💰💰\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you also want to trade with Mr. Jim like the friend above, or if you need my help, please add my business card and write to me💌💌',), ('Mary Garcia',), ('Rooftop',), ('Embassy suites. I ordered some food',), ('I should be finished soon.',), ('Few more people to talk to.',), ('Ok',), ('Crazy people here',), (\"Man, make sure we aren't sitting next to them.\",), ('Ha',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n*\"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors.*\\nEveryone is welcome to vote for our contestants. You will receive many generous rewards for voting and supporting players.\\nPlease pay attention to the time period for system upgrade and maintenance today.',), (\"The group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or Professor Jim's assistant Miss Mary.\\nGood luck to the finalists this week and happy investing.\",), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThank you for voting for me, my number of votes is increasing, and my ranking is improving.\\n*Voting results account for 40% of the total score. With your support, I am more confident.*\\nAt the weekend, my trading team summarized last week's trading, and this week's strategy will be adjusted, and we strive to achieve better profitability.\",), ('I will share some important strategies and signals in this group. On the one hand, I will show the logic, status, and skills of my trading, and on the other hand, I will give back to my supporters.\\nSome short-term gains were realized yesterday, and today the market trend is relatively obvious, and the difficulty of trading will be much reduced.\\n*I will share strategies and signals later.*\\nFriends who are investing in cryptocurrencies, please pay attention.\\nAt the same time, *I will share more important information in the market.*',), ('First, I quickly share my goals and strategies with my friends.\\nMarket opportunities come at any time, and I may publish my trading signals at any time.\\nThere are two targets of contract trading that I am concerned about today.\\nJust now I created a BTC bullish contract order with very little capital.\\nBut I might focus on another target.\\nLet me first share the strategy of BTC.',), (\"The following points can be drawn from the 1-hour BTC analysis chart.\\n1. *After the price falls, the strength of the seller is exhausted, and the MACD indicator deviates from the price.*\\n2. *The price has entered a new range, and the current price is likely to fluctuate within this range.*\\n3. *However, the current price has entered a weak range, so it is mainly to sell at high levels and supplemented by buying at low levels.*\\n4. *Therefore, I will lower the profit expectation for this order, and will choose to take profit at any time.*\\nNext, I will share today's more important strategies.\",), ('From the 30-minute BUA analysis chart, the following points can be drawn.\\n1. *The price is breaking through the pressure line.*\\n2. *There are signs of turning upwards in the direction of the middle track of the Bollinger Bands.*\\n3. *The MACD fast and slow line forms a golden cross near the zero axis, and the positive value of MACD gradually increases.*\\nThis is a very strong upward signal, and this kind of technical graphics can often be concluded: the probability of a real breakthrough in the price is relatively high.',), ('In comparison, BTC has a larger strategic cycle and a weaker trend.\\nThe BUA strategy has a shorter period and a stronger trend.\\nTherefore, BUA has the expectation of greater short-term profits.\\n*So I used more funds than BTC and created a BUA bullish contract order.*',), ('Important information.\\nBecause the current trend of BTC is still not strong enough, I sold the BTC contract to keep the profit.\\nWaiting for the next opportunity.\\nToday I focus on BUA, and I continue to hold BUA orders.\\n\\nImportant information.\\nBecause the current trend of BTC is still not strong enough, I sold the BTC contract to keep the profit.\\nWaiting for the next opportunity.\\nToday I focus on BUA, and I continue to hold BUA orders.',), ('*I analyze two important messages.*\\n1. Coinbase opened nearly 20% lower, driving cryptocurrency concept stocks lower, MicroStrategy fell more than 2%, and Riot Blockchain fell about 5%.\\nFollowing Binance, the SEC sued Coinbase for violations.\\n2.With Biden signing the debt ceiling bill, the crisis has just subsided, but another wave of crises may be quietly brewing.',), (\"Regarding the first news, I think it is a good thing, which is bad for the entire cryptocurrency market in the short term, but good for the medium and long term.\\nThis is clearly paving the way for a bull market. Because after the rectification, the whole market will have a new look.\\nThe cryptocurrency market is currently in the early stage of vigorous development, and the regulatory department has made adjustments to allow the entire industry to develop healthily.\\n\\n*Kind tips.*\\n1.🔹 Here, I would like to remind all investors and friends that when you choose an exchange, you must look for its formality.\\n2.🔸 In order to protect the safety of your own assets, don't trust any trading center without filing.\",), ('Similar problems have already been reported by friends and my assistants. Don’t trust the news not shared by this group. We will not be responsible for any accidental losses.\\nIf you have any questions, you can ask my assistant, Ms. Mary, who is an IT and software enginee',), ('Mary Garcia',), ('*Issuing new debt is imminent, which means for the US banking industry that bank deposits will continue to flow.*\\n*As of the beginning of this month, the Treasury\\'s cash balance was at levels last seen in October 2015.*\\n*By the end of the third quarter of this year, the Ministry of Finance\\'s new bond issuance may exceed US$1 trillion, and a large amount of market liquidity will be \"sucked back\" to the Ministry of Finance.*\\n*The impact on the U.S. economy of the bond issuance wave is equivalent to a 25 basis point rate hike by the Fed.*',), ('*For the banking industry, it is more difficult to retain the deposits of depositors, and the situation of deposit migration will continue.*\\n*U.S. deposits have been pouring into money market funds since the collapse of Silicon Valley Bank triggered a market panic.*\\n*And as the U.S.* *Treasury issues massive amounts of debt, more deposits will be lost.*',), ('Money market funds invest primarily in risk-free assets such as short-term government bonds.\\nMonetary Funds continued to see net capital inflows, partly because the Fed continued to raise interest rates, making market interest rates continue to rise.\\nWhen a large number of bonds are issued, the yield rate that money funds can provide will be more attractive.\\nWhichever institution decides to buy Treasuries is expected to free up funds by liquidating bank deposits. This will damage bank reserves, exacerbate capital flight, and affect the stability of the financial system.\\nWhen financial stability is at stake, it tends to be good for the cryptocurrency market.\\nThis is good news for the cryptocurrency market in the short and medium term.',), ('*Warning: The impact of a large number of U.S. debt issuance on liquidity, stocks and bonds.*\\n*We have poor market internals, negative leading indicators and declining liquidity, which is not good for the stock market.*\\n*Major investment banks have expressed similar views that bond issuance will exacerbate monetary tightening, and U.S. stocks will fall by more than 5%.*\\n*The US stock index is currently showing a negative correlation with BTC.*\\n*The expectation of the stock index falling increases, and the expectation of BTC\\'s rise increases.*\\n\\n*On May 24, I shared \"The Debt Ceiling Negotiations Bring Risks to U.S. Stocks Soon\", which analyzed the relevant logic in detail.*\\n*You can get the investment notes of the day through my assistant.*',), ('*Important information.*\\nThe bullish contract order of BUA that I just created has also achieved a return of more than 40%.\\nThe price of BTC is close to the target level, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.\\n\\n*Important information.*\\nThe bullish contract order of BUA that I just created has also achieved a return of more than 40%.\\nThe price of BTC is close to the target level, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.',), (\"I once told everyone that the reason why I was able to enter the finals as the first place is that 70% of the proceeds are related to ICO.\\nI am following this new opportunity. Friends who are interested in this project, we can discuss together.\\n\\nToday's short-term contract transactions are relatively smooth, and the two transactions just shared have achieved good returns.\\nThere are many cryptocurrency enthusiasts in this group, and some friends like the method of combination investment.\",), (\"In response to friends' questions, the basic knowledge shared yesterday has been well received by everyone. It is my honor that my sharing is valuable to you.\\nNext, in the process of waiting for the opportunity, I suggest that friends communicate with each other. If you have any questions, you can speak in the group, and then I will answer your questions.\",), (\"Good afternoon everyone, Professor Jim's content is very exciting, which piqued my interest, I will vote for you and I will ask Mary to help me finish later.\",), ('What kind of investments are you making? How did you manage to make so much profit in such a short period of time?',), (\"Wow, 50% off the two times, it's unbelievable I bought it late.\",), ('Nice to meet you all, I think this group is very valuable, with correct views, clear logic, and precise strategies.',), ('This is the cryptocurrency contract trading tool',), ('Thanks mr jim i have voted for you',), ('Today I saw your double profits in BTC and BUA, which made me very excited. I will prepare for work as soon as possible, and Mary will help me. Already voted for you today',), (\"I've voted you up, Prof. Jim.\\nNice to be in this group and I appreciate the point you just shared.\\nI used to work in a bank and am now retired.\\nNow the plight of many banks has not been resolved. You have shared a lot about the impact of new bond issuance. I have been paying close attention to it, which is very helpful for my investment.\",), ('What is a contract transaction?',), (\"I've voted you up, Prof. Jim.\\nNice to be in this group and I appreciate the point you just shared.\\nI used to work in a bank and am now retired.\\nNow the plight of many banks has not been resolved. You have shared a lot about the impact of new bond issuance. I have been paying close attention to it, which is very helpful for my investment.\",), (\"I have a similar problem, Mr. Jim, I want to understand it, but I don't know where to start, can I get your help?\",), ('What kind of investments are you currently involved in, sir?\"',), ('What is an ICO',), ('Bitcoin and the stock index began to show a negative correlation, which is too intuitive.\\nIf Bitcoin starts to rise, it means that the signal of the top of the stock market is confirmed. Thanks to Mr. Jim for sharing.',), (\"I'm investing in gold, stocks and cryptocurrencies at the same time.\",), ('I am very interested in cryptocurrency. It is said that many of my friends are investing in cryptocurrency. I also want to learn about this investment. What should I do?',), ('Seeing ICOs excites me, I own some Dogecoins in 2020 and earn 300x+ in 2021.\\nWhat is the potential of this project, Mr. Jim? What information did you get? Can you share with me?',), (\"Then you can pay more attention to Mr. Jim's point of view.\",), ('I have heard of contract trading but have never participated in it. Is it risky?',), ('Mr. Jim, I have carefully summarized your views. I think AI concept stocks and bank stocks still have certain value at present. But AI stocks are currently overvalued and could pull back at any time. From the perspective of value investing, some bank stocks are still good. This made my choice a little difficult.',), (\"Yes, while I invest in these for fun, I read and research a lot.\\nI have followed this group and Prof.Jim's views for a long time, and his views are of great value.\",), ('How about the btcoin app?',), ('Mr. Jim, I want to learn contract trading, can you talk about it?',), ('Thanks.\\nThank you friends for your approval.',), (\"That's great. We can write letters to communicate.\",), ('You summed it up very well.\\nIt depends on your investment cycle and future expectations.',), ('OK. I am very happy to see the summaries and questions from my friends.\\nGlad to make my sharing valuable to you guys.\\nThank you very much for voting for me, my votes are increasing and my ranking is improving, and other players are working hard.\\nWith your support, I believe I will be able to win the championship.\\nBecause voting accounts for 40% of the results of this competition, I hope you can continue to support me, thank you.\\n\\nBecause of the competition, sometimes I am busy, so please understand that I did not reply to the letters from my friends in time.\\nNext, I will spare a little time to answer your questions.\\nI see that some friends do not know what contract trading is, so I will answer this question today.',), ('There are two basic types of transactions in the cryptocurrency market, spot transactions and contract transactions.\\n\\n1. Spot trading.\\nDirectly realize the exchange between cryptocurrencies, which is called spot transaction.\\n\\nSpot trading is also known as currency-to-currency trading. Matching transactions are completed in the order of price priority and time priority, directly realizing the exchange between cryptocurrencies.\\nSpot trading is the same as buying what we usually do, with one-hand payment and one-hand delivery.\\nSay you bought a BTC token for $27,000, then you really own that BTC token. You can trade it on any exchange, you can transfer it to your own private wallet, or give it generously to others as a gift.',), ('2. Contract transactions.\\nCompared with spot trading, contract trading is a separate derivatives trading market. It uses a \"margin trading mechanism\".\\n\\nIn other words, you don\\'t need to spend $27,000 to buy Bitcoin, you only need to use a little margin to trade.\\nContract trading provides the possibility of obtaining higher returns with less capital, and at the same time significantly reduces the trading time of traders, avoiding the impact of unexpected events, unexpected events and black swan events.\\nFor example, yesterday the US Securities and Exchange Commission issued charges against binance and its CEO, which triggered a plunge in the cryptocurrency market.\\nIf you are using contract trading at this time, even if there is a loss, it will only lose part of the margin.',), ('3. Compare the advantages and disadvantages of the two.\\n3.1 Advantages and disadvantages of spot trading.\\n3.1.1 Advantages.\\nThe operation of spot trading is simple and convenient, and the cryptocurrency you buy is yours.\\nThe number of tokens held by an investor does not change whether the token price rises or falls.\\nProfits are made when the market is doing well and prices are rising.\\n3.1.2 Disadvantages.\\nOnly when the tokens you own go up, you can make money, and you can get room for token appreciation.\\nIf the token price falls, you can only choose to sell with a stop loss or continue to hold the token until the token price rises again.',), (\"Ps.\\nThis is equivalent to buying 1g of gold. No matter the price of gold rises or falls, you own 1g of gold, but you can only sell gold for a profit when the price of gold rises higher than your buying price.\\nThis is why most people hold Bitcoin and take losses from the bear market.\\nSpot trading is not technically demanding and mostly depends on the price you buy and the future appreciation potential of the cryptocurrency you buy.\\nThe spot trading cycle is usually 1-4 years, which is in line with the bull-bear market cycle generated by Bitcoin's halving mechanism.\\nTherefore, we also refer to spot trading as long-term value investment.\",), ('3.2 Advantages and disadvantages of contract transactions.\\n3.2.1 Advantages.\\n1) Low loss and high return.\\nIt supports margin trading, so you only need a small amount of principal to buy the corresponding number of tokens, which greatly increases the efficiency of capital utilization, and can achieve the effect of \"Limited Losses, Unlimited Profits\".\\n\\n2) Low cost.\\nThere is no interest on borrowed currency. Contract transactions have no expiration or settlement date.\\nIn all investment markets around the world, the cost of contract transactions is much lower than that of spot transactions because there is no stamp duty.',), ('*3) Two-way transaction mechanism.*\\n*By judging the rise and fall, you can choose to create a bullish order or a bearish order, and realize two-way profit from the rise and fall of the price.*\\n*Hedging can be done using two-way trading, which is how hedge funds profit.*',), ('4) Instant transactions.\\nSpot transactions in many markets are based on a matching system. When the quantity and price of buyers and sellers do not reach an agreement, the transaction cannot be completed.\\nThere is no such problem in contract transactions, and instant transactions can be completed.\\n\\nBecause of the above advantages, contract transactions can greatly improve transaction efficiency and capital utilization, and save transaction time.',), ('*3.2.2 Disadvantages.*\\n*Although contract transactions increase the flexibility of transactions, they also require higher technical requirements for investment.*\\n*In addition, margin ratio management, price position selection, target profit price, target stop loss price and mentality control are all important aspects of contract trading.*',), ('*For example.*\\nToday I used a margin ratio of 50X and bought 5,000 BTC contracts with an input cost of $100,000. A gain of 43,229.3 was earned for a yield of 43.2293%.\\n1. If I want to earn these profits with spot trading, I need to invest $5 million.\\n2. The whole transaction process takes nearly 2 hours, which is very efficient.',), ('A lot of people have created a lot of myths in the cryptocurrency market using futures trading tools because they are used to analyzing trends and seizing opportunities.\\nAnd what I pursue from beginning to end is long-term stable profit.\\nCryptocurrency is a thriving market with many opportunities.\\nThe most effective way to learn is by doing.\\n\\nI use many applications, and the contract trading mechanism of each trading center is similar.\\nIf you want to know about the use of the contract trading function of the Btcoin exchange application, then I asked their representatives to share.\\n\\nBecause of the competition and time, I will share these today. Friends who want to get trading signals can consult my assistant, Ms. Mary. See you tomorrow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and I hope friends can vote for him. He has made extraordinary achievements in many investment markets, and he wants to realize his new dream through this competition.\\nThanks to Professor Jim for sharing, many friends have followed him today to earn excess short-term profits.💰\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.🎁\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, *please add my business card and write to me.*💌💌\",), ('Mary Garcia',), ('You feel okay today?',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThank you for voting for me, my number of votes is increasing, and my ranking is improving.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nThe rectification measures in the cryptocurrency industry are continuing, which paves the way for the healthy development of the industry. But the short-term is not good for market sentiment.\\nTherefore, the difficulty of trading has increased relatively. In order to realize the expected return more safely this week, I will adopt a contract combination strategy.\\n*I will share the latest strategies and signals later.*\\n*Friends please pay attention.*\",), (\"I'm okay\",), ('Just tired.',), ('From the BTC one-hour trend chart, we can see its operating range.\\nAt present, the price pressure is high, so the short-term strategy of BTC will be mainly to create bearish contracts.\\nThe current price is close to the pressure level, so I use very little capital position testing.\\n*In the combination strategy, BTC is not my focus.*\\n*I am watching the market, and I will send out another more important strategy and signal at any time.*',), ('It is precisely because the current market sentiment is unstable and the difficulty of trading has increased, so I am more cautious.\\nThe combination strategy will greatly reduce the difficulty of my transaction and increase the success rate.\\nJust like when we invest in stocks, we can choose different investment varieties such as cryptocurrencies, gold, futures, and U.S. dollars.\\nThrough the way of combination, the risk is controlled at the best level, so as to achieve stable returns.\\nSimilarly, in contract trading, I often choose a dual-currency strategy, which is more beneficial.',), ('*BUA/USDT is the variety I focus on.*\\nIt can be seen from the 15-minute analysis chart that the price has shown a step-wise decline, and this trend is very smooth.\\nMoreover, the fast and slow lines of MACD continued to hit new lows, and the price and indicators did not diverge.\\nI am waiting for an opportunity for the price to rebound to the resistance line.\\nFriends who are following my trading signals, please note that I will use more capital positions than BTC for this transaction, and you can prepare for it.',), ('*Important information.*\\n1. I created an order for the BUA bearish contract.\\n2. My investment position in BUA is twice that of BTC.\\n3. Today I adopted a combination strategy. If you missed the BTC order just now, I suggest you focus on BUA.\\n\\n*Important information.*\\n1. I created an order for the BUA bearish contract.\\n2. My investment position in BUA is twice that of BTC.\\n3. Today I adopted a combination strategy. If you missed the BTC order just now, I suggest you focus on BUA.',), (\"As I wait for earnings and market changes, I share two important themes.\\nFirst let's look at the economic and stock market news.\\n1. The U.S. trade deficit expanded significantly in April, indicating that the economy is under enormous pressure.\\n2. The stock prices of AAPL, GOOGL, and MSFT fluctuate, indicating that the gains in technology stocks are fading.\\n\\nEveryone has noticed that the economic outlook for the second half of the year is not optimistic. I often express this point.\\nCentral banks are likely to keep interest rates higher for longer, dashing hopes of a shift to rate cuts later this year and weighing on technology stocks.\",), ('Since the value of these types of companies is derived from future cash flows, higher interest rates will limit the upward trend of large-cap stocks.\\nCombined with some previous important points, stock market investors should pay attention to this risk approaching.',), (\"A friend wrote to ask about the impact of the SEC's supervision, and asked whether it would affect this round of bull market.\\nMy point of view is that the strengthening of the SEC's supervision has created a short-term negative for the cryptocurrency market, but this is clearing obstacles for a new round of bull market and protecting the rights and interests of investors.\\n\\nWhy is my expectation of this round of bull market so firm?\\nWhat kind of opportunity to change the destiny of investment lies behind it?\\n*Next, I will simply make a share.*\\n1. The reason why the halving mechanism gave rise to the bull market.\\n2. What price will Bitcoin rise to in this round of bull market?\",), ('This round of bull market is determined by the Bitcoin generation mechanism, and it will not be changed by any factors unless the cryptocurrency disappears.\\nThe halving of Bitcoin mining rewards has been the biggest catalyst for any previous bull market.\\nIt reduces the supply of new bitcoins on the market.\\nAccording to the law of supply and demand in the market, if the circulation quantity of a certain commodity is not restricted, hyperinflation will easily occur, and the price of the commodity will be greatly reduced.',), ('Likewise, if bitcoins are widely available, their value may decrease.\\nSetting the Bitcoin reward to be halved every 210,000 blocks can effectively reduce the inflation rate of Bitcoin gradually, thereby preventing the occurrence of hyperinflation.\\nSimply put, Bitcoin is not infinitely produced, its quantity is limited and fixed. \\nTherefore it is scarce.',), ('I first sold my BTC bearish contract, because the current BTC trend momentum is insufficient, I first kept the profit.\\n*I will focus mainly on BUA.*',), (\"I first sold my BTC bearish contract, because the current BTC trend momentum is insufficient, I first kept the profit.\\n*I will focus mainly on BUA.**The halving has become a definite bullish catalyst and even created a hype cycle.*\\nHalving events help determine the scarcity or availability of Bitcoin by reducing the rate of production of new coins, similar to precious metals like gold and silver.\\nThe concept of scarcity or limited availability is based on supply and demand economics, which means that when the supply of an entity or item is scarce but the demand increases, the price of that entity or item will increase.\\nA similar phenomenon occurs in the Bitcoin network, where the halving event significantly reduces its inflation rate.\\nHalving events typically catalyze an uptrend in Bitcoin, as reduced supply and increased demand lead to a surge in Bitcoin prices in the cryptocurrency market.\\n\\n*What price will BTC rise to in this round of bull market?*\\n*Let's do a simple calculation.*\",), (\"When I sold after I sent the message, the profit retraced a bit, and there was a profit of about 40%, but this is not a pity.\\nBecause today I adopt a combination strategy, I mainly trade BUA, and I invest in more capital positions. The current income is 20%, and the income is still expanding.\\n\\nNext, let's calculate the expected price of BTC in this round of bull market.\",), ('This is the relationship between the three historical halving cycles and the bull market.\\n*The following data can be seen from the monthly chart of BTC.*\\nThe bull market of the first halving cycle was from 2011 to 2014, when the price of BTC rose from $7.50 to $1200, an increase of 15,900%.\\nThe bull market of the second halving cycle was from 2015 to 2018, when the price of BTC rose from $222 to $20,000, an increase of 8,900%.\\nThe bull market of the third halving cycle is from 2019 to 2022, when the price of BTC rose from $3,300 to $70,000, an increase of 2,021%.\\n\\nThat is to say, in the first three rounds of bull markets, the minimum increase of BTC was 2,021%. According to this increase, the price of BTC will reach above $320,000 in this round of bull market.',), ('*Important information.*\\nThe bearish contract order of BUA that I just created has also achieved a return of about 40%.\\nThe trend of BTC is not strong enough, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.\\n\\n*Important information.*\\nThe bearish contract order of BUA that I just created has also achieved a return of about 40%.\\nThe trend of BTC is not strong enough, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.',), (\"Isn't the expectation of this round of bull market very exciting?\\nAlthough this is a simple calculation method, its logic is so simple and visible.\\nThe logic of the bull market cannot be changed. Are you ready for this?\\nWe have reasons to fully believe that the SEC's supervision is an important opportunity to start a bull market.\\n\\nWhat is the driving force behind this bull market?\\nWhat are the main opportunities in this bull market?\\nHow can ordinary investors get involved?\\nDo you care about these?\\nI will share these themes when I find time.\",), (\"At the same time, please note that the online purchase of the original share of the latest ICO project NEN has started. Friends who are interested in this suggest that you focus on it.\\nNext, I will open the group chat function. Regarding today's transaction and the content I shared above, if you have any unclear points, you can ask questions.\\nThen, I will take time to answer questions from my friends.\",), (\"I already voted for you Mr. Jim, today's deal is very timely and very beautiful.👍🏻\",), ('Why does the SEC regulate Coinbase, and will it have any impact?',), (\"Will BTC rise to $320,000? It's incredible.\",), (\"Yesterday's transaction was too beautiful, but it's a pity that it was sold a little early.\\nHow do I create a mid-term contract, Professor Jim?\",), ('I have voted for you today.',), ('Not only coinbase, but also binance are regulated.',), (\"I already voted for you Mr. Jim, today's deal is very timely and very beautiful.\",), ('Yesterday, I learned the knowledge about contract trading shared by Professor Jim, which made me very happy.\\nI want to learn contract trading quickly, where should I start?',), (\"Although I haven't participated in the plan yet, I will do everything I can to get involved in your plan.\",), ('The message from our trading room is that the BTC turmoil caused by the SEC lawsuits against major cryptocurrency exchanges may be a harbinger of short-term gains for BTC.\\nBTC fell more than 5% on Sunday before recovering more than 5% on Tuesday.\\nSimilar consecutive see-saw moves of at least 5% have occurred five times over the past two years and have portended an average gain of nearly 11% over the ensuing 30-day period.\\nAccording to historical data, as long as the SEC sues and causes BTC to fluctuate by 5% or more in a row, the price of BTC will often rebound by 11% in the next 30 days.\\nAccording to the current price, the price of BTC can touch 30,000 US dollars before the beginning of July.',), ('Beginners often only say right or wrong afterwards, worrying about gains and losses. Sophisticated traders tend to follow trends and weigh pros and cons.',), ('The main reason is because some of their businesses are not compliant. These are to protect investors, because there is too much chaos in the cryptocurrency industry.',), ('You need a secure cryptocurrency applicationwith contract trading functionality.',), (\"lt seems to be getting worse. The court granted the SEC'srequest to freeze the assets ofthe Binance.US company.\\n80% of Coinbase's business comes from the United States,which isvery dangerous this time\",), (\"Historically, every production halving event will bring a production reduction shock. The impact of production cuts will directly reduce the number of bitcoins released to the market, resulting in a supply shortage and triggering price hikes.\\nI very much agree with Professor Jim's sharing of this logic. I think this calculation method is very valuable.\",), ('Are there any good apps you can share with me?Whatabout Btcoinapp?',), (\"I've voted for you, Mr. Jim.\\nI study your point of view carefully every day, is the bitcoin bull market coming?\\nI am not ready yet, what should I do to catch this round of bull market? Can you tell us about it?\",), ('Already voted, how about the Btcoin app?',), ('You can consult Mary. she is a software engineer.',), ('Whether it is intentional by the federal government or for other reasons, as Professor Jim said, SEC regulation is good for the entire industry. We all need a safe and quiet investment environment.\\nThere is such a point of view in our trading room that the icons feed back all the fundamental information.\\nIn this round of bull market, this matter is not worth mentioning.\\nProfessor Jim, what do you think of this latest ICO project - NEN?',), ('Hello everyone, I have seen your questions.\\nRight now, I am in a meeting regarding an important trading plan for my team. \\nI will share the details with you later.',), (\"Hello everyone, thank you for your support and welcome to our new friends. \\nToday is quite busy as the SEC's regulatory oversight presents a significant opportunity for the industry. My trading team and some institutional friends are currently holding a web conference. \\nAs this meeting is crucial and will take some time, I won't be able to share more with you today. \\nI have received many messages from friends asking about topics such as 'how to seize the current cryptocurrency bull market.' \\nI will continue to share with you tomorrow.\",), ('Good seeing you. Fingers crossed',), (\"it was good meeting up with you as well. I talked with Abe last night after you left and we're all set to go.\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThank you for voting for me, my number of votes is increasing, and my ranking is improving.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nThe rectification measures in the cryptocurrency industry are continuing, which paves the way for the healthy development of the industry. But the short-term is not good for market sentiment.\\nTherefore, the difficulty of trading has increased relatively. In order to realize the expected return more safely this week, I will adopt a contract combination strategy.\\nI will share the latest strategies and signals later.\\nFriends please pay attention.\",), ('Because many friends are worried about the impact of SEC supervision, yesterday I shared the views of \"the relationship between the halving event and the cryptocurrency bull market\" and \"this round of bull market BTC is expected to exceed 320,000 US dollars\".\\nAfter the point of view was shared, it aroused heated discussions, and I received messages from many friends.\\nFriends who are unclear about these two points can ask my assistant, Ms. Mary, to get my investment diary yesterday.\\n\\nWhat is driving the current cryptocurrency bull market?\\nWhat are the main opportunities?\\nHow can ordinary investors get involved?\\nI will find time today to share these topics.\\nFirst, let us quickly enter today\\'s technology sharing.',), ('The views of my friends on Wall Street, I think are very valuable.\\nWith his point of view, let\\'s analyze the trend of BTC together.\\nOn Monday, I expressed the view that \"if the price falls below the 0.618 price of this increase, the price will challenge the 0.5 position\".\\nIn the upward range of BTC 19,610-31,000, the price of 0.618 is around 26,650, and the price of 0.5 is around 25,300.\\nThe technical graph shows that point C is just close to the price level of the technical analysis.\\nThis is similar to point A/B, and point D is relatively weak, but after the formation of point D, the price of BTC has also formed a certain increase.\\nSo, I agree with this point of view.',), ('However, the environment is different now than it was in March.\\nThe upward trend was catalyzed by the Silicon Valley bank failure in March.\\nAt present, the rectification of the cryptocurrency industry is actually detrimental to the price in the short term, so we should be more cautious.\\nHowever, judging from the shape of the candle chart combination in this trend chart, the market sentiment has not been slack.\\nThis shows that funds have re-entered the market, price declines are relatively limited, market sentiment has been restored, and buying power is accumulating.\\nTherefore, I think the relationship between price and MA120 is the focus of observation.\\nObserve whether market investors can re-reach a high degree of consensus at this price in the short term. And watch the progress of regulatory events.',), (\"*The following technical points can be obtained from the 1-hour trend chart.*\\n1. The operating range and direction of high probability of short-term price.\\n2. Judging by the current MACD indicator, the buyer's strength is increasing.\\n3. The market outlook pays attention to the status of MACD.\\n1) Whether the fast and slow lines can cross the zero axis and continue upward.\\n2) Whether the positive value of MACD can increase.\\nA bullish P/L ratio is a bargain. Time for space.\",), ('From the 15-minute trend chart, it can be seen that the current price has just risen above the triangle range.\\nThe take profit and stop loss of creating a bullish contract order is shown in the figure.\\nBut in the current environment, please remember that the use of capital positions must be reasonable.\\nThe fund position I use is the one commonly used in testing.',), (\"In contrast, the trend of BUA is smoother than that of BTC.\\nUsing the trend of BTC to guide BUA's transaction success rate is much higher.\\nSo in the current environment, I use this combined strategy and focus on BUA.\\nSo I create BUA orders using more funds.\",), ('In terms of the stock market, many friends are more concerned.\\nIn the first 5 months of this year, a total of 8 stocks from 7 companies contributed all or even more than the return rate of 9.65% of the S & P 500 index.\\nHowever, if these seven companies are excluded, the S & P 500 index will decline slightly in the first five months of this year.',), (\"As of the end of May, Nvidia's weight in the FT Wilshire 5000 index was only 2.19%, but the return it contributed was higher than the index's return for the month, reaching 36%.\\nFor such a seriously overrated situation, I panic in my heart.\\nTherefore, this year I mainly invest in the cryptocurrency market.\\n\\nThe question I keep thinking about is, how am I going to prepare for this cryptocurrency bull market? Is what I'm doing right now deviating from my plan?\\nNext, I share a few important points.\",), ('1. The driving force of this round of bull market is different from previous ones.\\nIn the past, the main driving logic of the bull market was the shortage of supply in the market caused by the halving of mining capacity. The bull market generally occurred before and after the halving cycle of mining.\\nThe great bull market in 2017 is a typical example. Although its madness relies on ICO, it is essentially affected by mining supply and demand.\\nIn 2022-2023, there will be nearly 20 million bitcoins in the market.\\nSupply and demand may not be the main factor affecting Bitcoin.',), ('Bitcoin has become a strategic asset that Wall Street institutions and technology giants such as Grayscale Fund, MicroStrategy, and Tesla are vying to deploy.\\nObviously, the investment logic and purchasing power of institutional funds are not comparable to retail investors, which provides strong support for the growth of the bull market.',), ('2. *The market fundamentals that catalyzed the bull market to go crazy have changed.*\\nThe peak period of the bull market in 2017 was brought about by the ICO model, which is an eternal theme in the cryptocurrency industry.\\nIn this current round of bull market, ICO will inevitably become a hot spot, but the technical threshold for project development and the threshold for user participation are relatively high.\\nAnd the ICO issuer will make more considerations about the level and advantages of the trading center.',), (\"Ps.\\n*What are ICO?*\\nICO is the abbreviation of Initial Coin Offering.\\nIt is a behavior similar to IPO (Initial Public Offering), except that ICO issues cryptocurrencies and IPO issues stocks.\\nICO means that the issuer issues a new cryptocurrency to raise funds, and the funds raised are used to pay for the company's operations.\\nThe reward for investors is to obtain this new cryptocurrency and the premium expectation of future listing.\",), ('For example, NEN is a very good ICO project.\\nIt is understood that this is a new energy future market application solution project.\\nAs a combination of alternative energy and blockchain, its concept is meaningful to the market.\\nThis concept must have attracted the attention of the market.\\n\\nThis logic is the same as that of the stock market.\\nFor example, Nvidia recently drove the skyrocketing of AI concept stocks.\\nIt is because the concept of AI is very good.',), (\"The online purchase progress bar data of NEN's original share shows that its listing price cannot be lower than 2.5 US dollars, which allows us to see the opportunity to obtain the price difference.\\nAccording to the current data and progress, it is not difficult to obtain several times the income when it goes public.\\nAccording to past case experience, it is expected to be listed next week.\\nFriends who are interested in this can pay attention to it, and I have already participated in it.\",), (\"3. The main theme of the story supporting the existence of the bull market is changing.\\nA good topic is the core of hot money speculation in the investment market since ancient times.\\nTo put it simply, in the past bull markets, everyone mainly talked about the disruptive value of blockchain technology. Now, more attention is paid to practical value.\\nFor example, DeFi, now doing loans, derivatives, stable coins, aggregators, etc. are all applications of the traditional financial system in the blockchain industry.\\nFor example, ICO is now more focused on serving certain industries, especially the new technology industry and industries that change people's lifestyles.\",), ('For example, NEN.\\nAs an alternative energy source, the value of new energy is beyond doubt.\\nUsing blockchain technology to combine new energy with applications, there is a story to tell, which will attract the pursuit of funds, thereby shaping market expectations and profit opportunities.',), ('Important information.\\n1. The short-term income of BUA is around 45%.\\nBut the current trend of BTC is unstable, and I am worried that it will affect the profit of BUA, so I choose to sell to keep the profit.\\n2. BTC maintains the internal operation of the channel in the short term, and the trend is weak.\\nShort-term trading strictly implements the strategy, reaches the stop profit near the target position, and stops the loss when it falls below the trend line. The lower support level is around 25,500.',), (\"I made a very good profit in the BTC contract today, but why didn't I sell it?\\nBecause I am testing the current market's recognition of this price range, which belongs to the fund position of the medium-term strategy, I have expressed my views on the daily analysis chart.\\n\\nGood short-term gains have been achieved through the combined strategy in the past few days, which shows the correctness of the strategy.\\nDon't pursue too much in trading to buy at the lowest point and sell at the highest point.\",), (\"As a friend said yesterday, weigh the pros and cons.\\nThe reason why many traders have not made great achievements throughout their lives is that they are always pursuing the ultimate point of buying and selling.\\nAnd most of the more successful traders follow the trend forever.\\nNext, I will open the group chat function. Regarding today's transaction and the content I shared above, if you have any unclear points, you can ask questions.\\nThen, I will take time to answer questions from my friends.\",), ('A good day has begun, everyone, support Professor Jim and vote for him to win the championship.👌🏻',), ('Thank you Mr. Jim, you are my God, I earned 59%, a total of $35',), ('I will vote for you every day, and I will trade with you when I am ready.',), ('This feeling is wonderful, thanks Mr. jim for sharing, I have already voted for you.',), ('I feel like the federal government is the biggest controller of Btc.',), (\"I'm late sir, luckily I bought it for *$ and made a *76% profit, *74$. Thank you very much, I am very happy.\",), ('Professor Jim grasped this trend very accurately. how did you do it?',), ('As your supporter, I will keep voting for you. until you get the champion.',), (\"Originally, I had such a question: why invest in cryptocurrency?\\nThrough Professor Jim's two-day sharing, I understand that the cryptocurrency market is more valuable and the opportunity has come.\\nBut I don't have the app, how do I get started? What application are you using now?\",), ('Why do you say that?',), ('Bitcoin holdings on exchanges have seen net outflows for three consecutive days.\\nThis shows that the rise will take time, right? Mr. Jim.',), ('where can i download this app?',), ('Miss Mary, I need your help, thank you for your patience.',), ('According to professional statistics, the federal government has seized at least 215,000 bitcoins since 2020.\\nAs of the end of March this year, they held an estimated 205,515 Bitcoin balances, worth about $5.5 billion.\\nAt the time, the federal government controlled 1.06% of bitcoin’s circulating supply and was the largest holder of bitcoin.\\nThe federal government holds 2 of the top ten bitcoin wallets.',), ('Btcoin APP',), ('I think contract trading is very interesting, I want to catch this bull market, I am looking forward to it.',), (\"I'm using three apps, coinbase, btcoin and crypto, and I think they're all good\",), (\"Wow, that's incredible, but what does it mean?\",), (\"I haven't learned how to trade yet, how did you guys do it?\",), (\"I used to do spot trading and lost a lot of money. I didn't find out about this contract deal until recently, and it's pretty cool.\",), ('I think this SEC regulatory action is intentional, and there may be some plan for it.',), ('You can ask Ms. Mary, she is very familiar with the software industry, she can help you.',), ('ok.thx',), ('Professor Jim, I did it, and I feel very fulfilled. Thank you. I want to take you as my teacher.😎',), ('So this is consistent with Mr. Jim\\'s view that \"regulation clears the way for the bull market\"?',), ('Professor Jim, I have already voted for you, thank you very much for sharing.\\nHow should we seize the opportunity of this round of cryptocurrency bull market?\\nThis is what I am more concerned about.\\nI feel really lucky to be in these groups.',), (\"I don't think the SEC regulatory incident with binance and coinbase is anything compared to the Silicon Valley bank collapse. There are still many banks in deep trouble.\\nProf.Jim has summed up many times that the instability of the financial market is good for the cryptocurrency market, which is why I invest in gold and cryptocurrencies.\\nThen, industry regulation and rectification is also good news, which creates opportunities for us to make profits.\",), ('Friends, where is your cryptocurrency contract trading? Why do I have no contract transactions? What do I need to do to enable contract transactions?',), ('Thanks to Professor Jim for his guidance, I have completed the online purchase of NEN.',), (\"OK. I saw the questions from my friends, and I am very happy to make my sharing valuable to you.\\nThank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nBecause of the competition, I have been busy recently. Yesterday's meeting was about this ICO investment plan.\\nSo that some letters from friends have not been replied, please understand.\\nI hope you will continue to support me, and I will share more exciting content next.\",), ('It is impossible to succeed in any investment market easily, and more efforts are required. But the premise is that the direction must be correct.\\nI believe that as long as you can understand my views these two days, you will gain a lot.\\nI firmly believe in this, because I have gained a lot, our profit model and investment plan have been verified by the market, and I am still working hard.\\n\\nThe bull market expectations for this round of cryptocurrencies are well known, and many large institutions have already participated in it.\\nAs an ordinary investor, how do you compete with them and how do you take advantage of this opportunity?\\nNext, I will take some time to share this topic.And I suggest that everyone make investment notes on my important views in the past two days.',), ('*Viewpoint 1: In this round of bull market, mainstream currencies such as Bitcoin and Ethereum must play the leading role, and other ICOs and DeFi will play a supporting role in enjoying the opportunities of hot rotation.*\\n\\nThe main reason is that mainstream Wall Street institutions focus on prudent asset allocation, and they value the market stability of the currency they invest in.\\nTherefore, BTC, ETH and other mainstream currencies with large group consensus will be favored by institutions.\\nSome subsequent investment institutions will also use this as a key investment target layout.\\nThis means that retail investors should also regard mainstream currencies as key holdings in the initial stage of participation.',), ('Every trading center is grabbing these opportunities.\\nTake the Btcoin trading center as an example, they are more focused on ICO, and other hot spots are summarized as B-Funds. When I have investment plans in the future, I will share them with you.',), ('*Viewpoint 2: In this round of bull market, it is difficult to repeat the situation of skyrocketing thousands of coins, and the entire market will be more mature and rational than in 2017.*\\n\\nPerhaps driven by mainstream currencies such as BTC and ETH, ICO, DeFi, NFT, BSC and other tracks will generate some hundred-fold coins and thousand-fold coins due to hot spots, but most of the funds supporting such projects are hot money.\\nPlease remember this sentence, it is very important.',), ('When the time comes, we can do something within our capabilities.\\nWhat can we do and gain in this round of bull market?\\nThis is what I want to focus on planning, and this will be the focus of my competition this time.\\nIn short, in this round of bull market, my goal is 1,000 times, and my plan is brewing.\\nSo, why do I dare to say: I want to lead my friends who support me to surpass other competitors.\\nLet us witness together.',), ('*Viewpoint 3: The process of this round of bull market will be relatively long.*\\n\\nJust because the first three rounds of bull markets are well known, and the investment market will give early feedback on the bottom and top, the process of this round of bull market will be longer.\\nWhether it is the start time or the end time, it will be relatively long.\\nSo BTC around $15,500 in 2023 is the starting point of this round of bull market.',), ('*How to steadily obtain super profits?*\\nWe must understand the method of asset allocation, that is, adopt a combination strategy, and not blindly hold a certain target.\\nFor example, in contract trading, I often use three combinations of medium-short-long.\\nFor example, the combination of contract trading and ICO.\\nFor example the combination of ICO and B-Funds.\\nOf course, there is a more effective way, this is my plan. We were planning a large-scale plan at the meeting yesterday, and we will share it with you when we have the opportunity.',), ('*Viewpoint 4: If retail investors want to become stronger and bigger, they must make good use of tools.*\\n\\nFor example, contract trading instruments.\\n1)🔹 The contract trading tool is a margin trading mechanism. Only a small amount of principal is needed to buy the corresponding number of tokens, so as to achieve the effect of \"limited loss, unlimited profit\".\\n2)🔸 There is no interest on the borrowed currency, and the contract transaction has no expiration date or settlement date, so the cost is low.\\n3)🔹 By judging the rise and fall, you can choose to create a bullish order or a bearish order, and realize two-way profit from the rise and fall of the price.\\n4)🔸 There is no problem of matching transactions in contract transactions, it is an instant transaction mechanism.',), ('To sum up, contract transactions can greatly improve transaction efficiency and capital utilization, and save transaction time.\\n\\nWhat are the tools I usually use and am I using? I share it with you in actual combat.',), (\"This round of bull market will be a bustling event for many investors.\\nHowever, the methods of the past may not be effective, because concepts, technologies, tool usage, and profit models are all being updated.\\nThe most important thing to consider is to quickly develop a mature profit model.\\nThis is an era of picking up money, what are you waiting for?\\n\\nIf you want to invest in cryptocurrency, if you want to make money with me, but you don't have the app.\\nYou can consider the application of the Btcoin exchange center, my experience of using it tells me that it is very good.\\nIt has some great features, such as contract trading, ICO, B-Funds.\\nI suggest that friends can go to understand these.\",), (\"Well, next, we will invite the official representative of the Btcoin trading center to explain the application of Btcoin to you.\\nI'll share that today, see you tomorrow.\",), (\"Thanks to investors and friends for your attention and support to this competition and Btcoin trading center.\\nI wish Mr. Jim Anderson, the favorite to win this competition, excellent results.\\nOur company is about to set up a special cryptocurrency fund with a level of 100 billion US dollars. Select fund managers by holding competitions, publicize the advantages of the Btcoin trading center through competitions, and let more investors understand and use our application. This is the purpose of our competition.\\nJust in the past two days, because of the SEC's regulatory measures against industry giants Binance and Coinbase, investors have paid more attention to the compliance of trading centers.\\nI would like to remind investors and friends to verify clearly when choosing cryptocurrency applications.\\nOn behalf of Btcoin Tech Group and Btcoin Trading Center, I will explain to you the important information related to our company and this competition.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and I hope friends can vote for him. He has made extraordinary achievements in many investment markets, and he wants to realize his new dream through this competition.\\nThanks to Professor Jim for sharing, many friends have followed him today to earn excess short-term profits.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\n*If you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, please add my business card and write to me.*💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nTime flies so fast, and it's almost the weekend again.\\nLast weekend, my trading team had a meeting. In order to deal with short-term negative factors and achieve better returns, we adopted a contract combination strategy.\\nSo far, this decision is correct, and we have achieved certain results.\\nOf course we can do better\\nI will share the latest strategies and signals later.\\nFriends please pay attention.\",), ('It is precisely because the current market sentiment is unstable and the difficulty of trading has increased, so I am more cautious.\\nThe combination strategy will greatly reduce the difficulty of my transaction and increase the success rate.\\nJust like when we invest in stocks, we can choose different investment varieties such as cryptocurrencies, gold, futures, and U.S. dollars.\\nBy means of combination, the risks are better controlled, so as to achieve stable returns.\\nThis is a common method of asset allocation.\\nIn any investment market, as long as the risk is controlled, profits will follow.',), ('In contract trading, I often choose a dual currency strategy.\\nEspecially when the BTC trend is not clear, use BTC as a reference to find varieties with clearer trends, so as to increase the winning rate.\\nOf course, there are other methods, which I will share with you in actual combat in the future.',), ('*Important information.*\\nI created two put contract orders simultaneously.\\nToday I still use a combination strategy.\\nAnd I mainly use BUA, supplemented by BTC.\\n\\n*Important information.*\\nI created two put contract orders simultaneously.\\nToday I still use a combination strategy.\\nAnd I mainly use BUA, supplemented by BTC.',), (\"The Fed's trillion-dollar debt issuance is imminent, and Wall Street is worried about the coming shock.\\nOn Wednesday, the U.S. Treasury Department said it would return cash balances to normal levels by September after reaching their lowest level since 2017 last week.\\nOfficials concluded by saying the Treasury Department's general account (TGA) is targeting a $600 billion balance.\\nThat sparked collective concern among Wall Street analysts.\\nThe sheer size of the new issuance, they argue, will drive up yields on government bonds, suck cash out of bank deposits and suck money out of other investment markets.\\nI have recently done a detailed analysis of this logic.\",), (\"What I want to emphasize today is that the issuance of new bonds is not only bad for the stock market, it is also bad for most investment markets, and it will take away funds from the market.\\nCoupled with the SEC's supervision of industry giants, this has brought short-term negatives to the cryptocurrency market.\\n\\nThe following points can be drawn from the 1H analysis chart of BTC.\\n1. The price fails to break through the support level.\\n2. The MACD fast and slow line has a dead cross near the zero axis, and the value of MACD changes from positive to negative.\\nThis is a sign of a weaker trend, so I created this order with very little capital.\",), ('*The trend of BUA is clearer.*\\nFrom the 15-minute trend chart, we can clearly draw the following points.\\n1. There is a significant deviation between technical indicators and prices.\\nWhen the price is at a new high, the fast and slow lines of MACD are approaching the zero axis.\\n2. The MACD fast line crosses the zero axis downward, and the negative value of MACD is increasing.\\n3. The direction of the middle rail of the Bollinger Bands starts to turn downwards, and the upper and lower rails show an expansion pattern.\\nThis is a classic signal of a strengthening downtrend.\\n\\nSo, I created this put contract order with more money in the position.',), (\"The pressure on the U.S. banking industry is mounting.\\nBig banks are required to bid for Treasuries through agreements with the government, and these primary dealers may actually be forced to fund the TGA's replenishment.\\nMeanwhile, bank deposits have fallen as regulators seek to boost banks' cash buffers in the wake of the regional banking crisis and customers seek higher-yielding alternatives.\\nAdditionally, the Fed is shrinking its balance sheet, further draining liquidity from the market.\\nThe end result of deposit flight and rising bond yields could be that banks are forced to raise deposit rates, to the detriment of smaller banks, which could prove costly.\",), (\"*Today, let's re-understand the relevant logic.*\\n1. The issuance of new bonds will draw liquidity from the market, causing short-term negatives for most investment markets.\\n2. From the 30-minute trend chart of the US stock index, it can be seen that the technical indicators have deviated from the price. This is a signal of a short-term peak.\\n3. AI concept stocks in the stock market are overvalued, which is a medium-term unfavorable factor for the stock market.\\nAnd the plunge can happen at any time, which scares me.\\n4. The stock index and BTC have begun to show a negative correlation. If the stock index peaks, the probability and momentum of BTC's upward movement will increase.\\n5. Increased pressure in the banking industry will affect the stability of the financial system, and the decentralized value of cryptocurrencies will be reflected, which is good for the cryptocurrency market.\",), ('Therefore, the two negative effects of new bond issuance and SEC supervision are only short-term.\\nBecause the logic of the fourth round of bull market cannot be changed, it is determined by the generation mechanism of BTC.',), ('*Here are a few key takeaways I shared this week.*\\n1. The halving mechanism of BTC mining rewards and the relationship between bull and bear markets.\\n2. The fourth round of bull market of cryptocurrency will be born in 2023, and $15,500 is the starting point.\\n3. In this round of bull market, BTC will rise above $320,000.\\n4. The driving force, fundamentals and main theme of this round of bull market will undergo great changes.\\n5. Four key points for retail investors to participate in this round of bull market.\\n\\nIf you are new to our group, you can get this information by requesting my investment diary through my assistant Ms. Mary.',), ('Mary Garcia',), ('A friend asked some questions about NEN, the latest ICO variety.\\nLet me briefly analyze future expectations based on current data.\\n\\n1.🔹 The current online purchase progress bar of the original share is about 337%.\\n1)🔸 337% means that the funds participating in the online purchase of NEN in the market are 3.37 times the fixed amount.\\n2)🔹 More than 100% means that the opening price of the new currency will not be lower than 2.5 US dollars in the future, which means that this project has no risk.\\n3)🔸 Based on experience and current data, the opening price of the listing is expected to be above $7.',), ('*Important information.*\\nBecause the trend of BTC is not strong enough, I sold the BTC order to keep the profit.\\nBUA continues to hold.\\n\\n*Important information.*\\nBecause the trend of BTC is not strong enough, I sold the BTC order to keep the profit.\\nBUA continues to hold',), ('2. USD 2.5 has a good price advantage and will attract a large number of buyers to participate.\\nAt that time, the purchase price of BUA’s original share was similar to that of NEN. The opening price of BUA was around US$9, and it rose to around US$54 after listing.\\nI made a lot of profits in the ICO project of BUA, which was an important investment before I entered the finals, so I am very concerned about this target.',), ('The advantage of low prices is that many investors can participate, which will accumulate more buying orders.\\nIn the case of limited quantity, the more buying orders, the higher the opening price will be.\\nThe first step income of ICO varieties is the premium income of listing.\\nThis is why I pay more attention to the investment project of ICO.',), (\"*Important information.*\\nThe BUA bearish contract I created just now has a 43% return.\\nBecause the short-term downward trend of BTC is not as strong as expected, and the price of BUA is close to the profit target.\\nI'm worried this will affect my earnings.\\nShort-term trading requires fast in and fast out. In order to improve the utilization rate of funds, I chose to sell to keep profits.\\nWaiting for the next opportunity.\",), ('In order to cope with the current complicated situation, I adopted a contract combination strategy this week, and the benefits obtained so far are still considerable.\\nAs an investor, you must not only recognize the situation clearly, but also know how to be flexible.\\nThe use of tools combined with the concept of asset allocation is very important at any time.\\n\\nNext, I will open the group chat function, and I suggest friends to make a summary together.\\nFriends, if there is anything unclear, you can ask questions.\\nThen, I will take time to answer questions from my friends.',), ('Professor Jim I have voted for you.',), ('Thanks to Professor Jim, I have gained a lot this week, not only knowledge, but also money.\\nI hope you will be able to win the championship.',), ('I have already voted, where can I claim the reward',), ('Send voting screenshots to Ms. Mary, there will be rewards for continuous voting',), (\"Thanks to Professor Jim for leading me to make money.\\nToday I'm going to invite my friends over for drinks and watch the game, I hope Jimmy Butler wins.\",), (\"SEC Chairman Gary Gensler defended the SEC's recent enforcement actions against Binance and Coinbase, and issued a stern warning to any other businesses in the space. And said, follow the rules or you could be sued too.\",), ('Ok',), (\"Come on, friend, let's drink it up.\",), (\"Is Btcoin's business affected?\",), ('What is ICO, I am very interested in it',), ('oh no we drink beer',), ('The SEC made big moves in two consecutive days, causing Binance CEO CZ to lose $1.4 billion in two days, and Coinbase CEO Brian Armstrong’s net worth also dropped by $361 million.',), ('My friend, let me take a cup of buffalo trace , cheers',), ('cheers',), ('I consulted Online Service about this issue and they told that this incident will not affect any business of Btcoin.',), ('Thanks to Mr. Jim for his explanation yesterday, which made me understand what I should do as a retail investor.👍🏻',), ('OK, thanks. Where is the Online Service?',), ('Good',), ('Miss Mary, I would like to know where can I start trading as a beginner.',), ('Can you tell us your point of view? I would love to learn more from you guys.',), (\"I think there are two main purposes for the SEC to rectify and investigate the two leading companies in the industry this time.\\nOne is to warn the entire industry, and to make this industry develop healthily, the greater the intensity this time, the healthier the industry will be in the future.\\nThe second is to protect investors. The results of this investigation and rectification will enable regulators to reset new norms for the future development of the industry.\\nHere, I would like to express that I agree with Professor Jim's point of view. \\nAt the same time, I have a guess, will this give this round of bull market a new opportunity?\",), (\"Its location at the top of the app's home page. You can send any query, it's useful.\",), ('thx',), ('Friends, what do you think of the medium-term trend of Bitcoin?',), ('The value of cryptocurrencies is self-evident, and this trend is irreversible.\\nIf the SEC goes too far with these two companies, it will hurt the entire industry, so I think they will definitely stop more serious measures after they have achieved their purpose.\\nThen the whole market will have a new explosive point.\\nNo matter what opportunity or theme, ICO will never be absent.\\nThis is my experience investing in dogecoin.\\nIt would be great if I got to know Mr. Jim earlier, so that my 300 times profit would not be greatly reduced to 120%.',), (\"I think it's time to sell my stock, as Mr. Jim said, the valuation of technology stocks is too high, which makes people feel scared.\",), ('300 times the income, this is unbelievable, how did you do it?',), ('I think there are several points.\\nBecause the generation mechanism of BTC and market expectations determine that this round of bull market exists objectively, this makes me full of confidence, and institutions have already entered the market.\\nBut many good projects are unable to participate because of our cognitive limitations.\\nThen it is a good way to combine mainstream currencies with contract transactions, so I am going to use contract transactions to start my bull market journey.',), ('Have you started trading yet?',), ('Short-term bearish.\\nWhether the medium-term MA120 buying point is established or not is critical.\\nThe medium and long term is a bull market.\\nThe long-term value is huge, because the circulation of BTC is limited, but there will be more and more investors.',), ('ICO is easy to understand and is equivalent to a stock market IPO, but how do I get involved?',), (\"Reading Mr. Jim's opinion this week has got me fired up.\",), (\".I don't care how the trend of BTC changes, what I pay most attention to is how to make money, especially short-term trading.\\nLook at Professor Jim's income this week, this is what I am most concerned about and what I want to learn.\",), ('Yes, I am learning from Mr. Jim, I am seriously studying his analytical skills, and at the same time I am learning about ICOs.',), (\"I heard about ICO, NFT, DeFi, but I don't know how to do it? I think contract trading is simpler, easier to understand, and easier to operate.\",), ('I wish you success.',), ('Let us work together.',), ('ICO is very simple, even simpler than contract transactions. After you buy it, just wait for it to go public. Good projects will not lose money.',), (\"OK, it's my pleasure, thank you.\",), ('Yes, this is an era of picking up money. But the key is that we have to determine a profit model.',), ('Last year, a master earned 1,000 times the income in the Bitcoin market, and he used the α+β model.\\nThat is to say, after determining the general trend and keeping the mid-line capital position unchanged, use the combination strategy to continuously earn the price difference through the short-term.\\nI believe that Prof Jim should know such a thing.\\nThis is a trading method commonly used by many teams on Wall Street.\\nThe core of this method is to follow the trend, so the key point to obtain a high success rate in short-term trading is to recognize the big trend.\\nAt this Prof Jim is a master .\\nIt is my honor to come to this group to watch your competition, Prof Jim.\\nYour income this week is already ahead of most trading managers on Wall Street, and I believe you can win the championship.\\nPlease come to our company when you are free, we can cooperate on many projects.',), ('I want to participate in the ICO project of NEN, just buy directly, right?',), ('Sure enough, as Mr. Jim said, bond yields are rising, and the dollar is also rising, while stock indexes and gold are falling.',), (\"Thank you for your attention, support and recognition. After the game, I will hold an important party on Wall Street. At that time, we invite Wilson to communicate together.\\nMy target for this year is 1,000x, and I think it's achievable.\\nIn fact, for this week's transaction, I think there are still many areas for improvement, and I can do better, but I think the combination strategy is very necessary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\nIf there is a better strategy or profit method, friends are welcome to share and discuss more.\",), (\"OK. I saw the questions from my friends, and I am very happy to make my sharing valuable to you.\\nThank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nBecause of the competition, I've been quite busy recently, so please forgive me if I didn't reply to some friends' messages in time.\\n\\nNow it's the weekend break, but our team is still fighting, because the other finalists are very strong, and we have to work harder.\\nTaking advantage of the break, let us summarize this week's sharing.\",), ('Many times, people often talk about tracks and trends.\\nBut if I asked you the following two questions, how would you answer them?\\n1. Taking stock, gold, and cryptocurrency as an example, which market do you think has more investment value? How to participate?\\n2. What do you think of the trend of BTC?\\n\\nIn fact, these are just the most basic questions.\\nAs an investor, if you want to achieve greater success in the investment market, you must have a clear understanding of the policy path, be familiar with the bull-bear laws of the industry, grasp the trend, and make good use of tools.\\nThese are all basic skills.\\nIn view of the letters from many friends, I see that most people are not very clear about this knowledge.',), ('In order to better help my friends who support me, I share a lot.\\nThere are a lot of important investment knowledge, how much have you learned?\\nNext, I briefly summarize the main points shared this week.',), ('This round of bull market is determined by the Bitcoin generation mechanism, and it will not be changed by any factors unless the cryptocurrency disappears.\\nThe halving of Bitcoin mining rewards has been the biggest catalyst for any previous bull market.\\nBecause the total amount of Bitcoin is limited, the reward is halved every 210,000 blocks. According to the law of supply and demand in the market, it can effectively gradually reduce the inflation rate of Bitcoin, there by preventing the occurrence of hyperinflation.\\nAs users and investors continue to increase, this will make its scarcity advantage more and more obvious, so the price will continue to rise.\\n*According to the data of the previous three bull markets, the price of BTC in this round of bull market will rise above $320,000.*\\n*Do you know how to calculate it?*',), ('The driving force of this round of bull market is different from previous ones. Institutions have begun to deploy cryptocurrencies as strategic assets.\\n*This provides strong support for bull market growth.*\\nThe market fundamentals that catalyzed the bull market to go crazy have changed, but ICO is still the focus of this round of bull market, but the market will make more considerations about the technology, practicality, and advantages of the trading center of the project. This is more conducive to hot money speculation.',), ('Therefore, this round of bull market will be more mature, rational and protracted.\\nThis will be another institution-led bull market.\\nIt is bound to be a bull market in which mainstream currencies such as Bitcoin and Ethereum play the leading role, and other ICOs and DeFi enjoy the opportunity to enjoy the rotation of hot spots.📊📊',), ('*As a retail investor, we must pay more attention to the combination of funds.*\\nWe must be good at discovering some good investment projects and invest them in a portfolio. This is the most stable asset allocation.\\nFor a good project, you must know how to use tools and make good use of them.\\n\\nContract trading is a good entry-level tool.\\nBecause it is a margin mechanism, only a small amount of principal is required to buy the corresponding number of tokens, which can better control risks. And it can achieve the effect of \"limited loss, unlimited profit\".\\n*Because of low-cost advantages, two-way transaction mechanism, instant transaction mechanism,* *365D*24H time mechanism, etc.,* contract transactions can greatly improve transaction efficiency and capital utilization, *and save transaction time.*',), ('Contract trading has created a lot of myths in the cryptocurrency market, and it has made many people very rich. There are many examples of getting rich overnight in this market, because they are used to analyzing the market and seizing opportunities.\\nAnd what I pursue from beginning to end is: *long-term stable profit.*\\nCryptocurrency is a thriving market, and with the \"halving cycle\" and bull market on the horizon, opportunities abound.',), (\"The most effective way to learn is practice. If you don't even understand the basic technical indicators, it will be difficult for you to make money in this market.\\nSo, if you have an application for cryptocurrency contract trading,*I hope you put the tips and trading signals learned here into practice.*\\nIf you don't have any apps about cryptocurrencies, then I suggest you sign up for one, improve yourself in practice, *and seize the opportunity of this bull market*\",), (\"If you don't have the app, if you don't know how to check the security of the app.\\n*I suggest that you can ask the official representative of Btcoin.*\\n*Or you can ask my assistant, Ms. Mary,* who is an IT and software engineer and my teacher.\\n\\nKeep thinking, let us always be sober and wise to see everything.\\nWork hard, let us approach our dreams every day, and provide better living conditions for our families.\\nHelp others, make our life full of fun, and constantly improve the height of life.\\nCultivate the habit of summarizing and keep us creative all the time.\\n\\nHave a good weekend.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and he hopes that his friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\U0001fa77\\n\\nThanks to Professor Jim for sharing this week, his combination strategy this week has achieved good returns. Many friends followed him and made excess short-term profits.🎁🎁\\n\\nIf you want to get voting windows.\\nIf you want to get a gift from Professor Jim.\\nIf you want to get real-time trading strategies or signals from Professor Jim's team.💡\\nOr you need my help.\\nPlease add my business card to write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nThe votes for the 10 finalists are clearly increasing this week and the rankings are starting to shift.\\n\\nThe online subscription of NEN tokens, a new ICO project that is popular among investors, is very popular.\\nThe lottery winning status has been announced today, please check your lottery winning status in your account.\\nNEN tokens will be listed soon, so stay tuned.',), ('Although the volatility of the cryptocurrency market is not large this week, players are actively seizing market opportunities.\\nJim Anderson uses the short-term combination strategy of contract trading, which makes his income in the lead.\\nI wish all players excellent results and wish all investors a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWelcome new friends to join this group. If you have any questions, you can write to my assistant, Ms. Mary.\\n\\nAlthough BTC's medium-term bull market expectations remain unchanged, the SEC's regulatory measures against industry giants have created a short-term negative for the cryptocurrency market, causing market sentiment to be chaotic and transactions more difficult.\\nTherefore, I used the asset allocation plan, and I only used the short-term combination strategy in contract trading.\\nAt present, it has been verified by the market, and this plan and strategy are very wise and correct.\\nThis allows us to maintain solid earnings through tough times.\",), (\"However, I am not satisfied with this week's earnings.\\nAlthough my winning rate is very high, I dare not use too many capital positions because of the difficulty of trading.\\nIn order to get a higher support rate and earn more income, in order to make my votes and actual income surpass other players, I made a decision after meeting with my trading team.\\n\\n1. This week I will focus on short-term trading, and I will continue to adopt a combination strategy.\\n2. I will increase the use of short-term capital positions, and I will keep the use of capital positions at around 20%.\\n3. In order to better help some supporters and get more votes from friends, I will use a form to record my transactions.\\n4. My short-term profit target for next week is 100%.\",), ('*Friends are welcome to communicate on how to accomplish this goal.*\\nIf you have a better way to achieve this goal, and this method is requisitioned by me, I will give some rewards.',), ('At the same time, many friends wrote to me asking me how to achieve accurate analysis.\\nI often share this sentence with my trading team: the investment that can be sustained and successful must be continuously replicable, and the investment method that can be replicated must be simple.\\n\\nFor this, we can do a survey.\\nIf you are interested in learning how to make money, that is, if you are interested in learning technical analysis, you can take the initiative to write to my assistant, Ms. Mary.\\n\\nThis is in line with my original intention. I have said many times that I hope to discover some potential and talented traders in this competition and let them join my trading team.',), ('*If there are more people interested in learning how to make money, I can share my trading system.*\\n\"Perfect Eight Chapters Raiders\" is a relatively complete trading system that I have summed up in the stock market, futures, gold, exchange rate, cryptocurrency and other investment markets for more than 30 years.\\n\\n*Traders fall into four categories.*\\nThe first category, you don\\'t know how to start.\\nThe second category is that you start to understand how to make money, but you cannot achieve stable profits.\\nThe third category is to obtain a complete trading system and be able to achieve stable profits.\\nThe fourth category is to simplify investment methods, master super funds, and be able to maintain stable profits in any market.',), ('And \"Perfect Eight Chapters Raiders\" is a trading system suitable for all investors that I summarized and simplified after achieving stable profits in many investment markets.\\nMembers of my trading team are using this system, and the income is stable.',), ('*Keep thinking, let us always be sober and wise to see everything.*\\n*Work hard, let us approach our dreams every day, and provide better living conditions for our families.*\\n*Help others, make our life full of fun, and constantly improve the height of life.*\\nCultivate the habit of summarizing and keep us creative all the time.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\n*Hope to get more support from friends.*\\nToday I set the income goal and realization method for next week, we can witness or complete it together.\\nFriends who are more interested in learning how to make money can take the initiative to write to my assistant, Ms. Mary.\\nSee you tomorrow.💌',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\n*Friends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.*\\n\\nIn the last week, I used a portfolio investment strategy, achieved some results, and was ahead of many investors in the market.\\nIt seems that many of my friends agree with my strategy.\\nYesterday I summarized last week's transactions and set new goals.\\nI will work harder to present a better competitive level.\\nI hope to get the support of more friends, thank you.\",), ('*In order to better grasp market opportunities at the moment, I made the following resolutions after meeting with my trading team yesterday.*\\n1. This week I will focus on short-term trading, and I will continue to adopt a combination strategy.\\n2. I will increase the use of short-term capital positions, and I will keep the use of capital positions at around 20%.\\n3. In order to better help some supporters and get more votes from friends, I will use a form to record my transactions.\\n4. My short-term profit target for this week is 100%.\\n\\nPlease come and witness my performance this week.\\n*Later I will share my trading strategy or signal.*',), ('*During the weekend, I received letters from many friends, talked about many topics, and provided some pertinent investment suggestions of mine to many friends.*\\nFor example, talk about the stock market, AI, and Nvidia.\\nToday I will take the time to share some of my views.\\n\\n*For example, talking about learning the skills of making money, building a trading system and other topics.*\\nStarting today, I will share \"Perfect Eight Chapters Raiders\" in actual combat. This is a relatively complete trading system that I have summarize in the stock market, futures, gold, exchange rate, cryptocurrency and other investment markets for more than 30 years.',), ('This is in line with my original intention. I have said many times that I hope to discover some potential and talented traders in this competition and let them join my trading team.\\n\\nFor example, investment knowledge about ICOs.\\nYou can learn about investment skills in this area through NEN.',), ('*Important information.*\\nI just created a bearish contract order for BTC.\\nBut I will focus on the BUA deal.\\nThis is a combination of short-term contract transactions, we have to fast in and fast out.\\nI am watching the market, and I will send out trading signals of BUA at any time.\\n\\n*Important information.*\\nI just created a bearish contract order for BTC.\\nBut I will focus on the BUA deal.\\nThis is a combination of short-term contract transactions, we have to fast in and fast out.\\nI am watching the market, and I will send out trading signals of BUA at any time.',), ('*The SEC poses a short-term negative for industry regulation, so we mainly create bearish contract orders at high prices, so that the success rate will be higher.*\\nThe following points can be drawn from the 15-minute trend chart of BTC.\\n1. The direction of the middle track of the Bollinger Band is downward, indicating that it is currently in a downward trend.\\n2. Just now the price touched near the top of the 15-minute range, and the price is close to the middle track.\\n\\nSo, I created this order with a smaller position of funds, which is a position of funds for testing.\\nIf it goes well, I will use more capital positions to trade BUA.\\nNext, I will share the strategy of BUA.',), ('*The following points can be drawn from the 15-minute trend chart of BUA.*\\n1. The price is facing resistance in the upward trend, and a technical pattern similar to divergence appears.\\n2. The direction of the fast line of MACD is downward, and it is currently near the zero axis, which indicates that a new trend is about to emerge, and there is a high probability that there will be a downward trend.\\n\\n*Focusing on the following points can be used as an opportunity to create a BUA bearish contract order.*\\n1. The negative value of MACD increases, and the fast line crosses the zero axis downward.\\n2. The middle track of the Bollinger Bands starts to go down, and the upper and lower tracks of the Bollinger Bands begin to expand.\\n3. The price successfully fell below the lower track or support line of the Bollinger Bands.',), ('*Important information.*\\nFrom the 15-minute BUA trend chart, it can be seen that the price is going down and the negative value of MACD is increasing.\\nThis is a good signal, so I create a bearish contract order.\\nAnd I use more fund position than BTC.\\n\\n*Important information.*\\nFrom the 15-minute BUA trend chart, it can be seen that the price is going down and the negative value of MACD is increasing.\\nThis is a good signal, so I create a bearish contract order.\\nAnd I use more fund position than BTC.',), ('*Many friends wrote letters over the weekend to talk about topics such as the stock market, AI, and Nvidia.*\\nOn Friday, I wrote in my investment diary that \"The Fed\\'s trillion-dollar debt issuance is imminent, and Wall Street is worried about the coming shock\" and \"The pressure on the U.S. banking industry is mounting\".\\nThe stock market started to show signs of weakness today.\\n\\nBecause I am watching the market, I will briefly describe my views on these topics, hoping to help you invest in stocks.',), ('If you have any questions about any investment market, please feel free to write to us.\\nOr, you can write to my assistant, Ms. Mary, and she will take care of you. You can find her to get my important views or information on the recent stock market, bonds, US dollar, gold, crude oil, etc.',), ('*Important information.*\\nThe current trend of BTC is weak and the volatility is small.\\nThis shows that there are still many buyers interested in this price, so it has not gone out of a relatively smooth trend, which is the current status of BTC.\\nIn order to keep profits and increase efficiency, I choose to sell the bearish contract order I just created.\\n\\nI am still holding the BUA contract order.',), ('Some longtime Nvidia investors began selling shares, taking profits.\\n\\n1) The Rothschild family reduced their holdings of Nvidia.\\nBenjamin Melman, global chief investment officer at Edmond de Rothschild, revealed that the company has been overweight Nvidia since the end of 2020, but has taken some profits and now holds a \"much smaller\" position.\\n*This asset management institution has a history of more than 200 years and currently manages assets of 79 billion Swiss francs.*\\n\\n2) ARKK, the flagship fund of Cathy Wood\\'s Ark Investment Management Company, liquidated its Nvidia stake this year.',), ('3) Damodaran, known as a valuation master, has held Nvidia since 2017 and has now sold it.\\n*He believes that the $300 billion increase in market capitalization in a week is challenging the absolute limits of sustainable value.*\\n\\n4) On June 7, according to SEC disclosure, Nvidia director Harvey Jones reduced his holdings of approximately 70,000 shares on June 2, cashing out $28.433 million.',), (\"*For the stock market, AI and Nvidia, I add the following important points.*\\n1) The EPS of the stock market will decline by 16% year-on-year this year, and the U.S. stock market is in the depression period of the profit cycle. Stock market margins and earnings will decline rapidly.\\n\\n2) The current market's madness towards Nvidia is not based on current performance, but based on imagination.\\n\\n3) The management has also begun to reduce its holdings, which is interpreted by the market as a signal that Nvidia's short-term stock price has peaked.\",), ('4) Individual companies will undoubtedly achieve accelerated growth this year through increased AI investment, but this will not be enough to completely change the trajectory of the overall trend of cyclical earnings.\\nThe recent revenue growth of U.S. stock companies has been flat or slowing down, and companies that decide to invest in AI may face further pressure on profitability.\\n\\n*Therefore, please stock market investors pay attention to this risk.*',), (\"*Important information.*\\nMy BUA order is currently yielding around 37%.\\nBecause the short-term downward trend of BTC is not as strong as expected, and the price of BUA is close to the profit target.\\nI'm worried this will affect my earnings.\\nIn order to keep profits and increase efficiency, I choose to sell the bearish BUA contract order created just now.\\nWaiting for the next opportunity.\",), (\"When the volatility of BTC is small, I use a small capital position to test on BTC and participate in things with high probability.\\nWhen I think there is no problem with the test results, I will put more capital positions into the combination strategy.\\nThis way my success rate and earnings are higher.\\nToday's short-term trading can be said to be quite difficult, but we have succeeded, which makes me happy.\\n\\nMany friends are following my trading signals, and many of my friends sold at a better timing than me just now, so your yield is higher than mine.\\n\\nIn order to better help friends, I will open the group chat function next, and friends can ask questions if they have any unclear points.\\nThen, I will take time to answer questions from my friends.\",), ('Professor Jim, I keep voting for you every day. Hope to be able to participate in your plan',), (\"Today's transaction is so exciting, it's great to be able to get so much profit in a short period of time.\",), (\"Friends, what do you think of the SEC's supervision?\",), ('My plan is to vote for you first. When my funds can be transferred, I will participate in the transaction with you',), (\"I've voted for you, Mr. Jim. I am very interested in learning your technique, can you tell more about how you judge the trend and buy and sell points? I want to worship you as my teacher.\",), ('First of all I am very grateful to you, I have learned a lot. Now the working hours are relatively busy, and I have endless work every day, which makes me very troubled. Take your time to vote first',), ('Voted for you today. I hope you can win the championship, I can see your strength.\\U0001fae1\\U0001fae1',), ('I also voted for you. support you.',), ('As Mr. Jim said, value investors and directors of Nvidia are selling Nvidia shares, which is bound to bring greater volatility to market sentiment, because Nvidia has a high contribution to the index.\\nThank you, Mr. Jim, I am going to sell some stocks and configure some cryptocurrency investments.',), ('How did you do it? What is a contract transaction?',), ('Why is there no trading pair BUA in my application?',), ('If Binance stops serving US customers, the industry will find a way around it.\\nThe encryption system is antifragile. Some other companies with different strategies will gain a large number of new users, such as Btcoin exchange center, whose ICO and B-funds are featured.\\nWhere there is a market, there is demand. People always have alternatives.',), ('Hello there!',), ('NEN is listed at a price of $7.1, will it still rise?',), (\"Yeah? Who's selling nvidia stock?\",), ('What’s up folks! Check out this picture of the fish I caught',), ('Professor Jim, are you going to achieve 100% of your profit target this week?\\nIn other words, based on a $1 million account, your goal this week is to make a profit of $1 million, right?\\nI think this is incredible, how can we do it?',), (\"It's going up, I just saw it's gone above $8.\",), ('How about the Btcoin exchange center? I am also planning to switch to another trading center. I feel that the advantages of Coinbase and Binance are getting smaller and smaller, and I am even worried that they may encounter trouble.',), ('I have the same concern and am trying to switch apps as well.',), (\"This week, Mr. Jim will use the cryptocurrency contract trading function to achieve 100% of the profit target.\\nI have observed Mr. Jim's transactions for half a month, and I think it is not difficult for Mr. Jim to accomplish this goal.\",), ('Nvidia director Harvey Jones sold about 70,000 shares on June 2.\\nThere are also some institutions that are selling.',), (\"Can anyone tell me how to make money like you guys? I'm in a hurry, but I don't know how to start.\",), ('The Btcoin exchange center has obtained the relevant license, and I have asked relevant personnel, and their business will not be affected. I think their app is pretty good.',), ('You can ask Miss Mary for help with any questions.',), ('oh ok thanks',), ('I think Nvidia will go up in the short term.',), (\"Wow, that's incredible, that equates to a gain of over 224% in one week.\\nIt's interesting. Is anyone involved in this ICO project?\",), (\"Bank of America CEO Moynihan said that the US capital market will get back on track and remain open. The Fed is expected to keep interest rates unchanged in the near term before starting to cut rates in 2024. The Fed may pause rate hikes, but won't declare the rate hike cycle is complete.\\nThis is completely consistent with Professor Jim's prediction.\",), (\"It doesn't matter whether it rises in the short term, because its valuation is too high, and technology stocks such as Tesla and Apple have high valuations. After the market calms down, the stock price will inevitably fall.\",), (\"Yes, it might be time to see who's been swimming naked.\",), ('ICO is the simplest investment strategy and profit model, and the ICO of a good company should not be missed.\\nLooking forward to and optimistic that NEN can continue to rise.',), (\"Thanks to Professor Jim for sharing strategies and signals for making money, I am honored to be in this group.\\nI'll keep voting for you, Professor Jim, and I'll have my friends vote for you.\\nI am very much looking forward to your sharing your trading system, and I want to learn more ways and techniques to make money.\",), (\"Hello, dear friends.\\nThank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nBecause of the competition, I've been quite busy recently, so please forgive me if I didn't reply to some friends' messages in time.\\n\\nI saw the questions my friends asked, and I am happy to make my sharing valuable to you.\\n*I turned off the group chat function, and I will answer the questions of my friends next.*\\n1. How will I achieve my 100% profit target for this week?\\n2. What techniques did I use in today's transaction?\",), (\"*1. How will I achieve my 100% profit target for this week?*\\nI will use contract trading tools and use the combination of BTC and other tokens to trade, so as to achieve the purpose of safe and stable profits and achieve this week's goal.\\n\\n*1) The importance of portfolio investment strategies.*\\nThrough the combination of BTC and BUA that I have recently used, everyone will find that my transaction method is safer.\\nNo matter what kind of investment targets are used for combination, no matter what tools are used, it is to reduce risks and increase returns.\",), (\"Especially when the risk of the market increases and the trend is uncertain, this method is more effective.\\nThese advantages were fully demonstrated in last week's contract transactions. And last week there were a lot of people on Wall Street who were losing money.\\n\\n*Therefore, the effectiveness of this method is beyond doubt.*\",), ('*2) Advantages of contract trading.*\\nWhy contract trading can greatly improve transaction efficiency?\\nMainly because of two points, the margin trading mechanism and grasping the trend of certainty.\\nThe margin trading mechanism can achieve the effect of \"limited loss, unlimited profit\", which is the best risk control method.\\nUnder normal circumstances, we only need an hour or so to grasp a relatively certain trend, and we can achieve a profit of more than 30%.\\nIf the trend is good, it is normal for a transaction to achieve a return of more than 200%.\\nCompared with spot transactions, the advantages of contract transactions are very prominent.',), ('*3) Focus on the performance of NEN after listing.*\\nI successfully obtained a valuable original share in the online subscription of NEN. The online subscription price of NEN is 2.5 US dollars. It has risen well after listing today. The current price is around 9.3 US dollars. I have obtained 272% of this investment rate of return.\\n\\n*Next, there are two points that I pay more attention to.*\\nPoint 1: When will the Btcoin trading center list NEN in the contract trading market.\\nPoint 2: The continuation of the rally.\\nFor example, MGE and BUA gained 1,275% and 500%, respectively, within one month of listing.\\nTomorrow I will share the key points in the \"NEN Research Report\" in detail.\\n\\nIf you don\\'t know enough about the basics of ICO, contract transactions, etc., you can consult my assistant, Ms. Mary, or ask friends in the group.',), ('Mary Garcia',), ('2. *What techniques did I use in today\\'s transaction?*\\nIn fact, the method I used in today\\'s transaction is extremely simple. I used the relationship between the Bollinger band middle rail and the price to determine these two trading signals, and reaped short-term benefits.\\nIn order to let friends have a basic understanding of Bollinger Bands, I will now send some information about my training traders for everyone to have a look.\\nIn the future, I will share \"Perfect Eight Chapters Raiders\" in the process of actual combat every day, and explain the technical points used.\\nLater we will compare and summarize today\\'s trading signals and technical points.',), ('*Next, I will summarize the technical points successfully used in actual combat today.*\\nAs shown in the figure below, both BTC and BUA showed the following two points at that time.\\n1. The direction of the middle track of the Bollinger Bands is downward, and the price encounters resistance near the middle track.\\nBecause BTC is used for testing, I created the order first.\\nWhen I found that there was no problem with my judgment, BUA began to fall, and I decisively created an order for BUA.\\nYou can build a basic understanding of Bollinger Bands by following the internal training materials I shared today.\\n\\n2. There is no divergence between the price and the indicators, so I judge that the downward trend is not over, so I follow this trend.\\nThis is shared in a more advanced technical bullet point in the future.',), ('*In fact, today\\'s two transactions are very difficult.*\\nBeing able to successfully obtain excess short-term returns is not only based on these two points. But these are the basics.\\nRome wasn\\'t built in a day, but every stone used to build a beautiful palace had to be solid.\\nEvery technical point of \"Perfect Eight Chapters Raiders\" is summed up after more than 30 years of experience.\\n\\nActual combat is always the best way to learn, and the market is the best teacher.\\nIf you have any questions, please feel free to write to me, or write to my assistant, Ms. Mary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nShare these today and see you tomorrow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and he hopes that his friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\n\\nThanks to Professor Jim for sharing today, his combination strategy today has achieved good returns.\\nCongratulations to the friends who followed him to seize the opportunity.\\n\\nIf you want to get voting windows.\\nIf you want to get a gift from Professor Jim.\\nIf you want to get real-time trading strategies or signals from Professor Jim's team.\\nIf you want to learn Professor Jim's method of making money, profit model, and trading system.\\nOr you need my help.\\nPlease add my business card to write to me.📩\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my votes and ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nThe portfolio investment strategy I used last week was successful, and this week I want to achieve 100% short-term income goals, please friends to witness for me.\\nNEN is included in the contract trading market, what great value and opportunities does it have?\\nWhich technique will I use today to seize market opportunities?\\nWhat impact will the May CPI data and FOMC meeting expectations have on the major markets?\\nI will share these today.\",), ('From the 1-hour trend analysis chart of BTC, it can be seen that the downward trend is obvious.\\nThe 15-minute trend analysis chart can draw the following points.\\n1. After the price goes up, the price deviates from the indicator, and then the price falls.\\n2. Then the price fell below the middle rail of the Bollinger Bands.\\n3. The MACD fast and slow line crosses the zero axis downward, accompanied by an increase in the negative value of MACD.\\n4. The middle track of the Bollinger Bands turns and runs downward, the price falls below the lower track of the Bollinger Bands, and the upper and lower tracks of the Bollinger Bands expand.',), ('When the price runs outside the Bollinger Bands, this is an unconventional trend. This requires fast in and fast out.\\nSo, please note that in order to keep profits, I will choose to close positions at any time.\\n\\nToday I will focus on NEN contract transactions, and I will release important strategies and signals later.',), ('*Important information.*\\n1. The current trend of BTC is weak and the volatility is small.\\nIn order to keep profits and increase efficiency, I choose to sell the bearish contract order I just created.\\n\\n2. I am waiting for the time when BTC will stop falling, and NEN is brewing an important opportunity.',), ('Please see, NEN has been included in the contract market, and I will share its huge contract value and opportunities later.\\n*The following points can be drawn from the 15-minute trend analysis chart.*\\n1. When BTC is falling, the small drop of NEN is not large.\\nThis shows that there are buyers supporting the market. This is a very normal phenomenon after the ICO is listed, and there will be a steady stream of buyers to push the price upward.\\n\\nI have created a small amount of NEN bullish contract orders before BTC, but I did not share this signal because I was waiting for a better opportunity.\\n\\n2. If the negative value of MACD starts to decrease in the 15-minute graph, or the fast line starts to turn upward, it is a better time to intervene.',), ('*Important information.*\\nI created a bullish contract order for NEN again.\\nBecause the 15-minute trend chart clearly shows that the negative value of MACD is shrinking.\\nAnd the MACD fast line has changed. Although the fast line has not started to go up, it has changed from down to horizontal.\\nIn the 30-minute trend chart, the price just stopped falling at the lower track of the Bollinger Band, and the negative value of MACD is shrinking.',), ('Friends who want to learn how to make money, please remember this real-time analysis chart of NEN and the analysis chart of BTC. After the transaction is completed, I will explain the mystery in detail.\\n\\nNext, I will share with you the following contract value and opportunities of NEN.\\nThe illustration below is what I shared yesterday, and it shows the performance of the ICO varieties MGE and BUA after their listing.\\n1. The issue price of NEN is close to that of MGE and BUA, around $2.\\n2. The opening price of the listing is also relatively close, around 7-9 US dollars.\\n3. The increases of MGE and BUA within one month after listing were 1,275% and 500% respectively.',), (\"*If we refer to the trend of BUA for analysis.*\\nThe opening price of NEN was US$7.1. According to the expected increase of 500%, NEN may rise to US$42.6.\\nIf calculated using the margin ratio of 50X, the contract value of NEN within one month after listing can reach 25,000%.\\n\\nFor example, the current price of NEN is around $10, and you use $100,000 to trade NEN contracts, using a 50X margin ratio.\\nIf the price goes up to $42.6, your yield is 50*(42.6-10)/10*100%=16,300%.\\nThat's a gain of $16.3 million for you.\\n\\nFor example, if you are engaged in spot trading and want to use $100,000 to reap a profit of $16.3 million, the price of NEN must rise to $1,640.\\n\\nComparing the two profit models, who is easier to achieve such excess returns?\\nIn this comparison, the advantages of contract trading are very prominent.\",), ('*While waiting for profits to expand, I share an important message.*\\n\\nMay CPI data and FOMC meeting expectations, as well as the impact on major markets.\\nIn the United States, CPI inflation slowed more than expected in May, and the year-on-year growth rate of core service inflation excluding housing fell to 4.6%, the lowest since March 2022.\\nThat provided a reason for Fed officials to pause rate hikes after raising them for more than a year.\\nThe Fed will decide whether to raise interest rates at the new FOMC meeting, or to suspend interest rate hikes and further assess the economic situation.',), (\"Several policymakers, including Fed Chairman Jerome Powell, have signaled their preference for no rate hikes at the June 13-14 meeting, but left the door open for future tightening if necessary.\\nInflation fell to about half of last year's peak in May, but remains well above the 2 percent target the Fed wants to see.\",), (\"*The Fed will most likely keep interest rates unchanged this time. But another rate hike at next month's meeting is divided.*\\nThe Fed may need time to assess whether its policy and banking pressures are exerting enough downward pressure on prices.\\n\\n*Let me briefly describe the impact of this on the major markets.*\\n1. Short-term benefits for US stocks and futures.\\n2. This will moderately weaken the short-term negative factors in the cryptocurrency market.\\n3. Short-term negative for the dollar and U.S. Treasury bonds.\\n4. Short-term support for gold prices, but gold will likely fall to $1,800-1,850 per ounce this year.\\nI have recently analyzed the relevant logic of gold and the U.S. dollar in detail. You can consult my assistant, Ms. Mary, for relevant information.\",), ('*Important information.*\\nI sold my NEN contract order.\\nBecause the short-term upward momentum of BTC is insufficient, I am worried that this will affect the short-term trend and profits of NEN.\\n\\n*Important information.*\\nI sold my NEN contract order.\\nBecause the short-term upward momentum of BTC is insufficient, I am worried that this will affect the short-term trend and profits of NEN.',), (\"Friends, I am busy today.\\nJust now, my trading team and I were discussing NEN's trading plan.\\nThe NEN trading signal I shared today is a bit of a pity. This signal only earned 134.92% of the profit.\\nThis transaction can actually help us earn about 300% of the income.\\nHowever, from the perspective of risk control, there is no problem in keeping fast in and fast out in the rhythm of short-term trading.\\nIt doesn't matter, this shows that the trend of NEN is very strong, and my judgment on it is not wrong. I look forward to the next opportunity and performance of NEN.\\n\\nIn order to better help friends, I will open the group chat function next, and friends can ask questions if they have any unclear points.\\nThen, I will take time to answer questions from my friends.\",), ('Learn more about cryptocurrencies by learning in groups. Voted for you today.',), ('how did you do that? It is wonderful to be able to make a profit of 100% or 300% in the short term.',), ('This is very intuitive, not only records the change of total assets, but also records the change of initial capital under the condition of compound interest.',), ('I downloaded the voting platform and keep voting for you every day, and I also learned some knowledge about this field in your explanation. I love it and it will bring me fortune. I support you.',), ('Every day, I follow the messages of the group in time, and I am afraid of missing important content. I am already preparing to trade with you.',), (\"I've already voted, Mr. Jim.\\nI think it seems simple to achieve 100% of the profit target with your profitability.\",), (\"I don't understand, can you tell me your opinion?\",), ('Members of Congress submit bill to fire SEC Chairman Gensler.',), (\"I didn't participate in the NEN in time this time, which caused me to lose my wealth. Make me feel sorry.\",), ('what happened?',), ('The trend of crude oil is exactly in line with your previous prediction, Mr. Jim, this is amazing.',), ('This is not to use all capital positions to participate, but 20%, which is still very difficult.',), ('The contract trading is too wonderful, and the rise of NEN is very good',), (\"Yes, this is to control risk, it is a combination strategy. And the income of BTC/USDT is not as high as that of NEN/USDT.\\nThrough Professor Jim's explanation, I am looking forward to the next trend of NEN.\",), ('Because members of Congress believe that Gensler abused his power, the capital market must be protected and the healthy development of the cryptocurrency market must be protected.',), ('This not only intuitively reflects the change of total capital, but also presents the situation of compound interest in the theoretical model.\\nIt can reflect risk control ability and profitability.\\nIf the profitability is strong, the compound interest data will show geometric multiplication, and the total assets will also grow steadily.\\nIf the risk control is not done well, the initial capital of 200,000 US dollars may be lost quickly, and the total assets will also be affected.',), ('this looks interesting',), ('That is, some officials think the SEC has gone too far with binance and coinbase?',), ('The beach is where I feel happy and relaxed. I was on the beach, listening to the sound of the waves, feeling the breeze, and my mood became relaxed and happy. The beautiful beach and peaceful atmosphere made me feel calm and relaxed, making me forget about the worries and stress in my life.',), (\"Watching NBA games makes me think scoring is easy, watching Ronnie O'Sullivan makes scoring goals easy, and watching Mr. Jim make money easy.\",), ('Lol, what you said is exactly what I thought',), (\"The incident has attracted global attention, but Europe's attitude is much better. In short, the SEC's measures are not good for the US market, so let's wait and see.\\nIf the SEC mishandles it, it will indeed affect the business of Binance and Coinbase.\\nBecause for users, we may change a trading center.\\nI am going to use the Btcoin trading center to make money with Professor Jim.\",), (\"But Rome wasn't built in a day\",), (\"Originally today was a bad day, I had a fight with my wife. But when I saw Mr. Jim's game and patient explanation, it inspired me, I think I need more patience.\",), ('Can the content sent by Gary Gensler on social media be understood as good news?',), ('family is more important than money',), ('You are right, watching the game is a very happy thing, and being able to learn from the master is a very meaningful thing.',), (\"The management also began to reduce its holdings, which was interpreted by the market as a signal that Nvidia's stock price is about to peak in the short term.\\nI think this is very important.\",), (\"Yes, thanks for the reassurance. But this thing is a bit complicated and it's overwhelming me.\",), (\"It's wonderful to be able to make money together and learn this technology.\\nProfessor Jim, if you can achieve 100% of the income this week, I will mobilize my staff and their families and friends to help you vote.\\nI own a supermarket and I'll help you spread the word about voting.\\nHope you can share some stock market information, I am investing in stocks, forex and cryptocurrencies.\\nI am very concerned about your game and looking forward to it.\",), (\"You're welcome\",), (\"Prof.Jim, I'm surprised to see your last week's earnings and profits in ICO projects.\\nIs this just one of your many trading accounts?\\nI also talked about you with my friends at the Ivy League today. Your record in college is used as a case for the younger generation to learn from.\\nIt turns out that you are such a low-key person.\\nI really look forward to working with you.\",), (\"I've voted for you, Mr. Jim.\\nI wish you success in the competition and look forward to sharing more money-making tips from you.\",), (\"Thank you friends for your approval.\\nSome achievements in the past do not represent the future.\\nLooking forward to NEN's better performance, the fund position I tested shows that it is developing in a good direction.\\nI hope my friends can support my game more.\\n\\nAt the same time, thank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nI saw the questions my friends asked, and I am happy to make my sharing valuable to you.\\nI turned off the group chat function, and I will make a summary of today's trading tips.\",), ('*Next, I share two themes.*\\n1. Focus on the follow-up trend of NEN, which is very likely to enter a strong upward trend stage.\\n2. What trading techniques did I use today to obtain short-term excess returns?\\n\\n*The following points can be drawn from the 30-minute trend analysis chart of NEN below.*\\n1. The price successfully breaks through the high point on the left.\\nThis indicates that the price is most likely entering a strong uptrend phase, which is characterized by \"prices repeatedly making new highs\".\\n2. Through the analysis of the trend line, we can assume that the price is running inside the ascending channel.\\nThis shows us an excellent trading opportunity, and I will analyze it based on the real-time trend in subsequent transactions.',), ('*The line connecting the highs and highs in the trend forms the price high trendline.*\\nThe line connecting the lows and lows forms the price low trendline.\\nTwo lines form an ascending channel.\\n\\n*It can be obtained by analyzing the four prices in the chart.*\\n1. Based on the calculation of the range of 11.8-9.86, it may be normal for NEN to increase by more than 19.7% in the ascending channel.\\nCalculated according to the margin ratio of 50X, its contract value exceeds 983%.\\n2. Calculated in the range of 6.8-9.8, the increase is expected to reach 44.18%. Calculated according to the margin ratio of 50X, its contract value is expected to reach 2,205%.',), ('*That is to say, the price is moving in this upward channel, using the margin ratio of 50X, the profit of contract trading is expected to reach 10-20 times, or even more.*\\nTherefore, I will focus on the follow-up trend of NEN, and I will use it as the main contract transaction object.',), ('*Next, summarize today\\'s trading skills.*\\nThe \"Bollinger Bands Indicative Effect on Dynamic Space\" I explained yesterday has been fully used in today\\'s trading.\\n\\nAfter you find the NEN variety in the application, select the technical indicator \"Bollinger Bands\" from the technical indicator options.\\n\\nNext, I use NEN\\'s 30-minute analysis chart and trading process to explain the buying point.\\nI use BTC\\'s 15-minute analysis chart and trading process to explain the selling points.\\n*At the same time, consolidate the knowledge points shared yesterday.*',), ('1. *I used two techniques in grasping the buying point of NEN.*\\n1) The negative value of MACD in 15-30 minutes shrinks, indicating an increase in buying.\\nI will gradually share the knowledge of MACD in the future.\\n2) At that time, the price of NEN was near the lower track of the 30-minute Bollinger Band.\\nI judged that this would be a good buying point, so I bought decisively and shared this signal with my friends.\\n\\n*Summary of technical points.*\\n1) The price runs inside the Bollinger Bands most of the time.\\nSo I used more capital position to participate in this transaction.\\n2) The space between the upper and lower rails of the Bollinger Bands indicates the range of price fluctuations.\\nTherefore, this transaction has achieved a relatively large return, with a yield as high as 134.92%.',), ('2. *I used 3 skills in BTC trading, the most important one is the skill of selling points.*\\n1) The middle rail of the Bollinger Bands runs downward.\\nThe middle rail of the Bollinger Bands often represents the direction of the trend, so I choose to create a bearish contract order.\\nThis is the essence of trend-following trading. Following the trend is to participate in high-probability events.\\n\\n2) At that time, the negative value of MACD was gradually increasing, indicating that the selling power was increasing.\\nI will gradually share the knowledge of MACD in the future.',), ('3) Use the support line to predict the selling point in advance.\\nBecause the recent trend of BTC is relatively weak, I sold it in advance and made a profit of about 17%.\\n\\n*Next, I will share the knowledge points of the support line.*',), ('A basketball that is thrown into the sky and then falls, rebounds after hitting the ground, which explains the role of drag.\\nAmong them, the two points of strength weakening and reaction force constitute the high and low points.\\nThe weakening of strength is what I often call \"divergence between indicators and prices\", and I will share it in detail later.\\n\\n*Prices move in the direction of least resistance.*\\nIn trading, if you grasp the resistance level, you can predict the approximate range of the price in advance.',), ('Both support and resistance lines are resistance lines.\\nBollinger Bands can also solve this problem very well, and I will share it in detail step by step in the future.\\nToday I will share one of the easiest ways to judge resistance levels.\\nThat is, price-packed ranges and highs and lows in a trend form resistance levels.\\n\\n⬇️As shown below.⬇️',), ('From the recent transactions, you can clearly see that except for today\\'s NEN transaction, any other transaction is very difficult.\\nBeing able to make sustained and steady profits is not just based on these simple knowledge points. But these are the basics.\\nRome wasn\\'t built in a day, but every stone used to build a beautiful palace had to be solid.\\nEvery technical point of \"Perfect Eight Chapters Raiders\" is summed up after more than 30 years of experience.\\n\\nActual combat is always the best way to learn, and the market is the best teacher.\\nIf you have any questions, please feel free to write to me, or write to my assistant, Ms. Mary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nShare these today and see you tomorrow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and he hopes that his friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\",), (\"Thanks to Professor Jim for sharing today, his combination strategy today has achieved good returns.\\nCongratulations to the friends who followed him to seize the opportunity.\\n\\n*If you want to get voting windows.*\\nIf you want to get a gift from Professor Jim.🎁🎁\\nIf you want to get real-time trading strategies or signals from Professor Jim's team.💡💡\\nIf you want to learn Professor Jim's method of making money, profit model, and trading system.📊📊\\nOr you need my help.\\nPlease add my business card to write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim Anderson, who was the first to enter the final among the preliminary contestants, with outstanding strength.',), (\"Later, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or from Ms. Mary Garcia, assistant to Professor Jim Anderson.\\nI wish the players excellent results and wish everyone a happy investment.\",), ('*Important information.*\\nI created a NEN bullrish contract order.\\nThis is a very classic technical graphic.\\n\\n*Important information.*\\nI created a NEN bullrish contract order.\\nThis is a very classic technical graphic.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my votes and ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send a screenshot of your vote to my assistant Mary as a basis for receiving the $3,000 reward.\\n\\nThe portfolio investment strategy I used last week was successful, and this week I want to achieve the goal of 100% short-term compound interest income, please friends to witness for me.\\nThe signal I shared yesterday earned an average rate of return of 75.93%. Can we gain more today?\\nWhich technique will I use today to seize market opportunities?\\nTreasury Secretary Yellen made some important remarks on the dollar, what is the impact?\\nI will share these today.\",), (\"*Important news to share.*\\nU.S. Treasury Secretary Janet Yellen said on Tuesday that the U.S. dollar's share of global foreign exchange reserves will slowly decline, but there is no substitute for the U.S. dollar that can completely replace it.\\nThe views she expressed are as follows.\\n1. Some countries may seek alternative currencies due to sanctions.\\n2. But the current role of the US dollar in the world financial system is for good reason, and no other country can replicate it, including China.\\n3. The United States has a highly liquid, open financial market, a strong rule of law, and no capital controls. It is not easy for any country to come up with a way to bypass the US dollar*Important news to share.*\",), (\"4. US lawmakers have not done anything in favor of the dollar. She reiterated longstanding concerns about the U.S. debt ceiling crisis, saying it undermined global confidence in the U.S. ability to meet its debt obligations and damaged the dollar's reputation.\",), ('*The following points can be drawn from the 30-minute trend analysis chart of BTC.*\\n1. The current price has entered the end of the triangle range.\\n1) The volatility will become smaller and smaller, and the chance of profit will become smaller and smaller.\\n2) The direction cannot be determined. If you participate in it now, there is only a 50% success rate.\\n2. The best strategy is to wait for the trend to form.\\n1) Create a bullish contract order based on the strength of the price breaking the red pressure line.',), ('If the price breaks through successfully, the pressure line becomes the support line, and when the price falls back near the support line, create a bullish order when the selling force is exhausted.\\nThe target position is the upper yellow pressure line.\\n2) Price breaks below the white trendline to create a bearish contract order.\\nThe target position is the green support line below.',), (\"*Yesterday, I had a late chat with a lot of friends after finishing the transaction, and I found two problems.*\\n1. My friends are very appreciative of the content I share, but some of the content is a bit esoteric and difficult to understand.\\nI understand this very well, because when your financial investment knowledge has not reached a certain level, you may not necessarily understand certain data, terms, logic, etc.\\nBut if you want to predict in advance and grasp market trends in real time, this process of accumulation is necessary.\\nI suggest that friends spend more time and ask me if there is anything you don't understand.\",), ('2. My friends are very appreciative of the techniques I use in trading, and are very interested in learning the techniques to make money, but many friends do not know how to use technical indicators, and hope to get simple and effective methods.',), ('Trading is often boring, because most of the time is waiting for the signal to appear.\\nA request from friends I thought it was fun and it fit my original intention.\\nI hope that in the process of this competition, some talented traders can be cultivated and included in my trading team.\\n\\nAfter communicating with my friends, I thought deeply about the following 4 questions and came up with an important answer.\\n*1. How can I get more income in the game?*\\n2. How should I get more votes?\\n3. How should I share my trading signals and techniques to help my supporters?\\n4. In response to the current difficult trend, I used a combination strategy, which is very correct.\\nOn this basis, can I do better?\\n\\nI think I can do this. And I want to win.',), (\"After careful consideration, I finally came up with a plan.\\nIt is my trading secret - 'One Trick to Win'.\\nAttention everyone, today I will share this trading secret.\\n\\n*But I have two requirements.*\\n1. This plan should not be circulated.\\nThis was the secret weapon that got me into the finals from the first place in the preliminary rounds.\\nIf you learn this trading secret, you will be able to achieve stable profits in any investment market.\",), (\"2. I hope that after I share this method, I can get the support of more friends.\\nHopefully with the support of my friends, I will be ahead of all contestants by next week.\\n\\nIf friends can do the above two points, I will share the main points of 'One Trick to Win' with friends who support me in this competition, and teach those who want to get this method.\",), (\"In fact, I have used this secret in today's trading.\\nIn about an hour, I have already harvested about 120% of the income.\\n\\nI will share this secret today.\\nFriends may wish to think about what is the secret, it is very simple.\\n\\n*I will release new signals at any time, please pay attention.*\",), (\"*Important information.*\\nNEN's orders have already reaped a short-term excess return of about 140%.\\nAlthough the general trend of NEN is good, the trend of BTC is not stable. I am worried that this will affect the short-term profit of NEN.\\nShort-term trading requires fast in and fast out. In order to keep profits, I chose to sell the bullish contract order of NEN just created.\",), (\"I saw some friends sent me profitable screenshots.\\nCongratulations, you have reaped excess short-term returns.\\n*The general trend of NEN is very good, this is a very good track, I suggest friends pay more attention.*\\n\\nPlease take a look at the 6 trend charts I randomly selected below.\\nNote that there are treasures in these graphics, and among them are the secrets I'm about to share.\\nIn order to better help my friends, I will open the group chat function next.\\nFriends, if there is anything unclear, you can ask questions.\\nYou may wish to think and discuss this graph.\\nThen, I will take time to answer friends' questions and share 'One Trick to Win'.\",), (\"Jim, I already voted for you.\\nWhat kind of secret sauce this will be, I'm curious.\",), (\"Today's transaction, earned $260, very happy, thank you\",), ('Friends, what are you investing in? I want to know what can I do to make money like you guys.',), ('Thank you, I made $440 today',), ('According to the calculation of compound interest, Jim has achieved 100% of his profit target yesterday, which is incredible.',), (\"Wow this is amazing.\\nProf. Jim Anderson, when you said that 'BTC has not formed a trend', it is in a sideways market with no room for profit.\\nWhen you release the take profit signal of NEN, BTC starts to fall.\\nHow did you do this, your judgment is too precise, can you tell me the basis of your judgment?\",), ('Vote for you, I will try with a small amount of money',), ('Thanks for telling often, I see. Already voted for you.',), ('For contract transactions of cryptocurrencies, you can consult Mary.',), ('ok, thx.',), (\"Yes, it's precise and efficient.\",), (\"I'm so happy to be able to trade with you, and I've made 968美金 dollars today, which is equivalent to my day's wages, plus my job is double the income. Today is a good day.\",), (\"This is the embodiment of Jim Anderson's decades of skill.🧐\",), (\"Another money-making day, I don't want to work anymore. Today's Earnings520¥. I am very satisfied\",), ('Yes, I earned 101% in an hour and a half, which is wonderful and efficient.',), (\"This is the power of compound interest calculation, and Jim's records can clearly see that the return on total assets has reached 54%, and it only took 4 days, which is incredible.\",), (\"What's the secret to 'One Trick to Win'?\",), (\"Many people don't understand that Gary has explained it to me, and I am very grateful to her.\",), (\"Professor, did you use the relationship between Bollinger Bands and trends in your 'One Trick to Win'?\",), (\"Wow, it's hard to achieve gains like this in the stock market.\",), (\"I pay attention to the transaction information of the group every day, afraid of missing the opportunity to make money. Today's income is considerable, thank you very much.\",), ('Michael Saylor also expressed the same opinion as Jim Anderson, the US SEC enforcement action is good for Bitcoin, and the price of the currency is expected to rise to $250,000.',), ('Jennifer Farer, the U.S. Securities and Exchange Commission attorney handling the Binance lawsuit, told Judge Amy Berman Jackson of the District Court for the District of Columbia on Tuesday local time that she is \"open to allowing Binance to continue to operate.\"',), ('A federal judge ordered Binance and the SEC to attend a mediation session.\\nThis is all good news.',), ('I think so too, I hope this matter will be dealt with quickly, and then the bull market will start.',), ('I think since it is one trick to win, it should not be that complicated.',), (\"Mr. Anderson, don't worry, I will never spread your trading secrets. I am your loyal supporter and look forward to your sharing.\",), ('I bought at the first signal from Mr. Anderson and made 147%, which surprised me. The income reached 635 US dollars, which is my wealth. cheers to you🥃🥃',), ('It would be great if I knew Prof. Jim Anderson earlier.\\nI bought $500,000 in BTC at $56,000 and lost a lot of money.\\nAfter I left my job in the bank, I have a lot of time to study, I watch the news every day, and I look forward to your sharing, Prof. Jim Anderson.',), (\"If the trend of BTC, ETH and other trading targets is not clear, we can completely focus on searching for other trading targets with clear trends, which can greatly improve efficiency.\\nToday's transaction is a good case, which can greatly improve transaction efficiency.\",), (\"Prof. Jim Anderson, what's the secret to this method? I really want to know.\",), ('Yeah? I am very excited.',), (\"Yes, I am also looking forward to Jim's sharing.\\nAs long as it is a method that can make money, it is a good method, and it is useless to write a book about a method that cannot make money.\",), ('Jim, this is great, I will definitely ask my friends around me to vote for you.',), ('you are so right',), ('Thank you for your hard work, Professor. I will always support you.',), ('Mr. Jim Anderson, I remember you said that \"the investment that can be sustained and successful must be continuously replicated, and the investment method that can be replicated must be simple.\"',), ('Anderson。\\nLooking forward to your sharing, I am going to take notes, Prof. Anderson.',), ('Jim , thank you very much for your guidance, my NEN spot profit has exceeded 400%.\\nYou said that the trend of NEN is very good. I want to sell my NEN spot and transfer to the contract market. What should I pay attention to when creating a contract order?',), ('@14244990541 Jim, I want to sell my spot, can I buy some NEN contracts at the current price?',), ('Yes, you can use 5% of your capital position to create a bullish contract order.',), ('OK, thanks.',), ('Write to me, and I will help you make an investment plan according to your specific situation.',), (\"I am very grateful to my friends for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me.\\nI saw the questions my friends asked, and I am happy to make my sharing valuable to you.\\nI turned off group chat.\\n*Later I will start sharing 'One Trick to Win'.*\\n\\nIt can be seen from the income of my test capital position that the trend of NEN is very good, and we are all looking forward to its performance similar to BUA or MGE.\\nIt can be seen from the 1-hour trend analysis chart that the price-intensive range continues to rise, which is a typical upward trend.\\nThe current focus is on the support effect of the rising trend line and the bottom of the range on the price.\\n\\nFriends who want to get relevant trading signals or trading plans can write to me or my assistant Mary.\",), (\"Although the combination of Bollinger Bands and MACD is a common indicator for 'Perfect Eight Chapters Raiders'.\\nBut the 'One Trick to Win' I shared today does not require any other auxiliary tools.\\n*As I said earlier, 'One Trick to Win' was my secret weapon to stand out in the preliminary stage.*\\n\\nNext, I will share the key points, please read carefully and study carefully.\\nAt the same time, I hope to gain the support of more friends.\\n\\n*Please see the place marked by the yellow rectangle in the picture below.*\\n*Remember the combination pattern of this candlestick chart.*\",), ('If you want to learn this secret weapon, the simplest knowledge you must first understand is the construction of candlestick charts.\\n1. Each candle chart has four prices, which are the opening price, the highest price, the lowest price, and the closing price.\\nFor example, 1 one-minute candle every 1 minute, 12 5-minute candles every 1 hour, 4 15-minute candles every 1 hour, etc.\\n2. Sometimes some of these four prices overlap, resulting in different forms.\\n\\n3. *If there are four prices in a certain candlestick chart, then this candlestick chart has three important components, namely the upper wick, the lower wick and the rectangular part.*\\n\\nHaving these basics is enough. Next is the point.',), ('*The main points of \\'One Trick to Win\\' are as follows.*\\n1. If there is a combination of \"long candle wick\" and \"large rectangle on the right engulfing the small rectangle on the left\" in the combination pattern of the candle chart, it often constitutes a better buying and selling point.\\n2. The longer the wick, the better.\\n3. The longer the rectangle on the right, the better, and it is opposite to the trend of the candle chart on the left.\\n4. The combination pattern is often composed of 2-6 candlesticks, and the fewer the number, the better.',), (\"Friends can check the transaction records of yesterday and today.\\n*I used this technique in yesterday's BTC* *contract transaction and today's NEN* *contract transaction.* \\nThe trading signals I posted have all achieved good profits.\",), ('*What is the trading truth expressed by this candle combination pattern?*\\n1. The occurrence of this form means that large funds have entered the market, and then broke the calm of the market or reversed the trend of the market.\\n2. \"Long candle wick\" means that buyers and sellers have great differences at this price, and one of them wins, so the longer the candle wick, the better.\\n3. \"The big rectangle engulfs the small rectangle\" indicates the strength and determination of funds, so the bigger the big rectangle, the better, and the smaller the small rectangle, the better. The bigger the gap between the two, the stronger the power formed.',), (\"Friends, please understand what I am sharing today.\\nThis is my secret weapon, please don't let it out.\\nI hope to get the support of more friends.\\nI suggest that you can find these graphics by reviewing the market.\\nIn future transactions, we will look for this kind of graphics together, and then capture opportunities together.\\nActual combat is always the best way to learn, and the market is the best teacher.\\n\\nIf you have any questions, please write to communicate, or write to my assistant Mary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nShare these today and see you tomorrow.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia and I'm an assistant to Prof. Jim Anderson.\\nWelcome new friends to join this investment discussion group.\\nProf. Jim Anderson is competing and I hope friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\n\\nThanks to Prof. Jim Anderson for sharing today, his combination strategy and signal today have achieved good returns.\\nCongratulations to the friends who followed him to seize the opportunity.\",), ('If you want to get voting windows.\\nIf you want to get a gift from Prof. Jim Anderson.\\nIf you want to get real-time trading strategies or signals from his team.\\nIf you want to learn his investment notes, methods of making money, profit models, and trading systems.\\nOr you need my help.\\nPlease add my business card to write to me.📩',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim Anderson, who was the first to enter the final among the preliminary contestants, with outstanding strength.',), (\"Later, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or from Ms. Mary Garcia, assistant to Professor Jim Anderson.\\nI wish the players excellent results and wish everyone a happy investment.\",), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my votes and ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send a screenshot of your vote to my assistant Mary as a basis for receiving the $3,000 reward.\",), (\"So far, our combination investment strategy has worked very well. The compound interest income has already exceeded the weekly goal of 100%, and the total asset return is also amazing.\\nThe main reason is that I seized the opportunity of contract trading after the listing of NEN, and gained 137% of the profit yesterday. Today we will continue to work hard together.\\n*How did you use yesterday's BTC strategy?*\\n*How will the FOMC meeting affect the markets?*\\n*Have you learned 'One Trick to Win'? Why do you say the longer the wick, the better?*\\nI will share these today.\",), (\"*Important news to share.*\\nHighlights of the Federal Reserve's June FOMC meeting: interest rates may continue to rise in the second half of the year.\\n1. At this meeting, the Fed announced to keep interest rates unchanged.\\n2. The dot plot shows that the interest rate expectations of Fed officials have moved up, implying that the interest rate will be raised by 50bp in the second half of this year.\\n3. Forecasts for economic data and inflation have become more optimistic. It seems that the Fed is very confident in the soft landing of the economy.\",), (\"Powell insisted on defending the Fed's 2% inflation target and famously said 'Whatever it takes'.\\nHe has a cautious attitude towards inflation, and is more inclined to slow down the pace of tightening and practice 'Higher for Longer'.\\nThe U.S. dollar index, long-term U.S. bond yields, the stock market and the cryptocurrency market fluctuated violently.\\n\\nFor detailed views, you can consult my assistant Mary.\",), ('Mary Garcia',), (\"Maybe many friends are waiting for my trading signal.\\nI am observing the market, and I advise my friends not to rush to create an order.\\nBecause I am currently holding three orders, and all of them have made substantial profits.\\nI will post my trading signals anytime I have a better opportunity.\\nFriends who want to follow my strategy and signals wait a little bit.\\nFirst of all, let's review the BTC strategy I shared yesterday. Many friends implemented this strategy yesterday and made a lot of profits.\",), (\"*Friends, please pay attention to the picture above.*\\n*Figure 1 is yesterday's BTC strategy map.*\\nFigure 3 shows the timing when I created a BTC bearish contract order yesterday, which is 14:06:25.\\nFigure 4 shows the BTC orders I hold.\\nFigure 2 is an enlarged view.\\n\\n*Focusing on Figure 2, there are two important points.*\\nPoint 1: Timing.\\nAt that time, the price fell below the uptrend line.\\nPoint 2: Candle chart.\\nThis candle chart shows a long wick pattern.\\n*This is the main point in the 'One Trick to Win' that I will explain today.*\",), ('*Important information.*\\nWhen BTC fell sharply yesterday, NEN did not fall sharply in the short term, indicating that the buying of NEN is very strong.\\nBTC is currently slowly falling, while the price of NEN is very stable, it refuses to fall, indicating that the price has met the approval of buyers.\\nIt is a very good buying point at this moment, so I added a NEN bullish contract order.\\n\\nWhen conducting contract transactions, please recognize the currency name, margin ratio, direction, fund position and other elements to avoid unnecessary losses.\\n\\n*Token: NEN/USDT*\\nLever (margin ratio): 50X\\nTrading mode: Market Price\\nTransaction Type: Buy\\nFund position: 20%',), (\"Why is this a good buying point?\\nFriends may wish to think about it first.\\nI will gradually share the tactical skills of the trading system of 'One Trick to Win' with my supporters in this competition.\\nToday I will share a key point in that system.\\n\\nAlso, in order to keep the profit, I sold the BTC order.\\nFriends who implemented the BTC strategy yesterday, I recommend selling to keep profits, because the one-hour trend chart of BTC shows that the price will re-select the direction.\",), ('There are several reasons why I sold BTC profit orders.\\n1. Short-term pay attention to fast in and fast out.\\n2. Keep profits.\\nAlthough BTC is in a downward trend, if the price re-selects its direction, it may rise first and then fall.\\nI saw that many of my friends did not earn much from yesterday’s orders, and very few earned more than 50%. This shows that you were not quick enough to grasp the timing of buying points, and yesterday’s trend was relatively rapid.\\nIf the price goes up first, this affects profits',), ('3. Wait for the next opportunity to present itself.\\nFor example, when the price rises to near the upper rail of the 1-hour Bollinger Band or near the pressure line, the positive value of MACD shrinks.\\nFor example, the price successfully fell below the support line, accompanied by the continuous increase in the negative value of MACD.\\nThese are more deterministic opportunities.',), (\"Friends, when you seize the opportunity, please pay attention to the use of 'One Trick to Win'.\\nPlease see, my two BTC contract transactions used 'One Trick to Win'.\\nThe BTC 15-minute trend chart analysis is very obvious to see the combination of such candle charts.\\n\\nI used this method in yesterday's and today's NEN contract transactions.\",), ('*Important information.*\\nAt present, the trend of NEN is not very smooth. It may be that the pressure range on the left has put pressure on the upward price to a certain extent.\\nAlthough I am still optimistic about this trend, short-term trading emphasizes fast in and fast out.\\nTherefore, I suggest that friends who participated in this transaction, when your profit exceeds 40%, you can choose to sell at any time to keep the profit.',), ('I saw some friends sent me profitable screenshots.\\nCongratulations, you have reaped excess short-term returns.\\nThe general trend of NEN is very good, this is a very good track, I suggest friends pay more attention.\\n\\nYou can see from the above figure that as long as you can maintain a high success rate, your income will increase by leaps and bounds under compound interest conditions, and the income from total assets will also rise steadily.\\nWhen grasping deterministic trends and opportunities, contract trading is undoubtedly a good tool.',), (\"Please take a look at the 3 trend charts I randomly selected.\\nNote that there are treasures in these graphics, and among them are the secrets I'm about to share.\\nEveryone may wish to think and discuss, why the longer the candle wick, the better? .\\n\\nIn order to better help my friends, I will open the group chat function next.\\n*Friends, if there is anything unclear, you can ask questions.*\\n*Then I will answer friends' questions and explain the important content of 'One Trick to Win'.*\",), ('After I saw the news, I sold it quickly, but it was too late, and I only made 56% of $300, and I regretted it',), (\"I'm voting for you every day\",), ('I am really happy today. I made $360. This is my happiest thing today. Thanks',), ('contract trading is so interesting',), ('Have voted',), ('Wow, when you sold the bearish contract of BTC, BTC skyrocketed.\\nJim, how did you do it, this judgment is too accurate.',), (\"Today's trend is very fierce, I made 109% but my principal is not much, I don't have that much profit, but I am also very satisfied, I will gradually increase my capital\",)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple references to 'Jim', specifically 'Professor Jim' and 'Jim Anderson', indicating the presence of a person's name.\"}\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : ['chat.subject', 'message.text_data', 'message.translated_text', 'message_vcard.vcard']\n", - "\n", - "--- END METADATA ---\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find loosely structured human name-like strings in the database\n", - "1: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "2: AI -> Retrieved 200 rows\n", - "3: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "4: AI -> Retrieved 3678 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 2\n", - "phase : extraction\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "extraction_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "rows_count : 3678\n", - "rows_sample : [('6️⃣ Wealth Builders Club',), ('6️⃣ Bitcoin Masters - Jim Investment Team',), ('Welcome new friends to join our Bitcoin Master - Jim Investment Team family\\nSince Professor Jim is currently invited to participate in the cryptocurrency competition held by the organizer Btcoin Trading Center, he is currently preparing for the final stage, and new friends in the discussion group continue to join in and vote for Professor Jim.',), ('Therefore, the free chat function of the discussion group will not be opened for the time being, and friends are waiting patiently. I hope that friends will continue to stay in Bitcoin Master - Jim Investment Team and have a pleasant journey.\\nOf course, friends stay in the discussion group, Professor Jim will also lead friends to make huge profits in the investment market, then please vote for Professor Jim, and you will also have the opportunity to get a voting reward of 3,000 US dollars;There is also a real-time trading signal strategy with at least 30% profit per day Friends can first add the business card below to book a voting reward of 3,000 US dollars.',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), ('1.🔹 Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.📈📈\\nHistorically, as the U.S. approaches its debt ceiling, U.S. Treasuries have typically plummeted and yields soared.\\nUS stocks fell sharply late yesterday. Bank stock indexes fell.📉📉📉\\nDXY hit a new high this month, and the two-year U.S. bond yield rose by more than 10 basis points.\\nCrude oil, gold, and BTC fell.\\nThrough the performance of major markets, it can be seen that it is greatly affected by the debt ceiling impasse.❓❓❓',), (\"Treasury Secretary Yellen issued her strongest warning yet. More than 140 U.S. business leaders urged the administration and Congress to quickly resolve the debt impasse. Biden's trip to Asia was cut short.\\nBefore the announcement of the negotiation results, there is a high probability that stocks, bonds, the US dollar, cryptocurrencies, gold, and crude oil will continue this short-term trend.\",), ('2. 🔸The Fed will still choose to raise interest rates if necessary.\\nLorie Logan, president of the Federal Reserve Bank of Dallas, expressed his view yesterday that raising interest rates at a smaller and less frequent pace will help the possibility that monetary policy will lead to financial instability.\\nThis point of view has aroused extensive discussion among scholars.',), (\"The FOMC meeting earlier this month did not express definitive remarks.\\nTherefore, the uncertainty in the future is very high. A large number of economic data will be released before the meeting in mid-June. In addition, there may be other factors that are unfavorable to the economy.\\nThe PCE data, which the Fed values, is still more than double the central bank's target. Inflation is starting to come down because of the many actions the Fed has taken in the past, but it may take more time if prices are to continue cooling.\\nTherefore, the Fed will still choose to raise interest rates if necessary.📊📊\",), (\"3. 🔹Today's BTC strategy: medium-term buying point and short-term range game.\\n\\nJudging from the BTC daily trend chart, the mid-term buying point is established.\\n1️⃣)Compared with the illustration on the left, the price is near the important support level.\\n2️⃣The upward trend of MA90-120 is good, providing important technical support and psychological support for the price.\",), ('3️⃣ The negative value of MACD gradually decreases, which is regarded as a buying point. So I created a call contract order using a fund position within 5%.\\n4️⃣ Stop loss when the price falls below MA120 or the support line.\\n5️⃣ The time to intervene on the right side is: wait for the time when the value of MACD turns from negative to positive, the yellow fast line goes up, and the fast and slow line shows a golden cross.\\n\\nStick to the top and pay attention to this group, I will interpret the latest policies and announce real-time strategies every day.\\nNext, I will share short-term strategies.👇🏻👇🏻👇🏻',), ('Hi, dear, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry, this is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share. As Mr. Jim participated in the competition of Btcoin-2023 New Bull Market Mars-Final, we invite you to enter this group to vote for Mr. Jim. ☺️ Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars.There is also a real-time trading signal strategy with at least 30% profit per day, I hope to get your support. Thank you',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\n⬇️I will explain to you⬇️\",), ('Mary Garcia',), ('The short-term 30-minute interval game strategy is as follows.👇🏻👇🏻\\nAffected by the deadlock of the debt ceiling and the expectation of interest rate hikes, the price of BTC has been relatively weak recently and fluctuated within a narrow range.\\nTherefore, there are opportunities for short-term games, but the earnings expectations must be lowered.\\nToday I created a call contract order with less than 5% of my capital position.',), ('When the price is close to the pressure level or support level, when the positive value of MACD decreases, it is regarded as a selling point, and when the negative value of MACD decreases, it is regarded as a buying point.\\nStop loss when the price moves in the opposite direction and breaks the resistance high or breaks the support level.\\nReal-time strategies are available through my assistant, Ms. Mary.🔸⬇️⬇️🔹',), ('Mary Garcia',), ('Although the short-term U.S. bond yields and the strengthening of the U.S. dollar are not good for the cryptocurrency market.\\nHowever, factors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAt the same time, amid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counteract the possible impact of further interest rate hikes by the Fed.',), ('The current price of BTC is at an important support level in the mid-term, and there are obvious signs of stopping the decline, and the mid-term buying point is established.\\n$30,000 is bound to be a new starting point for BTC’s fourth bull run.\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will lead my friends who support me to show their ambitions in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.💰💰\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝',), (\"Hello ladies and gentlemen.❤️❤️❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 💰💰💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌💌⬇️⬇️⬇️\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), (\"1. Today's BTC contract trading strategy.\\n1) As shown in the 30-minute trend analysis chart above, the current price has entered a new triangle consolidation range.\\nVolatility is reduced, so we lower our earnings expectations.\\n2) When the price runs near the trendline or support line, a BTC bullish contract order can be created.\\nUse the opportunity when the 30-minute MACD negative value decreases to intervene, and use the price that is less than the 30-minute cycle level to deviate from the technical indicators to determine the buying point.\\nThe specific method I have shared last week. Friends who don't understand can ask my assistant, Ms. Mary.\\n3) Stop loss when the price falls below the upward trend line, because when the price establishes the interval between the pressure line and the support line again, the trend will weaken.\\n4) The target price is near the pressure line.\\n5) The capital position is less than 5%.\",), (\"Yesterday I shared the mid-term strategy and the short-term range game strategy, and announced my trading signals.\\nFriends who have just joined the group can consult my assistant, Ms. Mary, about yesterday's handouts.\\nThe return on bullish contract orders was as high as 120% yesterday.\\nCongratulations to friends who have followed my trading signals for gaining short-term excess returns.🔷🔷\",), ('Friends who want to grasp real-time trading signals can add the business card of my assistant Ms. Mary and write to her.👇🏻👇🏻👇🏻\\n\\nNext, I will share a very important topic. If you are investing in stocks, cryptocurrencies, bonds, US dollars, gold, crude oil, etc., I suggest you read the logic carefully.⬇️⬇️⬇️\\n2. Sort out the important logic: the debt impasse and the banking crisis have eased, and the possibility of the Fed raising interest rates in June has risen. Where should the major investment markets go?❓❓❓',), ('Mary Garcia',), ('2️⃣.2️⃣ The possibility of the Fed raising interest rates in June has increased, which will have an impact on major markets.\\nThe probability of the Fed raising interest rates in June has risen to about 40%, and this data confirms my recent view.\\nNext, I will briefly describe the main points of several major investment markets.👇🏻👇🏻',), ('Point 1: U.S. bond yields and the U.S. dollar are expected to usher in a short-term upward trend.\\nDue to the huge impact of the deadlock on the debt ceiling, although the negotiations between the two parties are mostly political games, there are many ways to solve this problem, and the probability of it developing to a more dangerous situation is relatively small.\\nIt has also never happened in history, so the expectation that this problem will be solved is high.\\nThis expectation is positive for U.S. bond yields and the dollar.\\nI will continue to track and analyze the progress and impact of the situation.✔️✔️',), ('2️⃣.1️⃣ The debt impasse and the easing of the banking crisis have boosted market sentiment, but one should not be too optimistic.\\nBiden and McCarthy said yesterday that their goal is to reach an agreement by the 21st to avoid an economically catastrophic default.\\nThe latest deposit levels released by Western Alliance Bancorp eased investor concerns about a worsening banking crisis.\\nAll major indexes rose yesterday.📈📈',), (\"The IEA monthly report showed that China's oil demand grew faster than expected, pushing up oil prices. The U.S. Department of Energy said on Monday that replenishment of the strategic reserve oil had supported oil prices.\\nBitcoin ushered in a rise in volume and price, which is a very healthy signal.\\nHowever, everyone should be careful not to be too optimistic before the debt ceiling issue is resolved, as it is still in a wait-and-see mode.\\nBecause the reason for the deadlock on the debt ceiling is because there is an element of political game between the two parties.\",), ('Point 2: Increased interest rate hike expectations are negative for gold, crude oil and US stocks.👇🏻👇🏻👇🏻👇🏻👇🏻\\nIn the last month, I published an important view on gold. It is summarized as follows.\\n1️⃣) The Fed is not expected to cut interest rates in the second half of the year, and the price of gold may be depressed.\\n2️⃣) The dollar may weaken further, providing support for gold prices but with limited effect.\\nPs: The current strengthening of the US dollar is even more detrimental to gold prices.\\n3️⃣) There is limited room for growth in demand for gold ETFs.',), ('4️⃣) High prices may dampen demand for jewellery, gold coins and bars.\\n5️⃣) Central bank gold demand may decline slightly.\\nIn addition, gold does not bear interest, and the current price of gold has fallen as scheduled, which is completely in line with expectations.\\nIf you are unclear about the logic in this area, you can ask for relevant handouts through my assistant, Ms. Mary.👇🏻👇🏻👇🏻',), ('Mary Garcia',), (\"Crude oil is a highly cyclical product. Oil prices will rise and fall with the demand level of the entire economy. Now it is the down cycle. The Fed's aggressive rate hikes have started to hurt the economy, and while they have lowered inflation, they could be accompanied by more pain because rate hikes typically hit the economy with a lag. Therefore, the price of oil is easy to fall but difficult to rise.\",), ('When the risk-free rate increases, it is bad for stock prices.\\nPeople reduce consumption and are more willing to save, reducing the capital flow of the stock market.\\nRaising interest rates means raising deposit and loan interest rates, increasing the difficulty of corporate financing, and negative for the stock market.\\nCoupled with the inevitable recession in the U.S. stock market, corporate profits will decline accordingly, which is bad for the stock market.\\n...\\n\\nAs an investor, we must pay attention to these impacts and risks.',), ('Point 3: 🔸A bull market for cryptocurrencies is coming.🌈\\nThere are two important factors that tell us that the spring of the cryptocurrency market has arrived.',), ('1️⃣) Internal factors: halving mechanism.\\nFrom a fundamental point of view, Bitcoin halving means that the number of Bitcoins that can be mined in the future will decrease, and the total amount of Bitcoins will eventually reach 21 million.\\nThis feature makes Bitcoin relatively scarce compared to fiat currency, and scarcity will gradually increase commodity prices. \\nFrom the perspective of historical trends, every Bitcoin halving period ushered in an unprecedentedly prosperous bull market.\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.',), ('2️⃣) External factors: Risks in the financial market make the cryptocurrency market a safe haven.\\nFactors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAmid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counter the possible impact of further interest rate hikes by the Fed.\\nBitcoin will become the king of safe-haven assets over gold.\\nWhy is it said that the market value of the cryptocurrency market will soon surpass gold and be comparable to US stocks?\\nWhy is it said that the price of BTC will reach $360,000 in the fourth round of the bull market?\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will share these logics and lead my friends who support me to show their ambitions in the cryptocurrency market.👇🏻👇🏻',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.🔶🔶🔶\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.✏️✏️\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.👇🏻👇🏻👇🏻',), ('Mary Garcia',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), ('Mary Garcia',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.🎁🎁\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆🏆\\nIf you want to receive a $3,000 🎁💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.🤝\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"the impact of the Fed\\'s interest rate hike in June on major investment markets\".\\nToday I will share the following topics.\\n1. Today\\'s BTC contract trading strategy.\\n2. Rising bond yields and capital flows pose risks to the stock market.\\n3. The debt impasse will be resolved, but it will recur',), (\"1. 🔸Today's BTC contract trading strategy.\\nFrom last Sunday to today, I have announced a total of 3 trading signals, all of which have achieved good short-term gains. In the current trend of weak shocks, this is very rare.\\nTherefore, when trading opportunities arise, we still have to lower our earnings expectations.\\n\\nI think the mid-term buying point is established, so I mainly buy call contracts.\\n1️⃣) Consider buying when the price is near the support level.\",), (\"2️⃣) Take advantage of the timing when the price and the indicator run counter to each other to grasp the buying point.\\nFor example, timing1/2 in the above figure, the specific method I shared last week.\\nFriends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\n3️⃣) Stop loss when the price effectively falls below the support line.\\n4️⃣) When the price is close to the pressure line, take profit when the buying power is exhausted.\",), (\"3. 🔸The debt impasse will be resolved, but it will recur.\\nThe easiest way to solve the debt ceiling problem is to raise it, which has been done nearly 100 times in history, although there was a small hiccup today.\\nIt's like a husband and wife quarreling, and finally compromise with each other in order to maintain the peaceful coexistence of the two families.\\nBut this solution is not sustainable.\\nBecause this approach cannot pay investors high enough interest rates to allow them to hold debt assets, nor can it keep interest rates low enough that borrowers can service their debts.\",), ('When the amount of debt sold is greater than the amount buyers want to buy, the central bank faces a choice: Either let interest rates rise to balance supply and demand, which is hard on debtors and the economy. Or they have to print money to buy debt, which creates inflation and encourages debt holders to sell their debt, making the debt imbalance worse.',), ('Then, the cycle repeats itself.\\nThis problem will remain for a long time, and one day in the future there will be a real collapse of the financial system and a financial tsunami will occur.\\nSpeaking of this, what I most want to express is \"the cycle of raising and lowering interest rates is the government\\'s cash cow.\" This is an opinion I often express.\\nThe essence of inflation is excessive money supply.\\nIn this cycle, the people who benefit the most are the people who borrow the most, and the people who borrow the most are governments, financial institutions, and large technology companies.\\nWhat should we ordinary people do?',), ('I think the best way is to use our technology in the investment market to continuously make money, make money, and make money.💰💰💰\\nNow it seems that the cryptocurrency market is a good track.',), ('The generation mechanism of BTC determines that it is relatively scarce compared with fiat currency, and the scarcity will gradually increase the price of BTC.📈📈\\nFrom the perspective of historical trends, every time the BTC halving mechanism is triggered, an unprecedentedly prosperous bull market ushered in.👍🏻👍🏻\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.\\nThe risk in the financial market makes the cryptocurrency market the best safe haven.\\nCryptocurrency has become the best investment tool of this century.📊',), ('As the debt ceiling issue is resolved, and interest rate policy is becoming clearer. Major investment markets will usher in a new beginning.1\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I would like to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nSharing these today, have a great weekend.🎁🎁⬇️⬇️',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), (\"See the picture above:⬆️⬆️⬆️\\nRecently I have received a lot of letters from my new friends. I believe you must have a lot of questions. Is this \\ncompetition real? Do you get a $3,000 bonus vote at the end? I'm currently interested in the cryptocurrency market. ❓❓❓\\nCan I actually make money in the cryptocurrency market?\\nI would like to say that since my contest is still in the preparatory stage, there will be new members in the group \\nin a few days, so please wait a few days, it won't be too long, I will tell you how to vote, please keep in touch 👇🏻👇🏻👇🏻👇🏻⬇️⬇️⬇️⬇️\",), (\"with my assistant Ms Mary, everything we do and say is true, and the contest supporting me is free, I won't charge \\nyou any fee. Since it doesn't require you to pay anything, why can't you have a try? So please don't quit in a hurry \\nand stay in my group to support me in the upcoming Contest. I am confident that I will win the first place in this \\nContest, so what I promise you will come true. I plan to reward my friends with $3,000 each for supporting me along \\nwith a real-time trading signal strategy of at least 30% profit per day\\nIf you are interested in investing in Bitcoin and receiving a voting quota of 3k dollars, please add the business \\ncard below. This is the business card of my assistant Mary Garcia. Have a great weekend.🤝🏻\",), ('Mary Garcia',), ('Hi, my friend, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry☺️This is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share.\\n\"Btcoin-2023 New Bull Market Mars-Final\" is about to enter the Final stage, so we invite you to enter this group to vote for Mr. Jim. Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars 💰.There is also a real-time trading signal strategy with at least 30% profit per day, All these are free. If you have any questions, please add my business card and communicate with me⤵️',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), (\"Welcome new friends to join the group. If you want to know how to earn 30% revenue every day, please don't leave the group in a hurry. 📌🔗📌Please join the discussion group first, and later I will tell you the purpose of inviting you to join our group\\n\\n\\n\\nPlease give me some time!🥇\",), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people join each day before the final, so you may see these repeated messages before the final.\\nSince today is the weekend, Mr. Jim will continue to share market news and trading signals in the group during the working day. The final game is about to start, and we will enable group chat. This is the beginning of today's share, from this moment on,\",), (\"we will officially let you know about this market. If you are interested in this, 📌🔗📌Remember to stick this discussion group to the top. I believe Mr. Jim's sharing will bring you great wealth\\nTo this end, Mr. Jim prepared two gifts for his supporters🎁🎁\\nFirst, he plans to give $3,000 each to friends who support him💰\\nHow to get this gift immediately? Please add your business card below\\n⬇️-⬇️-⬇️\\nThis is the business card of Mr. Jim's assistant Mary Garcia. Welcome to write to us\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.🤝🏻\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.👍🏻👍🏻🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nWelcome more new friends to join the group, hope to get your support.\\nPlease wait patiently, the finals will start soon.\\nAlthough today is the weekend, there is an important theme that I think it is necessary to share with you in time.🔺\\nThe investment theme I want to share today is: the debt ceiling crisis will trigger market turmoil, how should investors profit?❓❓❓',), (\"1. The debt ceiling crisis will continue to exacerbate financial market turmoil, and the banking industry will suffer greatly from it.\\nFrom the solution to the debt ceiling problem, capital flows, bearish positions and Yellen's remarks show that the banking crisis will intensify.\\n\\n1) The solution to the debt crisis is negative for the banking sector.\",), ('During the two debt crises of 2011 and 2013, Congress finally raised the debt ceiling at the last minute. Each time, after raising the debt limit, the Treasury replenished its cash reserves by re-issuing massive amounts of Treasury bonds and sucking in a lot of cash from the market.\\nOnce the debt ceiling crisis is resolved in this way, the US Treasury will return to borrowing over a trillion dollars to top up its cash reserve account. Then the liquidity of the market may be drained by the treasury bonds issued by the Ministry of Finance, and the banking system will face huge risks again, increasing the risk of bank failure again.',), ('2️⃣) The net inflow of money funds continued.\\nThe latest data from the Institute of Investment Companies of America shows that, continuing the trend of the previous week, the scale of monetary funds continued to expand.\\nSome $13.6 billion poured into U.S. money funds this week, pushing their size to an all-time high of $5.34 trillion.\\nOver the past three months, money funds have grown by more than $520 billion.',), (\"There are two reasons for the continuous net inflow of money funds.\\nOne is that after the Fed continued to raise interest rates, the market interest rate continued to rise, and the advantages for deposits expanded.\\nThe second is that the risk of deposits in small banks tends to make funds tend to be more secure monetary funds.\\nThe surge in money market inflows points to lingering risks in the banking sector. Meanwhile, the Fed's blood transfusion for banks is not over yet.\",), ('3)🔸 Bearish positions are increasing.\\nThe recent rebound in regional banks may not signal the end of the US banking crisis.\\nMany investors are also aggressively creating put orders on these banks.\\nNearly 48% of positions in the ETF KER are betting on regional banks falling, up from 42% last week, according to data compiled by technology and data analytics firm S3 Partners.',), (\"4) 🔴Treasury Secretary Yellen warned that more bank mergers may be necessary.\\nSome media revealed that on May 18, Yellen echoed the US regulators who said that bank mergers may occur in the current environment.\\nAccording to market analysis, this means that more banks are expected to fail soon.\\nYellen's remarks weighed on stocks of U.S. regional banks in early trading on Friday. Bank stocks generally retreated on Friday, with regional banks falling even more.📊📊\",), ('2. Under the turmoil of the financial system, the way investors make profits.\\nAlthough the U.S. managed to raise the debt ceiling in time, the 2011 debt ceiling crisis caused a massive spike in volatility and sparked wild swings across asset classes.📈📉\\nInvestors have three big ways to profit if U.S. stocks sell off as they did during the 2011 debt-ceiling crisis.🔸\\nThe Bank of America team wrote in a research report that customers can get up to 30 times the remuneration through some cheap Option Contracts. These operations pay off handsomely when the S&P falls by more than 10%.💰💰💰',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('In my opinion, there are three extended ways to make profits, namely, put options on the S&P 500 index, VIX call options, and cryptocurrency call contracts.\\nAmong these three profit methods, I have a soft spot for cryptocurrency. It is not difficult to obtain 100 times the profit in this market, and there are many ways to make profits.',), (\"Except that the triggering of the fourth round of halving mechanism will lead to the start of the cryptocurrency bull market in 2023. The banking crisis has been one of the catalysts for Bitcoin's strong rise this year.\\nCryptocurrency prices have been soaring recently, reaching as high as $31,000 in mid-April as investor concerns over the U.S. banking sector began to mount again.\",), ('The intensification of the banking crisis is positive for safe-haven assets such as cryptocurrencies.\\nMy view on \"BTC\\'s medium-term buying point is established\" remains unchanged, and the stop loss line is MA120. As shown above, it is the strategy I will focus on this week.\\n\\nIf you want to get these three profit methods, or want to get a secure cryptocurrency application, or get real-time trading signals, you can ask my assistant, Ms. Mary,👩🏼 who is a software engineer.⬇️⬇️',), ('Mary Garcia',), ('As a thank you for your votes, I have also prepared two gifts.🤝🏻\\nFirst up is voting rewards,🎁🎁 I plan to award $3,000 💰💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📫📫\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nSince the Silicon Valley Bank incident, the global financial market has been in turmoil and investment has become more difficult, so I have shared more valuable information.\\nIn the last week, I tracked and shared topics such as debt impasse and three ways to profit, banking crisis, negative factors in the stock market, and major investment market trends.',), (\"Today I will share the following investment themes.\\n1.🔸 Treat market changes with caution, and the trend will gradually become clear.\\n2.🔹 Today's BTC contract trading strategy.\\n3.🔸 It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\",), ('1. Treat market changes with caution, and the trend will gradually become clear.📊\\nTake stocks and the US dollar as examples today to help friends clarify these trends.\\n\\n1️⃣) Beware of false breakthroughs in the stock market.\\nThere were signs of panic buying in stocks last week as some investors believed a new bull market had begun.\\nFor the stock market, the current valuation is too high, whether it is fundamental or technical, there is no possibility of breakthrough here.',), ('Defensive stocks are all rising at the moment, and cyclical stocks such as banking stocks, retail, and transportation are not performing well.\\nLike last summer, this rally will likely be a false up.\\nThe S&P 500 struggles to break out of the range between 3,800 and 4,300, and even if it does, it is likely to fall back later.\\nIt is recommended that friends beware of false breakthroughs, that is, bull traps.',), (\"2)🔸 The dollar needs to be cautious, but has short-term upside.\\nOn Friday, bipartisan talks failed to produce results. But optimism picked up after the weekend.\\nThe market sees them reaching an agreement on the debt ceiling, while Fed rate cut expectations are delayed, which ultimately proved to be positive for the dollar.\\nHowever, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.\",), (\"However, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.👆🏻👆🏻👆🏻\\nHowever, judging from the DXY daily trend chart, there is room for short-term upside.\\nThe operating space and technical points are shown in the figure above.\\nIf the dollar rises in the short term, gold will fall. But even if the dollar rises, the space is limited.📊📊\\nRecognize these trends, our investment will be smoother.\\nNext, let's focus on the cryptocurrency market.\",), (\"2. Today's BTC contract trading strategy.📈📉\\n1) It is worth participating in the mid-term buying point of BTC.📊\\nJudging from the BTC daily trend chart, the current price is above the MA90-120, and the upward trend of the MA90-120 is good.\\nThe current price is in a resistance-intensive area, and the yellow line represents a very important and meaningful price, which will definitely become the dividing line between bulls and bears.❗❗\",), ('Judging by MACD, the fast and slow lines are about to form a golden cross, and the value of MACD shows signs of \"turning from negative to positive\". This shows that the power of sellers is exhausting and the power of buyers is accumulating.\\nFrom an objective understanding, this medium-term buying point is very worth participating.\\nAt present, I gradually increase the capital position to buy bullish contracts, the stop loss line is MA120, and the overall capital position is still controlled within 5%.',), (\"2) The short-term trend of BTC still maintains fluctuations between small groups.\\nAs shown in the figure above, although the price of BTC/USDT does not fluctuate much, the buying point suggested in yesterday's strategy is very accurate.\\nSince the price is fluctuating in a weak range, we have to lower our earnings expectations during the transaction.\\nAt present, it is still dominated by bullish contracts.\\nConsider buying when the price is near a support level.\\nUse the timing when the price deviates from the indicator to grasp the buying point. For example, timing1/2 in the figure above.\",), (\"Friends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\nStop loss when the price effectively falls below the support line.\\nWhen the price is close to the pressure line, use the timing of the exhaustion of buying power to take profit.\",), ('Mary Garcia',), ('3. 🔸It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\\nTo put it simply, in the short term, inflationary pressures in the United States have eased, but there are still twists and turns in the downward phase of inflation.📉📈\\nIn the long run, the labor market is still the biggest factor of uncertainty affecting the trend of US inflation.❗❗\\nThe results of the SVAR model show that long-term inflation may remain above 3%, and it is difficult to return to 2% before the epidemic.📊\\nIt is precisely because long-term inflation data is difficult to decline, which makes it difficult to make decisions on interest rate policy.🔹',), ('It is precisely because the interest rate policy is unclear that it is more difficult for investors to find markets, varieties and corresponding trends that allow them to easily invest and make profits.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.📬\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.📌📌\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.🏆🏆🏆\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000💰💰 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.👆🏻👆🏻\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.🔺\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!❗❗\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝🏻🤝🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.❤️\\nWelcome new friends to join this investment discussion group.👏🏻👏🏻\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.⬇️💌💌⬇️\",), ('Mary Garcia',), ('6️⃣ Btcoin Masters - Jim Investment Team',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I shared my judgment on the trend of the stock, US dollar, and gold markets.\\nToday I will share the following 3 important investment themes.',), ('1. The pressure on the banking industry has raised expectations for interest rate cuts within the year.\\nJudging from the data of Bank of America, both the asset side and the liability side of the U.S. banking industry are facing greater pressure. It is expected that the continued loss of deposits will further increase the operating pressure and liquidity pressure of banks.\\nAt the same time, commercial real estate loans held by banks have relatively large risk exposures, and high unrealized losses in securities investment are common problems.\\nHowever, considering that the U.S. financial market developed relatively healthy after the 2008 financial crisis, and regulators have more experience in responding, the probability of systemic risk in the U.S. banking industry in this round is relatively low',), ('However, widespread pressure in the banking industry may push credit to tighten faster, and the labor market may weaken rapidly in the future, thus increasing the probability of the Fed cutting interest rates within this year.\\nThe trend of the investment market reflects future expectations more often.\\nIf the expectation of interest rate cut increases, it will bring the expectation of depreciation of the dollar, and people will look for real assets to avoid risks. The interest rate cut will lower the loan interest rate, which is conducive to the development of the real industry',), ('Therefore, if the expectation of interest rate cuts increases, it will be beneficial to the stock market, real estate, cryptocurrency and other markets.\\nI will continue to track and share the important information of each investment market, and share it with my friends as soon as possible. Hoping to get support from my friends for voting in my finals.',), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), ('2. The investment logic, opportunities and strategies of bonds in the current environment.\\nWill the debt deadlock crisis be lifted smoothly to eliminate possible financial market turmoil? This has become the core theme that global investors are currently paying more attention to.\\nU.S. Treasury spreads showed signs of widening, with U.S. investment-grade corporate debt also affected.\\nThe U.S. government has encountered 78 discussions on the debt ceiling since 1960. According to past experience, during the negotiation process, the capital market usually suffers from anxiety and volatility due to fear of a stalemate in the negotiations.\\nHowever, in the end Congress agreed to raise the debt ceiling and the crisis was lifted smoothly. We expect that this negotiation will eventually reach an agreement.',), (\"U.S. government bonds and investment-grade bonds are an integral part of investment portfolios, but I suggest that friends pay attention to the strategies I share next to avoid falling into the vicious cycle of buying high and selling low.\\nObserving the past three U.S. debt ceiling crises, various types of bonds and U.S. stocks performed differently, but U.S. government bonds and investment-grade bonds seemed to benefit from investors' concerns about volatility.\\nFunds flowed into these two types of bonds under the risk aversion sentiment, making their performance buck the trend.\",), (\"Take 2011 as an example. At that time, the negotiations between the US government and Congress failed to reach a consensus, which led to the downgrade of the US long-term credit rating by Standard & Poor's, and the US stock market fell by more than 17%. It is worth noting that although short-term U.S. government bonds fell at that time, medium- and long-term government bonds bucked the trend and rose.\",), (\"The current situation is somewhat similar, and with the CPI annual growth rate falling to 4.9%, the market expects interest rates to remain stable or decline, which is relatively favorable for the performance of the bond market.\\nI have done an analysis last week, taking the 10-year bond as an example, let's take a look at its technical graphics and strategies.\\nThe current operating range of the price is shown in the figure above, and the deviation point between the MACD indicator and the price is used to sell.\\nHistorical experience shows that in the past, when GDP was within 2%, the average annual returns of more defensive U.S. Treasury bonds and investment-grade bonds were 6.7% and 4.7%.\",), (\"In fact, compared to cryptocurrency contract transactions, the benefits of bonds are simply negligible.\\nFor example, we obtained more than 80% of the overall income from yesterday's strategy.\\nNext I will share the cryptocurrency strategy.📊📊👇🏻👇🏻\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"3. Today's BTC contract trading strategy.❗❗\\nSince the 14th of this month, what I have been emphasizing is the strategy of buying BTC bullish contracts at low prices.\\nWhether it is the medium-term strategy analyzed from the daily trend chart or the short-term strategy analyzed from the 15-30 minute trend chart, when the overall capital position is less than 5%, I continue to increase the use of capital positions.\\nSo far, this series of strategies has been very successful.\\nObjectively speaking, BTC has fluctuated within a narrow range recently, and it is not easy to achieve such a profit.\\nRecently, many cryptocurrency, gold, stock, and crude oil investors are losing money.\",), ('Before giving the latest strategy, let me say a few suggestions.👇🏻🔹👇🏻🔹👇🏻\\n1) It is recommended that friends lower their income expectations in recent transactions, and fast in and fast out.\\n2) It is recommended that you pin this group to the top, so that you can quickly grasp core information, opinions, strategies, and trading signals.\\nAnd when the voting window opens, this group will be even more exciting.\\n3) If you want to know more real-time trading signals and benefit from this market simultaneously with me, I suggest you add the business card of my assistant, Ms. Mary, and write to her.',), ('Mary Garcia',), ('From the 30-minute analysis chart above, we can see our trading process in the past few days.\\nThe strategy is as follows.\\n1)🔸 I will sell some of the profitable orders to keep the profit.\\n2) 🔹At present, it is still mainly to participate in bullish contracts.\\n3)🔸 Whether the price breaks through line B becomes the key.\\n4) 🔹If there are technical characteristics such as MACD fast and slow line dead cross or MACD negative value increases, sell profitable orders.',), ('Then wait for the price to come near the lower support level, and use the timing of the divergence between the indicator and the price to find a buying point. The principle is the same as timing1/2.\\n5) If the price breaks through line B strongly, you can create a call contract order when the price retraces and the timing of the exhaustion of selling orders and the increase of buying orders can be used.\\n\\nAfter the voting window opens, I will share my trading system, which will explain these methods in detail.',), ('Summarize what I shared today.\\n1) The risk of the banking industry is good for the cryptocurrency market, because the cryptocurrency market is the best safe-haven product, and BTC is the leader this year.\\nThe pressure on the banking industry has increased the expectation of interest rate cuts, which is good for the stock market, cryptocurrency market, real estate industry, etc.\\n2) Bonds have an upward range in the short term, but avoid buying high and selling low, and pay attention to the key points in the analysis chart.\\n3) In the past few days, although BTC has fluctuated within a narrow range, our contract transactions have achieved good returns. Please cherish this fruit of labor, and let us make more efforts together in exchange for more profits.',), ('If you want to grasp more real-time trading signals, you can write to my assistant, Ms. Mary, to get them.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\\nThis is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\",), ('At that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊📈📈',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('You here?',), ('Hey',), (\"I'm here. Trying to collect some information today\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Let's talk this weekend.\",), (\"Sounds good. I'll be out site seeing.\",), ('Take pics.',), ('Of course.',), ('Love it when Sanata comes early.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Please allow me to introduce myself first. I am the official representative of Btcoin Exchange Center. We are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"Voting for contestants\" as the main topics to share🥇\\nAgainst the backdrop of \"heightened risks in global investment markets at the end of the Fed rate hike\" and \"the halving of Bitcoin\\'s fourth round of mining incentives will catalyze a new bull market in cryptocurrencies\". After acquiring several important mining enterprises in the industry and integrating high-quality ICO qualification resources, Btcoin Tech Group established a new trading center, Btcoin, aiming to quickly seize the cryptocurrency market and become a leader in the industry\\nPlease keep reading⬇️ ⬇️',), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him❗️',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people will be joining each day before the finals, so you may see these repeated messages before the finals. I hope everyone stays in the discussion group🙏\\nThe finals will start soon, and we will start the group chat function at that time. I'm sure you won't be disappointed.\\nNext, I would like to invite Professor Jim to share today's investment👏⤵️👏\",), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I mainly shared the investment logic and strategy of bonds.',), (\"Today I will share the following two topics.\\n1. 🔸There is still room for the dollar to rise.\\n2. 🔹Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\n3. 🔸Today's BTC contract trading strategy: the key point is coming.\",), (\"1. There is still room for the dollar to rise.\\nThere are currently three bullish factors for the dollar.\\n1️⃣ Overnight hawkish comments from several influential Fed officials boosted market bets that the Fed will keep interest rates high for longer.\\nRaising interest rates means that the US dollar has higher interest returns and financial asset returns, which is one of the upward thrusts for the US dollar.\\n2️⃣ Concerns over a slowdown in global economic growth, especially in Europe and China, further favor the dollar's relative safe-haven status.\\n3️⃣The current debt ceiling crisis in the United States has spawned safe-haven demand and is also driving the dollar upward.\\nWhen markets face a range of risks, investors often choose to buy less risky assets such as bonds, cryptocurrencies, gold and the U.S. dollar.\",), ('Therefore, the dollar will have the momentum to continue to rise, as shown in the chart below for technical analysis.',), (\"2. Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\nEven if the U.S. does not eventually default, a crash in U.S. stocks may be inevitable.\\nIf the debt ceiling talks fail to reach an agreement, that would certainly be bearish for stocks.\\nIf a negotiated agreement is reached, it will also cause the stock market to fall.\\nBecause the U.S. Treasury Department will increase the issuance of treasury bonds, sucking the liquidity of the financial system.\\nAs shown in the chart below, reviewing the Treasury bond issuance and stock market volatility in recent years, you will find that the Treasury's new bond issuance will absorb the Fed's reserves. U.S. stocks tend to fall when debt issuance increases.\",), ('Although the medium and long-term prospects of US stocks are improving. However, once the debt ceiling negotiations are over, US stocks will inevitably fall, or fall sharply.\\nInvestors who understand this logic are often the first to sell.',), (\"But one thing I don't like to see the most is that policy makers are often forced to reach an agreement and make a decision after seeing the stock market fall. They are testing the market's psychology and bottom line.\\nI believe that when we know this or see this kind of scene, some friends want to curse.\\nRationally look at the following logic and data, I believe everyone will make a decision.\\n1) US stocks plummeted nearly 20% in the 2011 crisis.\\n2) Higher inflation, higher valuations and tighter monetary policy could mean the current market environment could be worse for risk assets.\",), ('3) The current S&P 500 forward earnings estimate is about 18.4 times, compared to its historical average of 15.6 times. In the summer of 2011, the indicator was slightly more than 12 times.\\nSo, the current market and economic backdrop may make the stock market more vulnerable than it was during the 2011 debt default crisis.\\nDear friends, if you are investing in stocks, you must pay attention to this risk.',), ('What I want to say is that from the perspective of absorbing new debts, it is still American families that bear the greatest burden.\\nIn the second half of last year alone, it increased its holdings of U.S. debt by US$750 billion, far exceeding banks, MMFs, companies and overseas investors. This trend is expected to continue as the U.S. Treasury Department increases bond issuance in the future and the Federal Reserve continues quantitative tightening (QT).',), (\"Do you understand the above logic?\\nThe upward trend of the dollar and the solution to the debt ceiling are not good for the stock market, and the stock market has probably peaked.\\nAs a friend who has entered my investment circle, I don't want to see you take these risks.\\nObjectively speaking, we have many better investment methods, and we can choose more efficient investment methods, such as cryptocurrencies.\\nIt is very happy and meaningful to me to help some friends.\\nNext, I will share today's strategy.❗❗❗\",), ('3. Today\\'s BTC contract trading strategy: the key point is coming.\\nThe debt impasse, the rising price of the US dollar, and the hawkish remarks of Fed officials have caused the price of BTC to fall back to a key point.\\nAs shown in the figure above, the current upward trend of MA90-120 is good, and it still has technical support and psychological support.\\nFrom the perspective of rational analysis, the closing line of today\\'s price is very important.\\n1) There are many definitions of an upward trend. My definition of an upward trend may be different from others. My point of view is that \"price intensive areas continue to rise but do not overlap\".',), ('2) If the price falls below MA120 or closes below the price-intensive area A today, pay attention to the possibility of the price going down and seeking support above the price-intensive area B.\\nIf this happens, the MACD will have a negative value, and the fast and slow lines will form a dead fork.',), ('In the process of trading, ordinary traders often have this mentality.\\n1)🔸 It is uncomfortable when the price is running at the bottom.\\n2)🔹 It is comfortable when the price is running at the top.\\nAt present, BTC is in the process of building a new bottom in the mid-term trend.\\nThe current stock index is at the top of the stage.\\nIt is self-evident who will be more cost-effective.',), ('At the same time, BTC has two important advantages, please don\\'t ignore them.\\n1) There is no doubt that BTC is at the starting point of the fourth round of bull market, and the market is already reflecting this bull market expectation.\\n2) When we participate in BTC, we often do not choose spot trading, but choose contract trading tools, which will not only make profits when prices fall, but also greatly improve efficiency and yield.\\nI will share these tips when the voting window for \"Btcoin-2023 New Bull Market Masters-Final\" opens.\\nNext, I will share short-term strategies.',), ('You can choose to participate in the new daily trend after it is formed, which will be more comfortable.\\nOr choose the combination of mid-term and short-term. This kind of combination investment can not only improve efficiency, but also increase the comfort of trading.\\n\\nThe 30-minute strategy is shown above.\\n1) When the middle rail of the Bollinger Band moves downwards, when the price moves to the middle rail or near the upper rail, a bearish contract order can be created when the positive value of MACD decreases, such as the two selling points of AB.\\n2) When the price is near the support line, the bottom divergence pattern appears, and a bullish contract order can be created, such as buying point C.',), ('make a summary together.\\n1) Several Fed officials made hawkish remarks, the slowdown of economic growth in Europe and China, and the debt ceiling crisis are three major factors that are positive for the US dollar. \\nThe US dollar has upward momentum, but the market outlook should pay attention to the deviation between indicators and prices.\\n\\n2) Whether the debt deadlock is resolved will be detrimental to the stock market. The solution to the debt ceiling will most likely be to raise the ceiling and issue new debt, which will suck the liquidity of the financial system and cause the stock market to plummet.',), ('3) We have to learn from the experience of history. The debt ceiling crisis in 2011 caused the stock market to fall by 20%. The current market and economic background is worse than in 2011, and the risk of the stock market is greater',), ('4) Debt deadlock, rising dollar prices, and hawkish remarks from Fed officials have caused BTC prices to fall back to key points.\\n\\n5) But the bull market logic from cryptocurrencies is established, and the market is already reflecting this expectation. And the current price of BTC is in a new mid-term bottom range, which is very worthy of attention.\\n\\n6) We use contract trading to participate in it, and we use combination investment strategies to deal with it calmly and earn considerable profits.\\nFor real-time trading signals, please ask my assistant, Ms. Mary.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.🎁🎁\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.❤️❤️❤️\",), ('Mary Garcia',), ('I may have a conflict on \"go\" week',), (\"You may have to manage it with remote support. I'll explain via voice\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Understood. You're not chickening out, are you?\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the voting window opens, I have an important gift for you all.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\",), (\"Yesterday I analyzed the upward logic of the US dollar, and emphasized the risks of the stock market, and the market further validated my point of view.\\nToday I will share the following topics.\\n1️⃣Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n2️⃣ The price of the US dollar rose as expected, the stock index began to fall, and gold continued to fall.\\n3️⃣ BTC today's contract trading strategy.\\n4️⃣The cryptocurrency market will be more popular with investors.\",), (\"1️⃣ Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n1)🔸 Interest rate policy and direction.\\nThere are major differences within the Fed on the future path of monetary policy, and it is still unable to decide whether it can announce a stop to raising interest rates.\\nJudging from the Fed's understanding of the economy and inflation, as well as its existing discussion framework, it is still a small probability event to cut interest rates within this year.\",), ('2)🔸 Banking crisis.\\nEnsuring that the financial system has sufficient liquidity to meet its demands.\\nThe stock prices of regional banks have further declined, mainly reflecting expectations of a decrease in profitability rather than concerns about solvency.\\nHowever, market participants remain vigilant about the possibility of renewed pressure on the banking industry.\\n\\n3)🔸Debt ceiling.\\nThe debt ceiling must be raised in a timely manner to avoid the risk of severe disruption to the financial system and the overall economy.',), ('2) The US dollar rises as expected, stock indices begin to fall, and gold continues to decline.\\nExpectations of a Fed rate cut have cooled, with the probability of a June rate hike increasing to 48%. In addition, robust US economic data has given the US dollar an advantage.\\nAnxiety surrounding the debt ceiling negotiations has also prompted investors to turn to the US dollar as a safe haven.\\nThe US dollar and bonds are rising, stocks are falling, and gold continues to decline.',), ('This week, I shared important information regarding \"The Three Major Bullish Factors for the US Dollar and the Stock Market\\'s Peak\" and \"The Logic, Opportunities, and Strategies of Bonds\". These insights will have a mid-term impact on major investment markets. I highly recommend that everyone takes the time to understand these concepts. If you have any questions or concerns, please do not hesitate to reach out to me.\\nFor those who are new to the group, you can add my assistant Mary\\'s business card and receive my investment diary.',), ('Last month and at the beginning of this month, when many people were bullish on gold, the price of gold rose to a historic high of around $2,080. At that time, I emphasized that \"the price of gold is approaching its peak and is expected to fall to $1,850-1,800/ounce this year,\" and gave five important arguments. Now it seems that the market is gradually confirming my point of view because these logics are impeccable. Similarly, the top of the stock market has arrived, and today\\'s rise in the Nasdaq index is due to Nvidia\\'s financial forecast data driving up AI-related stocks. As an investor, I strongly advise against any wishful thinking.',), (\"Similarly, the top of the stock market has arrived, and today's rise in the Nasdaq index is due to Nvidia's financial forecast data driving up AI-related stocks. As an investor, I strongly advise against any wishful thinking. These logics are priceless. For professional traders, having a clear understanding of the trends in major markets is a fundamental skill. Only by grasping the trends can we make money.\",), ('Mary Garcia',), (\"3: Today's BTC contract trading strategy.\\n\\nFocusing on more comfortable and familiar investment products will surely yield results. Let's review yesterday's 30-minute BTC contract trading strategy. The strategy provided detailed technical analysis, as shown in the above chart.\",), ('1️⃣ Point A is the timing for the price to rebound to the middle band of the downward Bollinger band. \\n2️⃣ Then, the positive MACD begins to shrink. Subsequently, the price rises near the upper band of the Bollinger band, creating point B. \\n3️⃣ Later, the MACD indicator deviates from the price, forming a buying point C. \\n\\nThe profit potential for points A/B exceeds $450, and point C has a profit potential of over $300. Settlement based on a 50X margin ratio yields a return rate of over 85% for creating bearish contracts at points A/B and a return rate of around 60% for creating bullish contracts at point C.',), ('1) Currently maintaining a weak oscillating trend judgment, with the current price moving within a low range. Looking for a low point to buy.\\n2) When the price runs near the support line or near the lower band of the Bollinger band, use the opportunity of decreasing negative MACD values to capture buying points.\\n3) Stop loss when the price effectively falls below the support line.\\n4) The position size should not exceed 5% of the funds.\\n\\nPS: \\n1) I have already created this order.\\n2) For professional traders, waiting for prey to appear is a very enjoyable process. Beginners can wait for the trend to form before participating, or write to my assistant Mary to receive real-time trading signals.',), (\"4) The cryptocurrency market will be even more loved by investors.\\nYesterday, a friend wrote to me asking whether the expectation of interest rate cuts and the upward trend of the US dollar would suppress the cryptocurrency market. I think this question reflects the concerns of many friends.\\nThere are many factors that determine the start of a bull market for BTC, and 2023 is the year we have decided on. One example is the halving mechanism for mining rewards.\\nFor example, financial system risks have made cryptocurrencies a safe haven. Technical charts provide important psychological support, and BTC's actual performance and mid-term technical buy signals are confirmed. In fact, there are more and more news that favor the cryptocurrency market. Today, I will summarize three pieces of news.\",), (\"1)🔹The advantages of the tool are evident. The financial market's misguided focus on growth and widespread frenzy led to high correlation, but the situation has now calmed down. The correlation between BTC and stocks has decreased, which will allow BTC to once again serve as a reliable diversification investment tool.\\n2)🔸As a public official, my statements represent the will of many people. As a candidate for the 2024 US presidential election and current governor of Florida, Ron DeSantis has expressed that people should be able to use Bitcoin for transactions and that he would not issue a central bank digital currency if he becomes our US president.\",), (\"Actually, there are more and more news like this, but I don't want to waste time sharing them. I prefer to share more valuable information because there are many investment products that our friends in the group are currently investing in. As investors, we need to have a comprehensive understanding of the world in order to make profits more easily. If you have been in our group for more than a day, you will find the value of the content I share. I don't need to prove anything to anyone because I have already been tested by the market.\",), ('Recently, the movements of gold, crude oil, stocks, bonds, and the US dollar have all been indicating certain trends. Many friends, including myself, are waiting for the opening of the \"Bitcoin-2023 New Bull Market Masters-Final\" voting window. Please be patient as the debt crisis disrupts the market, and waiting may not necessarily be a bad thing for us. When the voting window officially opens, we can all show our skills together. If you find my sharing valuable, I suggest you pin this group.',), ('As a token of my appreciation for your support in the voting, I have prepared two gifts. Firstly, as a voting reward, I plan to award $3,000 to each of my friends who have supported me. Additionally, if I am able to secure a top three position, I will split the prize money among my supporters as an extra bonus. The second gift is my \"investment secrets\" that I have accumulated over 30 years of practical experience. These risk control methods have enabled me to achieve certain success in the investment market. By controlling risks in the investment market, profits will follow suit.',), ('The reason why I have been able to achieve some success in the investment market is thanks to the risk control methods that I have summarized. By controlling risks in the investment market, profits will follow. If you don\\'t know much about the profession of \"trader,\" then congratulations, because this gift will save you a lot of time and effort that cannot be obtained by reading 100 books!\\n\\nTo receive this gift immediately, please add the business card below. This is the business card of my assistant, Mary Garcia, and friends are welcome to write to her for communication.\\n\\nThat\\'s all for today, see you tomorrow.',), (\"Ladies and gentlemen, hello. I am Mary Garcia, Professor Jim's assistant, and I welcome new friends to join this investment discussion group. To thank everyone for their support, Professor Jim has prepared a mysterious gift for everyone.\\nFriends who haven't received the gift yet can click on my business card below to write to me and claim it. I believe this first gift will be very helpful to our friends.\\n📌🔗📌Remember to stick this discussion group to the top\\nI hope more buddies will join and support Professor Jim's competition.\\n\\nPlease don't worry, Mr. Jim's Contest finals will officially begin next week. For this reason, Mr. Jim has prepared the first gift for everyone, which will be distributed after the start of Mr. Jim's Contest.\",), (\"Recently, I have received many messages from new friends who have joined the group and are not familiar with Professor Jim's Contest. I hope everyone can actively communicate with me, and I will inform you of the progress of the contest and the benefits you can get by joining the group. I will help everyone to complete these tasks. I hope everyone can vote for Professor Jim in next week's Contest finals!\\nIf you want to claim the $3,000💰 voting reward, receive Professor Jim's real-time trading strategies to earn at least 30% profit daily, and learn about other benefits, or if you want to get access to Professor Jim's real-time trading strategies, please add my business card and send me a message.💌💌\",), ('Mary Garcia',), ('6️⃣ Wealth Builders Club',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nThis week, I mainly shared debt negotiations, three ways to make money when the financial market is in turmoil, the logic and strategy of rising U.S. dollars and U.S. bonds, the peak of the stock market, the logic and trend review of gold, the minutes of the Fed meeting, and the fact that cryptocurrencies are more popular with investors, etc. theme.\",), (\"1️⃣ Economic data increases the probability of raising interest rates in June.\\n2️⃣ The capital flow shows that there will be a new wave of risk aversion in June.\\n3️⃣ Today's BTC contract trading strategy.\",), ('1. Economic data increases the probability of raising interest rates in June.\\nThe Department of Labor released the latest unemployment benefits data yesterday. The adjusted number of initial jobless claims reported last week was 229,000, which was lower than the market expectation of 250,000 and an increase of 4,000 from the revised previous value of 225,000.\\nContinuing claims for unemployment benefits reported 1.7994 million last week, below market expectations of 1.8 million.\\nThe data showed that the overall job market remains strong.',), (\"The PCE data released by the Ministry of Commerce today showed an annual increase of 4.7%, higher than the expected 4.6%, and a monthly increase of 0.4%, higher than the expected 0.3%, the highest since January 2023. This data is the Fed's favorite inflation index.\\nThe PCE data highlighted the stubbornness of inflation.\\nThe initial jobless claims data and PCE data put the probability of a rate hike in June at more than 50%\",), ('2. The capital flow shows that there will be a new wave of risk aversion in June.\\nThe latest Bank of America report shows that the momentum of investors pouring cash into the stock market for the past three consecutive years has begun to weaken.\\nMoney was pulled out of stocks and put into money market funds and bonds.\\nGlobal bond funds saw inflows of $9.5 billion, the ninth consecutive week of inflows.\\nU.S. equity funds posted outflows of $1.5 billion, while European equity funds posted outflows of $1.9 billion.',), ('U.S. large-cap and small-cap funds attracted inflows, while outflows flowed from growth and value funds.\\nTech saw inflows of $500 million, while energy and materials saw the largest outflows.\\nAbout $756 billion has flowed into cash funds so far this year, the most since 2020.\\nAs the U.S. faces a debt default and fears of an economic recession intensify, U.S. stocks will usher in a greater risk-off wave in June, and investors should pay attention to this risk.',), ('This week, I focused on sharing the logic of being optimistic about U.S. bonds and the U.S. dollar, and emphasizing the risks in the stock market and gold market. The correctness of these logics is constantly verified by market trends.\\nFitch is one of the three major credit rating agencies in the world. They put the top AAA credit rating in the United States on the negative watch list. Help the dollar strengthen.\\nThe debt deadlock negotiations have attracted market attention, and many Fed officials have recently turned to hawkish talk, helping the dollar appreciate.',), (\"Markets such as the U.S. dollar, U.S. bonds, U.S. stocks, and gold continued the trend I shared.\\nAt the same time, buying interest in cryptocurrencies continues to accumulate, and a new round of gains is brewing.\\nUnder the current environment, the U.S. dollar, cryptocurrencies, U.S. bonds, and currency funds will see continuous inflows of funds.\\nNext, I will share today's trading strategy.\",), (\"3. Today's BTC contract trading strategy.\\nFirst review yesterday's 1-hour strategies and trades.\\nYesterday's strategy was very successful.\\nWhile sharing the strategy yesterday, I announced the trading signal, and clearly told everyone to grasp the timing of the buying point.\\nThe price I bought was a bit high, and if executed according to the strategy, the rate of return could exceed 100%.\\nThere were several very good buying points yesterday, and the prices were all near the lower rail of the Bollinger Bands.\\nTherefore, a good strategy coupled with good execution is the key to ensuring long-term stable profitability.\\nNext, I will share today's latest strategy. If you want to know real-time trading signals, you can write to my assistant, Ms. Mary.\",), ('Mary Garcia',), ('The short-term strategy cycle level shared today is relatively small, as shown in the figure above, this is a 15-minute strategy.\\nI suggest that everyone lower their income expectations and fast in and fast out.\\n1️⃣ When the price falls back to the support line or the upward trend line, consider buying.\\n2️⃣ When the negative value of MACD decreases, it constitutes a buying point, as shown in the analysis chart on the left.\\n3️⃣ Sell when the price falls below the support line or rising trend line.\\n4️⃣ Fund position does not exceed 5%.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), (\"Ladies and gentlemen, hello! My name is Mary Garcia, and I am Professor Jim's assistant. Welcome to this investment discussion group. To thank you for your support, Professor Jim has prepared a mysterious gift for everyone. If you haven't received the gift yet, please click on my business card below and send me a message to claim it. We believe that this first gift will be very helpful to all of our friends here. Please remember to pin this discussion group and invite more people to join and support Professor Jim's competition. Thank you!\",), (\"Hopes everyone can actively communicate with me. I will keep you updated on the progress of the competition and the benefits you can receive by joining the group. I will also help you complete these tasks. We hope that you will vote for Professor Jim in next week's finals! If you want to claim a ¥3000💰 voting reward, receive Professor Jim's real-time trading strategy to earn at least 30% profit every day, and learn about other benefits, or if you want to receive Professor Jim's real-time trading strategy, please add my business card and send me a message 💌💌.\",), ('Mary Garcia',), ('Hello, ladies and gentlemen👋\\nPlease allow me to introduce myself first. I am the official representative of Btcoin Exchange Center. We are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"Voting for contestants\" as the main topics to share🥇\\nAgainst the backdrop of \"heightened risks in global investment markets at the end of the Fed rate hike\" and \"the halving of Bitcoin\\'s fourth round of mining incentives will catalyze a new bull market in cryptocurrencies\". After acquiring several important mining enterprises in the industry and integrating high-quality ICO qualification resources, Btcoin Tech Group established a new trading center, Btcoin, aiming to quickly seize the cryptocurrency market and become a leader in the industry\\nPlease keep reading⬇️ ⬇️',), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him❗️',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nI am very happy to see more and more friends joining this group, watching and supporting my game.\\nToday is the weekend, and I will briefly summarize the main points of the current major investment markets, so that everyone can have a clear understanding of the current situation and trends.\\nAt the same time, I will give today's BTC trading strategy to help friends who trade on weekends.\\nIf you have any questions, please feel free to write to me, or write to my assistant, Ms. Mary.\",), ('1️⃣ Market expectations for interest rate cuts are gradually weakening, and the probability of raising interest rates in June exceeds 60%.\\n2️⃣ The U.S. dollar has strengthened in recent weeks on hawkish comments from Fed officials and strong U.S. economic data.\\n3️⃣ In the environment of raising interest rates, the attention of gold will decrease accordingly.\\n4️⃣ On the whole, the current market environment is good for the US dollar, U.S. bonds, and cryptocurrencies, but bad for the stock market and gold.',), ('5) Debt ceiling negotiations are still the biggest topic disrupting the market. Although the negotiating parties have been releasing good news in recent days, as the \"default X day\" is getting closer, the stock market hates sudden good news or bad news.\\nU.S. Treasury Secretary Yellen made it clear in her letter on Friday that \"Day X\" is likely to be June 5.\\n...\\n\\nThis Wednesday, I conducted a detailed analysis of the logic of the U.S. dollar and the stock market, and gave a detailed technical analysis. \\nFriends who are not clear about this can consult my assistant, Ms. Mary, to view the investment notes of the day.',), ('Mary Garcia',), ('The latest short-term trading strategy is as follows.\\n1)🔸 As shown in the 1-hour analysis chart above. The current BTC trend remains weak and volatile, so we have to fast in and fast out, and lower our earnings expectations.\\n2)🔹 The support line in the figure is the bull-bear dividing line of the short-term trend. The current price is above the support line. When the price falls back to the support line, look for a buying point.\\n3)🔸 Stop loss when the price effectively falls below the support line.\\nSuch a profit-loss ratio is very cost-effective. I have created a call contract order with less than 5% of the capital position.\\n4)🔹 The timing of buying is: the negative value of MACD decreases, the fast line goes up after turning, and the value of MACD turns from negative to positive.',), ('⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️\\nIf you want to get real-time trading signals, please write to my assistant Ms. Mary.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), (\"Hello ladies and gentlemen.❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('My tour is cancelled for the day. Weather is garbage Should be good tomorrow.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I shared \"the current major investment market trends\" in some groups, and gave the latest BTC contract trading strategy, which achieved good returns.',), (\"Today I will share the following topics.\\n1️⃣. The U.S. debt ceiling has reached an agreement, and Congress will vote next Wednesday.\\n2️⃣. The correlation between BTC and US stocks has changed from positive to negative.\\n3️⃣. Today's BTC contract trading strategy: the medium-term buying point is established, and the BTC price has reached the first pressure level.\",), ('1. The U.S. debt ceiling has reached an agreement, and Congress will vote next Wednesday.\\nAfter weeks of intense negotiations, the two parties in the United States finally reached an agreement in principle on Saturday night to resolve the US debt ceiling. However, this agreement still needs to be quickly passed by the US Congress before the US debt default alarm can be truly lifted.\\nThe U.S. Congress must successfully vote to pass relevant bills before the \"X Date\" in order to avoid a debt default in the United States. If there is a slight discrepancy in the votes of the two houses next week, the potential risk of a \"technical default\" on U.S. debt is far from disappearing.',), ('I will continue to share the progress of the incident, and everyone should pay attention to the huge impact of the subsequent issuance of new debt. I shared the relevant logic on Wednesday.\\nFriends who are unclear about this can ask my assistant, Ms. Mary, or get the investment notes of the day.',), ('2. The correlation between BTC and US stocks has changed from positive to negative.\\nPearson Correlation Coefficient is used to measure the linear relationship between fixed distance variables.\\nJudging from the 30-day Pearson coefficient trend chart, since May, the correlation coefficient between BTC and US stocks has been falling all the way, turning from positive to negative, and entering the negative correlation range.\\nIt shows that BTC and US stocks have begun to have a negative correlation.\\nThis is an astonishing discovery, and it makes a lot of sense.',), ('On Friday, I shared \"June will usher in a wave of risk aversion in the stock market\", and on Wednesday I shared \"The stock market is about to fall\".\\nIf you are not clear enough about these logics, please get my investment notes through the assistant.\\nU.S. stocks are about to fall, BTC and U.S. stocks have a negative correlation, and BTC is ushering in the beginning of a mid-term surge.',), (\"3. Today's BTC contract trading strategy: the medium-term buying point is established, and the BTC price has reached the first pressure level.\\n\\nRecently, our BTC bullish contract has achieved good returns, and I have shared many trading signals.\\nCongratulations to my friends who participated in these transactions with me, we have achieved a phased victory.\\nUnder the current environment, it is not easy to achieve these achievements, and everyone must cherish these hard-won achievements.\\nBefore sharing today's strategy, let's review yesterday's strategy to consolidate the skills in actual combat.\",), ('The picture above is the strategy I shared yesterday and I posted my trading signals.\\nPrior to this, the strategies on Thursday and Friday also gave clear strategies and signals.\\nPlease compare my profit chart with the grasp of \"timing\" in the chart below.\\n\\nEveryone pay attention to the order I submitted at 4:00 pm yesterday.\\nAt that time, the value of MACD was about to turn from negative to positive, and the fast and slow lines were about to form a golden cross.\\n\\nIn homeopathic trading, this buying point often results in larger profits in a short period of time.\\nAfter the voting system is opened, I will not only lead everyone to capture such opportunities in real time every day, but also share more practical skills.',), (\"Excited to share these tips with you all.\\nI don't think it is difficult to make money in any investment market, but learning how to make money may be what more friends want.\\nIf you want to become a professional trader, please write to me, I think I can help you.\\nIf you want to get real-time trading signals every day, please consult my assistant, Ms. Mary.\\nNext, I will share today's trading strategy.\",), ('Mary Garcia',), (\"It can be clearly seen from the daily analysis chart that the mid-term buying point is established, which is the best return for our efforts.\\nToday's short-term trading strategy depends on the capital position.\\nThe reason why many people lose money repeatedly in trading is because they invested too little money when the price was low, and invested too much money when the price was high.\\nMy own short-term capital position is sufficient, and I am not prepared to invest more capital positions until the price breaks through $27,600.\\nIf the price does not rise above $27,600 in time, I will sell some capital positions.\\nIf the price can rise strongly above $27,600 and stand above this price, I will look for new opportunities and invest in new positions.\",), (\"Is it appropriate to use the opportunity when the negative value of MACD decreases when the price falls back to the upward trend line or the lower track of the Bollinger Bands to create a bullish contract?\\nOf course it is possible, but because the current price has entered the end of the triangle area, this method is not cost-effective enough.\\nTherefore, as shown in the 30-minute analysis chart above, it is the most cost-effective to wait for a breakthrough, otherwise you can give up today's transaction.\\n\\nWhen the price rises strongly and breaks through the pressure line 1, or later returns to the pressure line 1 again, look for a buying point.\\nAs shown below.\",), ('Buying point feature 1: The fast and slow lines quickly form a golden cross near the zero axis.\\nBuying point feature 2: Before the indicators and indicators deviate, when the negative value of MACD decreases.\\nYou can get real-time trading signals through my assistant Ms. Mary.',), ('Mary Garcia',), ('As an investor in the cryptocurrency market, it is undoubtedly very exciting to learn that \"US stocks have a negative correlation with BTC\". Because the top timing window for US stocks has arrived.\\nThis not only makes BTC more attractive and recognized by investors as a diversified investment tool, but the most important thing is that this mid-term buying point has been firmly grasped in our hands. The future profits must be beyond imagination, and I am full of confidence in this.\\nWe are well aware of the trends in the major investment markets.\\nLike me, many friends are waiting for the opening of the \"Btcoin-2023 New Bull Market Masters-Final\" voting window.',), (\"Friends please be patient, the debt impasse disrupts the market, waiting is not necessarily a bad thing for us.\\nWhen the voting window officially opens, let's show our talents together.\\nIf you think my sharing is valuable to you, I suggest you pin this group to the top.\\nShare these today and see you tomorrow.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello, dear friends.\\nToday is a very, very important day, and today is Memorial Day.\\nAlthough we have made a lot of profits recently. But in our lives, there are many things that are more important than making money, such as family, friends, country, and patriotism.\\nWhen we deeply remember the heroes who have gone on to sacrifice for our country, our hearts are heavy and excited.\\nWe may never be able to appreciate how many difficulties our ancestors and our heroes have experienced on the battlefield.\\nBut we will always be grateful to them for their efforts to have a peaceful and beautiful life today.\\nLet us pay our highest respect to our heroes.',), ('What makes our heroes choose to go forward when they hear the call of the motherland and the people?\\nI think it is a kind of inheritance of spirit and will.\\nThe awareness of serving the country, family, team, and friends is the traditional virtue of our country.\\nIt guides our sons and daughters of America to confront difficulties.\\nIt has given our entire country the faith to persevere in the most difficult times.\\nIt is our security guard.\\nIt makes our lives better, it makes our country safer, and it makes the world freer.\\nIt made all people equal before the law, and it gave people freedom of speech, writing, and religion.\\nIt makes each of us dream.',), (\"This holy day, today is the best classroom.\\nKnowledge, ideas, and skills on the battlefield are always the most advanced. As financial practitioners and freelance investors, this is what we should learn from our predecessors, the army, and soldiers.\\nIn the future, I will share more professional and advanced knowledge, which is what I have learned from today's festival.\\nShare these today and see you tomorrow.\\nMay the Lord bless us, and may the Lord bless the United States of America.\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" has entered the final stage.\\nBecause this final has received the attention of global investors, in order to allow investors and friends to have a better investment experience, our trading center has fully upgraded the application.',), (\"Tomorrow, the voting function will be opened to friends who are following this competition around the world, and the group chat function will be opened and everyone will be told how to vote.\\nYou will receive many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today's sharing.\",), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWe had an excellent buy point starting last Thursday and our strategy paid off handsomely.\\nToday I will continue to summarize the methods in the strategy and share the latest strategies or signals.\\nRecently, my judgment on gold, US dollar, U.S. debt, and stock market has been recognized by many friends. On weekends, many friends took the initiative to write letters to exchange a lot of investment topics, such as AI.\",), (\"So, today I will share with you the following investment themes.\\n1️⃣. Today's BTC contract trading strategy.\\n2️⃣. Important events this week: focus on non-agricultural employment data in May and the debt ceiling resolution.\\n3️⃣. The value of AI is undeniable, but they are grossly overestimated.\",), ('1. Today\\'s BTC contract trading strategy.\\nEveryone look at the picture above, this is the screenshot I kept when I was preparing to reduce some capital positions before the BTC price reached a high point last Sunday. These profits are very considerable.\\nLast Thursday, May 25th, the deal had the highest yield, with a high yield.\\nBecause recently I have been emphasizing that \"technical analysis shows that the medium-term buying point is established.\" Before last Thursday, the price of BTC was in a narrow range. Later, the price hit 1D-MA120 and then established a bottom. During the continuous rise of the price, I kept sharing Bullish strategies and signals.\\nAt present, we have achieved staged profits, which is gratifying.',), ('This purchase point is very meaningful.\\n1) At the time of the debt ceiling negotiations, the risk of many investment markets has increased, and many investors are losing money, while the trend of the cryptocurrency market is very stable.\\nThis not only highlights the advantages of the cryptocurrency market, but also strengthens the bull market signal.\\nWhen encountering a bad policy period, BTC did not fall sharply, and after the bad period passed, its rise will be amazing.',), (\"2) We followed the trend of the market, analyzed its trajectory, found the law, and took action to obtain better returns.\\nThis is the market's reward for our hard work. Congratulations to my friends who have followed me and participated in these trends and made good profits.\\n\\n3) The significance of the mid-term buying point is that it has a good price advantage.\\nLast Thursday I shared my view on implied volume, which was very similar to January of this year, before BTC rallied $15,000.\",), (\"If you just came to this group and you want to know these valuable information, you can get relevant investment notes through my assistant, Ms. Mary.\\nAnd I suggest you put this group to the top, because if you can't make money in my group, I believe that no one can do better than me. This is my confidence in this competition.\\nMy goal is to win the championship. This requires your vote.\\nWith your support, I will share more valuable information.\\nFor example, the picture below shows the strategies and techniques I shared last Sunday.\\nThen the price broke out, some friends got my trading signal, and they made a lot of money.\\nThe gains on the orders my team created after the price breakout were around 100%.\\nCompared with making money, I believe that many friends hope to learn these skills while making money, which is what I will do.\",), ('Understanding important policies, mastering market expectations and directions, using technology, patiently waiting for the emergence of buying and selling points, and finally transforming our knowledge and wisdom into profits are the basic qualities of a trader.\\nNext I will share the latest strategies and signals.\\n\\nI have created an order for a call contract with less than 5% of the funding position.\\nBecause the following information can be seen from the 30-minute analysis chart below.',), ('1)🔸 The price gained support near the support line, and the negative value of MACD began to decrease.\\n2)🔹 If the price falls below the support line, I will choose to stop the loss and wait for an indicator to deviate from the price to enter again.\\n3)🔺 The upper pressure levels are 29,000 and 30,000 respectively.\\n4)🔸 Focus on the running direction of the middle track of the Bollinger Bands, as shown in the example description.',), ('Friends please pay attention.\\n1️⃣The fast and slow line of MACD in the daily trend chart is still running below the zero axis, indicating that the price has not entered a strong range. Therefore, the current period belongs to the period of establishing basic capital positions, and it is not appropriate to use too many capital positions to participate.\\n2️⃣ It is unknown whether the support line in this strategy can form an effective support price, and the next step is to pay attention to the running direction of the middle track of the Bollinger Bands.\\n3️⃣Although many friends agree with my strategies and signals after seeing them, and follow me to use contract trading tools to make money.\\nHowever, if you want to achieve long-term stable profits, you must patiently follow changes in market trends.',), (\"As the voting window opens tomorrow for global investors, I'll be sharing these tips starting tomorrow.\\nFriends who want to get the voting window can write to my assistant, Ms. Mary.\",), ('Mary Garcia',), (\"Next, I will share two other very important topics.\\n\\n2. Important events this week: focus on non-farm employment data in May and the debt ceiling resolution.\\n1) The U.S. Department of Labor will release non-farm payroll data for May on Friday.\\nNon-farm employment data is highly correlated with economic performance. The output of non-farm industries accounts for 80% of the total output of the United States. The improvement of non-farm data indicates that the economy is improving.\\nIt's one of the last pieces of data the Fed will look at before its meeting in mid-June, and it's relevant to the rate decision, so this week's data is very important.\",), ('2) The debt ceiling.\\nA bipartisan agreement in principle to raise our U.S. debt ceiling and avoid a catastrophic default that could destabilize the global economy.\\nTheir next task is to overcome the opposition of bipartisan hardliners, so that the framework agreement can finally be quickly passed in Congress.\\nThis Wednesday is a critical time.',), (\"3. The value of AI is undeniable, but they have been grossly overestimated.\\nIn fact, many investors have such a feeling in 2023 that they did not get what they wanted in the stock market.\\nIf you feel this way, you should pay more attention to the views I will express next.\\nFrom investor optimism about AI to better-than-expected earnings from technology companies to investors fleeing safe assets and optimism about reaching a debt ceiling agreement, U.S. stocks rise on Friday.\\nAs Nvidia's financial forecast exceeded expectations, the core technology stocks of Apple, Microsoft, Alphabet, Amazon, Meta and Tesla rise, as well as the stock index rise.\",), ('1) Fundamental data shows that they are grossly overvalued.\\nThe seven tech stocks have risen a median 43% this year, almost five times as much as the S&P 500. The other 493 stocks in the S&P 500 rise an average of 0.1%.\\nThe average price-to-earnings ratio of the seven largest technology stocks is 35 times, which is 80% higher than the market level.\\nThe combination of price-earnings ratio, stock price and profit reflects the recent performance of the company.\\nIf the stock price rises, but the profit does not change significantly, or even falls, the price-earnings ratio will rise.',), ('Generally, we can understand that the price-earnings ratio is between 0-13, which means that the company is undervalued.\\n14-20 is the normal level. 21-28 means the company is overvalued. When the price-earnings ratio exceeds 28, it reflects that there is an investment bubble in the current stock price.\\nTherefore, a price-earnings ratio of 35 times is a frightening figure.',), (\"2) The current investment environment should not be greedy.\\nIn an environment of high interest rates, tightening credit conditions and debt-ceiling negotiations, stocks rose on the back of AI.\\nCalm down and think about it, it's scary.\\nIt's true as some good companies won't go out of business, but prices are too high right now.\\nThis situation is fraught with risks, and when the hype cycle around AI ends, the market may falter as well.\\nBuffett said, Be greedy when others are fearful, and be fearful when others are greedy.\\nWhen prices are at the top, the average investor feels comfortable.\\nWhen the price is at the bottom, ordinary investors feel uncomfortable.\",), ('For example, when BTC recently built a mid-term buying point near MA120, many people felt very uncomfortable.\\nBut we are different. We have obtained nearly 2,000 US dollars in price difference and excess returns through contract trading, and this profit is safe, and it will increase. This is the opportunity and fun at the bottom.',), ('On May 24, I expressed the following important points.\\n1) Even if the debt ceiling crisis is resolved, the collapse of US stocks may be inevitable.\\nIf the debt ceiling talks fail to reach an agreement, that would certainly be bearish for stocks.\\nIf a negotiated agreement is reached, it will also cause the stock market to fall. Because the U.S. Treasury Department will increase the issuance of treasury bonds, sucking the liquidity of the financial system.',), (\"2) As can be seen from the chart above, the Treasury's new bond issuance will suck up the Fed's reserves. U.S. stocks tend to fall when debt issuance increases.\\n3) US stocks plummeted nearly 20% in the 2011 crisis.\\n4) The current market and economic backdrop may make the stock market more vulnerable than it was during the 2011 debt default crisis.\\nHigher inflation, higher valuations and tighter monetary policy could mean the current market environment could be worse for risk assets.\",), (\"While we believe in the long-term benefits of AI, from an investor's perspective, the current environment is showing a certain mania.\\nAs a qualified investor, we must know how to prevent profits from shrinking and be prepared for danger in times of peace.\\nIf you have not reaped satisfactory returns from your stock investment this year, you should consider choosing a more suitable investment market at this moment.\\nIf you have earned a certain return on your stock investment this year, I suggest that you should pay more attention to the current risks so as to preserve profits.\\nOf course, no one values your own investment more than you.\",), (\"I am very optimistic about the value of AI. Just now Nvidia became the first chip company with a market value of one trillion US dollars, ranking fifth in the US stock market.\\nIf you're interested in it, maybe we can chat about it.\",), ('If you are also concerned about investing in AI and related stocks, please pay attention to the views shared today.\\nBecause the fall of Nvidia or AI concept stocks will happen at any time, the major US stock indexes will drop sharply at that time.\\nAnd there is a negative correlation between BTC and US stocks, so June is very likely to become a period of BTC\\'s skyrocketing.\\nThis is another important factor catalyzing the rise of the cryptocurrency market after the banking crisis.\\nThe representative of the Btcoin trading center has informed us today that the voting window for \"Btcoin-2023 New Bull Market Masters-Final\" will open tomorrow for global investors.\\nI think it\\'s a great moment, it\\'s a well-timed moment.',), (\"It is recommended that friends put this group on top, hoping to get your support.\\nLet's show our talents together.\\nShare these today and see you tomorrow.\",), (\"Hello ladies and gentlemen.❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nBecause \"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors, in order to allow investors and friends to have a better investment experience, our trading center has fully upgraded the application, and the upgrade has now been completed.\\nVoting authority has been opened to the world today, and everyone is welcome to vote for our contestants.\\nYou will get many generous rewards for voting and supporting players.',), ('Mary Garcia',), ('Hello dear friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nIt has been half a year since I participated in \"Btcoin-2023 New Bull Market Masters-Final\", which is organized by Btcoin Tech Group.\\nThis is a grand game',), ('In recent years, many countries around the world are accelerating the development of the cryptocurrency market.\\nIt is reported that in order to better seize the cryptocurrency market and become a leader in the industry, Btcoin Tech Group has acquired several important mining companies in the industry and integrated high-quality ICO qualification resources to establish a Btcoin trading center.\\nIn order to let more investors pay attention to this competition, they publicized this competition in nearly 1,500 well-known media around the world.',), ('Mary Garcia',), ('For example, you can see similar callouts by searching for the following.\\n\\nBtcoin Trading Center is determined to become the first trading center in the global cryptocurrency market. Btcoin-2023 New Bull Market Masters-Final officially begins.\\n\\n\"Btcoin-2023 New Bull Market Masters-Final\" Jim Anderson is the favorite to win the championship\\n\\nThe new generation of cryptocurrency market leader Btcoin trading center has been launched',), ('Because more and more investors are paying attention to this competition, the Btcoin trading center has upgraded its system. As a result, the progress of the finals has been delayed.\\nToday, voting rights have been opened globally. I hope to receive your support in the voting process because the ranking of the contestants is determined by two parts: actual performance and votes. Actual performance is the profit earned by the contestants through trading with Btcoin application during the competition.',), ('Actual performance showcases the trading skills of the contestants, while voting reflects their popularity. Actual performance accounts for 60% of the total score, while voting accounts for 40%. The top three contestants will receive bonuses of $5 million, $3 million, and $1 million respectively. However, what I am most interested in is obtaining the management rights of the \"B Fund\" - a special cryptocurrency fund to be issued by the Btcoin exchange in the future.',), ('I believe many friends have been following the NBA Finals recently. I really admire Jimmy Butler and LeBron James. We can see shades of Michael Jordan in them, which is very inspiring and moving. I wish LeBron James all the best next year to continue creating miracles. I also wish Jimmy Butler and his team great success. In soccer, my idol is Lionel Messi.\\nHe understands the efforts of every comrade, respects every teammate and opponent, is a grateful person, and has great love. He is a leader who combines passion and warmth. They are all people I admire. Competitive sports are full of energy, and the investment market also needs this kind of energy.',), ('I consider myself very fortunate because I have chosen a path that is different from others, and I have always maintained a learning mindset. During my student days, I began to dabble in the financial markets and achieved some success. Later on, I ventured into many investment markets, and although I experienced some failures along the way, my overall performance was good. Although I realized my childhood dream very early on, through this competition, I deeply appreciate the high level of this event.',), ('I have several trading and investment research teams, and I believe that the B Fund on the Bitcoin exchange is a powerful platform. I hope to lead my students onto this stage, which has ignited my dream. To achieve this, I have made sufficient preparations and received strong support from my family. Today, I want to make a solemn promise to my friends who support me in this group:',), ('1. Starting today, I will focus my main energy on the finals. \\n1) My goal is not to enter the top three, but to become the champion. \\n2) I will lead my trading team or some interested friends to surpass other competitors. \\n\\nTo this end, I have made a bet with my trading team members and some friends. If I cannot win the championship, I will punish myself. \\n\\nI believe this is a very friendly incentive method. \\nIt makes our goals clearer. \\nIt gives us more motivation.\\n\\n2. If I win the championship, I will share the $5 million prize money with my friends who voted for me. This is definitely much more than the official reward of $3,000.',), ('3. Through communication with many friends in the group, I found that many of them, like me, are using portfolio investment to invest. Therefore, there are many investment markets and varieties involved, such as stocks, real estate, US dollars, gold, bonds, and so on.\\n\\nAlthough there are many varieties of investment markets, most of them are closely related to each other.\\nIf you have been following the information in our group recently, you will not only see that my analysis and trades in the cryptocurrency market have been continuously validated, but also that my analysis of investment varieties such as gold, stocks, US dollars, and bonds has been validated by the market.',), ('4. Most importantly, I am currently participating in a competition and the opportunities in the cryptocurrency market are obvious. To win the competition, I will use a combination strategy.\\n\\nTherefore, there are daily opportunities for short-term trading in the cryptocurrency market, and it is not difficult to obtain profits of more than 30% through the use of contract tools in daily short-term trading.\\n\\nAs shown in the above chart, we have gained a lot from recent trades.\\n\\nHowever, for me, my core trading philosophy is \"go with the trend and pursue long-term stable profits through a combination of investments.\"',), ('If you are investing in cryptocurrencies and want to achieve excess and steady returns like us, I recommend that you bookmark this group and follow the information in this group.\\n\\nStarting tomorrow, I will share trading signals every day.\\nIf you want to follow me and seize these opportunities, you can prepare for it.',), ('5. If you are interested in trading but feel stuck and unable to break through some bottlenecks, feel free to write to me. Because I hope to cultivate some students to join my trading team through this competition, I can not only help you establish a complete trading system but also provide financial support based on your abilities.\\n\\n6. For friends who love trading, hope to improve themselves through learning, and are willing to support my competition, today I will give away an important gift. This gift is the \"Investment Secrets\" that I have summarized from more than 30 years of practical experience in major investment markets. It is a set of risk control secrets. In the investment market, as long as you control the risk, profits will come naturally. You can receive this important gift through my assistant, Ms. Mary.',), (\"Now, I would like to introduce my assistant, the beautiful and kind Ms. Mary. Friends, she is a high-achieving student. She is an IT engineer and holds a Bachelor's degree in Economics. In many ways, she is my teacher and has helped me a lot. I am very grateful to her.\\nShe is highly proficient in the fields of economics, software, and IT. Therefore, I believe she can help you solve many problems. If you want to receive this gift, if you want to receive real-time trading signals from my trading team, if you want to access the voting window, or if you want to learn about the pros and cons of different cryptocurrency trading center applications.\",), ('You can write to her if you want to. Also, if you want to learn more about the Btcoin trading center and the competition, you can write to Ms. Mary or the official representative of the Btcoin trading center.',), ('Mary Garcia',), (\"Dear friends, thank you for voting for me. I believe other contestants are also working hard. I am currently behind, but I believe I will receive more of your support. Starting tomorrow, I will share trading signals at least once every workday, leading friends to achieve excess returns of over 30% per day. Remember, this is our basic goal, so be prepared for it.\\nTomorrow will be the first day of June, which is very meaningful to me as it marks the beginning of my new dream. As we realize our dreams, tomorrow will be a commemorative day for many friends who embark on the journey with me. Let's work hard together, as opportunities always favor those who are better prepared. Friends who want to receive real-time trading signals can write to Ms. Mary. That's all for today, see you tomorrow.\",), (\"Ladies and gentlemen, hello.\\nI am Mary Garcia, assistant to Professor Jim. \\nWelcome new friends to this investment discussion group. \\nThanks to Professor Jim's sharing, he has achieved extraordinary success in many investment markets and he wants to realize his new dream through this competition. \\nThis is lucky for our group of investor friends because I believe he will lead us to success.\\nI see many friends voting for Professor Jim, thank you all.\\nIf you have voted, please send me a screenshot as proof to claim your reward.\\nProfessor Jim has sent out his gift today, you can write to me and claim it.\\nIf you want to access the voting window, or if you want to receive real-time trading strategies or signals from Professor Jim's team, or if you need any help, please add my business card and write to me.\",), ('Mary Garcia',), ('Hiii dear. Here as well 👋🏻',), ('Good chatting with ya \\nSide note \\nI’m looking for someone to do the kind of stuff I told you I’m involved with',), ('Got someone I can trust?',), ('I do',), ('Signal though',), ('Thx 👍🏻',), ('Ladies and gentlemen, hello everyone.\\nI am the official representative of Btcoin Trading Center, and we are the creators of this group. This is a discussion group mainly focused on \"cryptocurrency investment competitions\" and \"voting for participants\".\\nAs \"Btcoin-2023 New Bull Market Masters-Final\" has attracted global investors\\' attention, in order to provide a better investment experience for our investor friends, our trading center has completed a comprehensive upgrade of the application program.',), (\"We have now opened voting rights globally and welcome everyone to vote for our competition participants. By voting and supporting the participants, you will receive many generous rewards.\\nThis group has invited Professor Jim, who was the first participant to lock in a spot in the finals during the preliminary rounds and has exceptional skills.\\nLater on, I will invite him to share with us today.\\nYou can obtain the voting method from me or Jim's assistant, Miss Mary.\",), ('Mary Garcia',), (\"Dear friends, hello, I'm Jim Anderson. I am thrilled to have made it to the finals and to be able to share with fellow investors. I hope my insights can be helpful to everyone and earn your voting support.\\nNew friends are welcome to join this group. If you have any questions, please feel free to reach out to my assistant, Miss Mary.\\nThank you for your votes. With your support, I am more confident in winning the championship.\\nI hope more friends can vote for me. Thank you.\\nYou can obtain the voting window through my assistant, Miss Mary.\",), (\"Today is the day I officially enter the finals, marking the beginning of my new dream. Prior to the voting window opening, I have shared my insights on various investment markets in this group for some time and have received recognition from many friends after market validation. I am thrilled about this.🤝🏻🎉🤝🏻\\nIt is my honor to bring real value to my supportive friends. Today, I will be sharing my trading signals in real-time and some important insights on other major investment markets. Let's now observe the trend of BTC together and come up with real-time strategies to seize trading opportunities.📊\",), ('Just now, I created a BTC bullish contract order with a very small capital position.\\nNext I will share my logic.',), (\"As I am actively trading and monitoring the markets, time is precious to me. I will share detailed information on the fundamentals of cryptocurrencies after my trades are completed or when I have more time available.\\nFirst, let's review some technical analysis on BTC. Based on the daily chart analysis, the following technical points can be observed: \\n1️⃣ The price has fallen to a zone of price density.\\n2️⃣ The price is above the MA120, and the upward trend of the MA120 provides support for the price.\\n\\nTherefore, I will focus on creating long contract orders.📊\",), ('Based on the 1-hour chart analysis, the following technical points can be observed:\\n1.🔸 The price has fallen near an important support line.\\n2.🔹 The histogram area of the MACD is shrinking, indicating a divergence between the indicator and the price.\\nThe price is moving in the direction of least resistance.',), ('Trading is about choosing to participate in high probability events.\\nTherefore, I created this order and have gained a good short-term profit. \\nI am still holding this order. \\nIf the price falls below the support line, I will choose to stop loss. 📈\\nIf the price reaches near the target price, I will judge the selling point based on the buying power, and I will disclose my trading signal.🔔\\n\\n📍Next, I will share some important topics that my friends have written to me about for discussion.',), ('Recently, my comments on stocks, gold, bonds, and the US dollar in this group have sparked widespread discussion. \\nOn Tuesday of this week, I shared my view that \"AI concept stocks are overvalued,\" and some friends wrote to me asking for my thoughts on the stock market.',), ('In recent weeks, investors have clearly shifted towards mega-cap stocks, distorting the trend of the indices, especially the Nasdaq 100 index. \\nThis is mainly due to its overly centralized nature, where a few stocks drive overall returns. \\nStrong balance sheets, massive market capitalization, substantial free cash flow, and strong earnings potential are all characteristics of these stocks. \\nIn addition, they have high liquidity and in some cases, their market capitalization even exceeds that of some G7 economies, which may attract investors seeking safe havens from interest rate risks.',), ('However, it is evident from the trend of the S&P 500 index that breaking through 4,200 has been a challenging task. \\nIn the event of a soft landing in the US economy, the S&P 500 index may rise to 4,400 by the end of the year, but if the economy falls into recession, it could drop to 3,300. 📉\\nIf you have been reading my recent comments in this group carefully, you should be well aware of the following key points.⬇️⬇️',), (\"1)🔹 If it weren't for the rise of AI concept stocks, the stock market would have already fallen.\\n2)🔸 Both AI concept stocks and large tech stocks are overvalued and are expected to return to normal valuations at any time, leading to a significant drop in the stock market.\\n3)🔺 After the debt crisis is resolved, new bonds will be issued, absorbing liquidity from the financial markets and leading to a sell-off in the stock market. \\nI shared this logic in detail on May 24th, and you can obtain that day's investment diary through my assistant.\",), ('The yield on government bonds is steadily increasing. Although the majority of US government bonds are held by the government and financial institutions, individual investors hold a relatively small proportion. However, bond yields are highly positively correlated with the US dollar, which will impact the trends of major investment markets. As the Fed raises short-term interest rates from near 0% to 5%, US bond yields are steadily increasing, with yields on 3-month and 6-month bonds reaching around 5.3%, easily surpassing the average inflation rate of 3.6% over the past 6 months. Therefore, US short-term bonds have become the hottest investment tool at present.',), (\"The Fed's Beige Book shows that the US economic outlook is quietly weakening. The Beige Book is typically released by the Fed two weeks before each meeting of the Federal Open Market Committee (FOMC), and contains the results of the Fed's surveys and interviews with businesses in its 12 districts. This survey was conducted from early April to May 22nd. \\n\\nThe Beige Book shows that most districts experienced employment growth, but at a slower pace than in previous reports. Prices rose moderately during the survey period, but the pace of growth slowed in many districts.\",), ('The prospects for stock market returns in 2023 were already not very strong, and with the investment bubble in AI concept stocks and the upcoming issuance of new bonds, as well as bond yields rising to a certain level, would you still take the risk of investing in the stock market?\\n\\nI am gradually selling my stocks and preparing to fully focus on this competition.',), ('The prospects for stock market returns in 2023 were already not very strong, and with the investment bubble in AI concept stocks and the upcoming issuance of new bonds, as well as bond yields rising to a certain level, would you still take the risk of investing in the stock market?\\n\\nI am gradually selling my stocks and preparing to fully focus on this competition.',), ('If you are currently investing in stocks or other investment products, but you are unsure how to determine what trend it is in and therefore do not know how to make a decision, please feel free to contact me for discussion.📧\\n\\nReturning to the topic of technical analysis and trading today, in trading we only need to pursue high probability events in order to maintain long-term stable profits. We cannot control trends, the only thing we can do is follow them. Once a major trend is formed, it is difficult to change and it takes time to complete its logic. And 2023 is the starting point of the fourth bull market in the cryptocurrency market, which is the biggest logic.',), ('The daily analysis chart tells us that since this mid-term buying point is established, we will naturally choose to create more bullish orders at times. This gives us confidence in the market. Then, by using our techniques and strictly executing buy and sell points, long-term stable profits will naturally emerge.',), (\"Let's analyze the current 1-hour trend chart together.\\nWe understand the yellow line as a support line.📊\\n1)🔸 When the price is above point A and has been tested at points B and D, the support of this line on the price can be understood as very effective.\\n2)🔹 The price at point D is lower than that at point C, but there is a divergence in the corresponding MACD histogram, which can be understood as a decrease in selling pressure and an increase in buying pressure.\\n3)🔺 Moreover, the price at point D is still above the support line, which provides us with good bullish evidence.\\n4)🔸 The price just fell slightly to near the support line to form point E, and then quickly rose, indicating the effectiveness of the support line.\\nTherefore, this strategy has a high success rate.\",), (\"Patience is a fundamental quality for traders. Waiting patiently for the market's outcome, there are only two possibilities: the price falls below the support line or the price reaches the target level. We will correspondingly choose to set a stop loss or take profit.\\nParticipating in high probability events will naturally lead to long-term stable profits. During the trading process, we need to strictly follow our plan. Sometimes, when the trend changes and does not move in the original direction, we can change our strategy along with the trend. In my opinion, this is never wrong, but rather a way to seek gains and avoid losses. As long as our trading system does not have serious loopholes, we must believe that every meticulous analysis we make is correct.\\nOnly by doing so can we become a king in any investment market.\",), ('This is not telling everyone to beat the market. We never need to be against the market because the market is always right. It is always important to conquer ourselves, and the primary condition for conquering ourselves is to have confidence. Strong and successful leaders in any field possess this quality of confidence. When you like a girl, you also need to have the confidence to tell her: \"I like you.\"\\nThe reason why I achieved good results in the preliminary round is that I came to an important conclusion through comprehensive analysis: this year is the beginning of a bull market for cryptocurrencies. I am very confident in my conclusion. Therefore, in the preliminary round, I actively created long BTC contracts using contract trading tools around $16,700.',), (\"Some of my friends may not have enough knowledge about investing in the cryptocurrency market, so I will take some time to share with them in the future. Similarly, the current price of BTC is around $27,000, and I am very optimistic about this mid-term buying point. I believe that the price of BTC can rise to $360,000, and I will share these insights in the future.\\nLet's put aside other viewpoints for now and think about this question together: Assuming this mid-term buying point is valid, isn't its cost-effectiveness very high? From the daily trend chart, we can see that BTC has had two upward movements of $10,000-$11,000. \\nThe corresponding increase was about 65% and 55%, respectively, with corresponding contract values that were several tens or even hundreds of times higher.\",), ('If this mid-term buying point is valid, we will have the potential to gain a price difference of $10,000 and corresponding contract values that are several tens or even hundreds of times higher. This could create amazing profits.💰💰',), (\"When the price reaches a relatively low level, I use a smaller amount of capital to create a new order. \\n1)🔸 Before the new strategy is announced, I will still follow the 1-hour strategy shared today. \\n2)🔹 I will determine whether to take profits based on the upcoming upward momentum.\\n\\nIf you are trading Bitcoin today or would like to receive my latest trading strategies or signals, please inform my assistant Ms. Mary or send me an email.📧\\n\\nHealthy living, happy investing, communication and sharing, gratitude and mutual assistance. This is the culture of our group, let's work together to achieve our dreams. \\nThat's all for today's sharing, see you tomorrow.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.🎊🎊\\nThanks to Professor Jim for sharing. He has made extraordinary achievements in many investment markets. He wants to realize his new dream through this competition.❤️\\nThis is lucky for the investor friends in our group, because I believe he will lead us to success.👏🏻👏🏻\\nI saw many friends voted for Professor Jim, thank you.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, please add my business card and write to me.💌💌\",), ('Mary Garcia',), (\"Talked to our mutual friend today. Seems cool. I'd actually met him one time before. Remind me to tell you about it next week.\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nBecause \"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors, in order to allow investors and friends to have a better investment experience, our trading center has fully upgraded the application, and the upgrade has now been completed.',), (\"Now the voting authority has been opened to the whole world, everyone is welcome to vote for our contestants. You will receive many generous rewards for voting and supporting contestants.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or Professor Jim's assistant Miss Mary.\",), ('Mary Garcia',), (\"Hello dear friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWelcome new friends to join this group. If you have any questions, you can write to my assistant, Ms. Mary.\\nThank you for your votes. With your support, I am more confident to win the championship.\\nI hope more friends can vote for me, thank you.\\nYou can get the voting window through my assistant, Ms. Mary.\",), (\"Today is a very important day with many data releases that will have a significant impact on major investment markets. \\nHow will non-farm payroll data, debt ceiling, and expectations for the Fed interest rate decision affect the stock market?\\n\\nThere seems to be an inverse relationship between stock indices and BTC. Why is the stock market rising while BTC refuses to fall, and what opportunities does this present?\\n\\nYesterday's strategy was undoubtedly successful, and later I will share my trading results with you and provide the latest strategies or signals.📍\",), (\"The above two pictures are my order status and yesterday's strategy respectively.\\nYesterday I created two bullish BTC contract orders, both of which achieved good profits.\\nI sold an order while continuing to hold another order, why?\\nI'll share why I do this later, and I'll share a few remaining investment themes that are extremely important\",), ('When I sell another order, I will post my signal.\\nThe figure below shows yesterday’s supplementary strategy and the current BTC trend. From the analysis chart, you can see that yesterday’s strategy is very correct.\\nThis is my confidence in my trading system.\\nI went out of my way yesterday to stress the importance of confidence and patience.\\nThe improvement of these qualities is far more important than the learning and improvement of technology.',), ('Important information.\\nFriends who followed me yesterday to create a BTC bullish contract order, I suggest you sell this order at this moment.\\nBecause BTC is currently in a narrow range of volatility, we have to lower our profit expectations, fast in and fast out, and keep profits.\\n\\nImportant information.\\nFriends who followed me yesterday to create a BTC bullish contract order, I suggest you sell this order at this moment.\\nBecause BTC is currently in a narrow range of volatility, we have to lower our profit expectations, fast in and fast out, and keep profits.',), ('I have already sold another order.\\nThe returns of the two orders are 27.85% and 51% respectively.\\nCongratulations to the friends who followed me and participated in this transaction and got a good profit.\\nBecause I am very busy recently, I only communicate with you by writing letters.\\nIn order to make our group generate greater value, in order to let more friends gain joy and success in this group.\\nI suggest that every friend regards himself as the master of this group.',), (\"Next, I'll turn on the group chat feature.\\nLet's have a collective exchange, and you can speak in the group if you have any questions.\\nThen I'll answer your questions and share the latest strategy and several other important topics.\",), ('What is this group for',), ('Hi everyone, I have already voted',), ('My name is,Benjamin nice to meet you',), ('I have voted, dear mary.',), ('This is a group to vote for Mr. jim, who is in a cryptocurrency contest.',), ('How to get the $3,000 bonus?',), ('What are you investing in and how did you make so much money?',), ('Hello friends, where are you? I am from New York.',), (\"Cryptocurrency contest? It's interesting. What kind of contest is this?\",), (\"Nice to meet you, nice to be in Professor Jim's group, I'm from Las Vegas\",), (\"Nice to meet you, nice to be on Professor Jim's group, I'm from Valdalas, Texas\",), ('This is a cryptocurrency contract transaction. Mr. Jim has made a lot of money recently. He is a master and he is the most outstanding performer among the preliminary contestants.',), ('Earning 50% of the income in one day is too enviable. How did this happen?',), ('Professor Jim, hello, I have observed this group for a while, and I agree with your views on the major investment markets, and your technology is too powerful.',), ('Wow this is shocking my stock is only making 12% in a month',), ('Mr. Jim, this is amazing. After you issued the order, the price of btc started to fall. How did you do it?\\nI think it will drop to 26,700, is there any trading signal today?',), ('I have a fresh cup of coffee next to me, waiting for the trading signals to come in',), ('I have voted for you Professor Jim good luck',), ('Mr. Jim said that the stock market is about to peak, and we should pay attention to risks. Do you see these views?',), (\"I've just been here not too long ago, it's nice to meet you all, I don't know much about Bitcoin, it's nice to be able to learn from you\",), ('My babe mary i just voted for mr jim',), ('I think cryptocurrencies are very mysterious and fascinating things.',), ('Is this a group for trading BTC?',), (\"I'm usually busy and don't have much time to watch group messages, but I seem to have noticed some of his views, some of which I don't quite understand.\",), (\"How to buy and sell, why can't my APP operate like this\",), ('Where can I see this contest?',), (\"I'm also learning about cryptocurrencies, but I don't know how to start.\",), ('Thank you Mr. Jim for sharing. I am a novice. Your sharing has taught me a lot of knowledge that I did not know before. I think this group is very valuable.',), (\"Damn why am I voting I'm fed up with elections\",), (\"His views are very professional and correct, and can represent the views of professional investment institutions. This is my review.\\nI think it is lucky to be able to see Professor Jim's point of view, you can spend a little time to understand it, I believe it will be helpful to your investment.\",), ('What are cryptocurrencies? How to make money?',), (\"You can consult Professor Jim's assistant Miss Mary, she is omnipotent.\",), (\"I don't quite understand, is this futures trading?\",), ('thx',), (\"Hello, Professor Jim. I was recommended to come here by Mr. Wilson.\\nI've heard of your name a long time ago, and it's a pleasure to join your group.\\nI have carefully observed your views and strategies, which are second to none on Wall Street.\\nEspecially your views on gold and stock indexes, which are very professional, and our views are consistent.\\nIn fact, many cryptocurrency traders on Wall Street have been losing money recently. I saw that your transaction last week was a masterpiece.\\nIf you are free, you are welcome to come to Wall Street as a guest, maybe we can talk about cooperation.\",), (\"Hello dear friends.\\nThank you very much for voting for me, my votes are increasing and my ranking is improving, and other players are working hard.\\nWith your support, I believe I will be able to win the championship.\\nBecause voting accounts for 40% of the results of this competition, I hope you can continue to support me, thank you.\\nI am very happy to see friends asking questions, and I will answer your questions next.\\nAnd I'll share the latest strategies and several other important investment themes.\",), ('Thank you for your recognition, thank you friends for your support.\\nNearly 1,500 media outlets around the world are promoting this competition, which shows that Btcoin Trading Center attaches great importance to this competition.\\nThis is a great opportunity for all of us, because since the Silicon Valley Bank incident, the risk in many investment markets has increased.\\nTherefore, I have shared a lot of investment themes recently. On the one hand, I have invested in many markets, and on the other hand, I want everyone to recognize the direction.\\nIt is my honor to be able to bring value to my friends.\\nWe hope that these groups of ours can become a warm family.\\nWe work hard for our goals and dreams.\\nI keep an investment diary every day, a habit I have maintained for more than 30 years.\\nThe picture below is my promise to my friends on May 31, friends are welcome to supervise together.',), (\"Thank you for your endorsement.\\nI'm sorry, but because of the finals, I've been very busy recently, so I need to focus more.\\nWe can be with a lot of friends and get together in New York after the finals.\\nIn fact, I have a deep understanding of the recent BTC trend and transaction difficulty. The recent transaction difficulty is very high.\\nFortunately, our profits have been increasing steadily.\\nEspecially for last week's transaction, I am very satisfied\",), (\"Likewise, I would like to express the following opinion to my friends in this group.\\n1) This week's trading is still going on, as long as the market gives us a chance, we will definitely be able to firmly grasp more profits.\\n2) However, risk control always comes first.\\n3) As I said yesterday, patience and confidence are the keys to our success.\\n\\nOf course, we still have many ways to make money, and there are many tools that can be used. I will talk about this when I have time.\\nNext, I will share a few topics for today.\",), ('📍What impact will non-farm data, debt ceiling, Fed interest rate resolution expectations, etc. have on the stock market?❓\\n\\n🔔The Labor Department released non-farm data for May today, and the number of employed people once again exceeded consensus expectations, with an increase of 339,000, even much higher than expected. Combined with an upwardly revised 93,000 for the previous two months, the overall figure is undeniably strong.👍🏻👍🏻\\nThe unemployment rate rose to 3.7%, well above expectations of 3.5%. Meanwhile, monthly wage growth was in line with expectations, but slightly weaker than expected on an annualized basis as previous data was revised down slightly.❗❗',), ('Taken together, the data could lead to the Fed finally continuing to raise interest rates in June, but the rise in unemployment could be enough to keep rates on hold this month.\\nThe probability that the Fed will keep interest rates unchanged in June is about 70%, and the probability of raising interest rates by 25📈 basis points is about 30%.📊',), (\"Easing concerns about the debt ceiling also boosted market sentiment.\\nThe Senate passed a bill to raise the debt ceiling late Thursday and sent it to President Joe Biden's desk.\\nThe House of Representatives passed the Fiscal Responsibility Act on Wednesday.\\nEarlier, some investors feared that the U.S. could default if a deal was not reached.\\nThis uncertainty has now been largely eliminated. I have already told you not to worry about this issue, and history has already told us the answer.\",), (\"Tech giants are still driving much of the stock market's gains, with Bank of America saying tech stocks attracted record inflows last week.\\nIn addition to the AI-related obsession that drove large-cap stocks up 17 percent in May, tech stocks also got a boost from bets that the Fed will soon stop raising interest rates.\\nIf you are not clear about the relevant logic of the stock market, you can get my investment diary through my assistant, Ms. Mary.\",), ('Mary Garcia',), ('The stock index and BTC have begun to show an inverse relationship. Why is the stock index rising but BTC refuses to fall? What kind of opportunities are there?\\n\\nJudging from the 30-day pearson coefficient trend chart, since May, BTC and US stocks have begun to show a negative correlation.\\nThere are 2 important pieces of information here.\\n1.🔸 The stock index rose sharply, but BTC fell slightly, indicating that BTC refused to fall back.\\n2.🔹 If the stock index falls, will BTC usher in a big rise?\\nThis is very simple logic.',), ('As I said yesterday, the stock market’s earnings outlook in 2023 is not strong enough. With the AI concept stock investment machine bubble and the imminent issuance of new bonds, and when the bond yield rises to a certain level, will you still take risks in the stock market?\\nThe picture below is a 15-minute analysis chart of the Nasdaq 100 Index. \\nThe index and the price have deviated, indicating that buying is weakening and a decline may occur at any time.',), ('As shown in the 1-hour analysis chart above, the upward trend of BTC will not be so smooth, and it is still understood as a range shock.\\nBut we have to make full preparations for the outbreak of mid-term buying points.\\nAt present, I still continue to hold some medium-term bullish contract orders.',), (\"As long as we follow the trend under the protection of a complete trading system, wait patiently for market opportunities to appear, and work hard, the results will definitely not be bad.\\nI'm going to give up rest this weekend, I'm laying the groundwork for the final, and timing is important.\\nFriends who want to get real-time trading signals from my trading team can write to my assistant, Ms. Mary.\\nShare these today and see you tomorrow.\",), ('Hello Ladies and Gentlemen,\\nMy name is Mary Garcia and I am an assistant to Professor Jim. I would like to welcome our new friends to this investment discussion group.\\nProfessor Jim is currently in the contest and we would appreciate it if you could vote for him. He has achieved impressive results in many investment markets, and hopes to realize his new dream through this competition❤️\\nWe thank Professor Jim for sharing, and many of our friends have followed his advice today and made extraordinary short-term profits. 💰\\n\\nFriends who voted, please send me a screenshot of your vote as proof of eligibility for the reward.\\nThanks. 👏🏻',), (\"If you would like to receive the voting link, Jim Professor's gifts, real-time trading signals and strategies from Jim Professor's team, or if you need any assistance with your investments, please add my business card and send me a message.💌💌\",), ('Mary Garcia',), ('I should be in town late Sunday afternoon. I have a few things to collect during the first half of the day.',), (\"Hello, dear friends.\\nIt's the weekend, but my team and I are still fighting.\\nBecause we want to lay a good foundation for income in the opening stage of the finals.\\nBTC is currently in an important stage, and the big trend is about to emerge. Once the price breaks the deadlock, the expected benefits will be beyond imagination.\\nOpportunity awaits those who are prepared.\\nI created an order and I will share my strategy with you.\\nFriends who want to make money together on weekends are welcome to communicate together.\",), ('The following points can be drawn from the 1-hour analysis chart of BTC.\\n1.🔹 The upward trend of MA120 is good and provides good support for the price.\\n2.🔸 The Bollinger Bands present the following technical points.\\n1) The distance between the upper and lower rails becomes smaller, which is a precursor to the start of the trend.\\n2) The middle track changes from downward to horizontal movement, indicating that the buyer power of BTC is increasing.\\n3) The price is above the middle track, indicating that the trend is strengthening, which remains to be observed.',), ('3. MACD presents the following technical points.\\n1) The fast line shows signs of upward movement, indicating that the trend is strengthening, which remains to be observed.\\n2) The positive value of MACD stops and continues to shrink, indicating that the strength of sellers is weakening, which remains to be observed.',), (\"Although my order has realized a profit of nearly 20%, I have not increased my capital position.\\nI'm waiting for confirmation of the signal.\\nAs shown in the 1-hour analysis chart above.\\n1️⃣ The price starts to rise near the middle track of the Bollinger Band. At the same time, the value of MACD turns from negative to positive, and the fast and slow lines form a golden cross.\\nAt this time, buying point A is formed, and I use point A to submit a bullish contract order for BTC.\\n2️⃣ If the price breaks through the pressure line strongly to form a buying point B, I will increase the use of funds.\\n3️⃣ The third buying point is when the price breaks through and backtests the support line to form buying point C, which will be another opportunity.\",), (\"Although the current graphics present these signals, the trend is changing, and we must follow the trend instead of subjectively speculating on the trend.\\nIf the price fails to make a complete and strong breakthrough, the positive value of MACD in the 1-hour graph will not continue to increase effectively.\\nAt the same time, the trend chart of the 15-30 minute period will show the signal that the buyer's strength is weakening in advance.\\nThis is what I want to focus on observing.\",), ('If the price can successfully complete a strong breakout, it will show some clear bullish signals in the technical graphics.💡\\nFor example, the fast line of MACD in the 1-hour trend chart will accelerate upward and exceed the height of the fast line on the left.📊\\nOr, in the 1D trend chart, the MACD fast line continues to rise or even crosses the zero axis, and the price may break through the upper track of the Bollinger Band.📈\\n...\\n\\nI can find buy points from the sub-1 hour cycle level and increase the use of my capital position.',), ('In short, we must look at trends and changes in trends objectively and patiently.\\nWe have a sound trading system as a strong backing, and we have full confidence in maintaining long-term steady profits.\\nHere I would like to emphasize two points.\\n1️⃣ If you are conducting contract transactions such as BTC or ETH according to my strategy or signal, please inform my assistant, Ms. Mary, so that we can grasp market changes together.\\n2️⃣ If you want to know the follow-up selling points, buying points for increasing capital position, etc., please leave a message to my assistant, Ms. Mary immediately. She will share the real-time trading signals of my trading team with you for free.',), ('Ms. Mary is an IT and software engineer, and she is my teacher in many ways.\\nBelow is her business card, if you want her help in other matters, you can write to her.💌',), ('Mary Garcia',), (\"Let's meet and see where everything stands.\",), ('At the airport now',), ('Landed or waiting to leave?',), ('Waiting to leave.',), ('Board in an hour',), ('Sounds good. Should be there around the same time you are. Have a few things to take care of and then we can link up.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nThis Thursday, \"Btcoin-2023 New Bull Market Masters-Final\" opened voting rights to global investors. The number of votes for the 10 finalists has obviously increased, and the rankings have also begun to change.',), (\"Although the volatility of the cryptocurrency market is not large this week, players are actively seizing market opportunities. The income of Jim Anderson's combination strategy of short-term and medium-term contracts is in the lead.\\nI wish all players excellent results and wish all investors a happy investment.\\nIn addition, the trading center will soon launch a new ICO project that is popular among users, so stay tuned.\",), (\"Hello dear friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWelcome new friends to join this group. If you have any questions, you can write to my assistant, Ms. Mary.\\n\\nMy team and I kept fighting this weekend because we wanted to build a good base of earnings early in the finals.\\nBTC is currently in an important stage, and the big trend is about to emerge. Once the price breaks the deadlock, the expected benefits will be beyond imagination.\\nI believe that opportunities are always reserved for those who are prepared.\",), (\"This is the status of my current order.\\nMy strategy has not changed, I still follow yesterday's strategy. I am waiting for the formation of buying point B.\\nBecause I have the protection of the original profit, it will be easier for me to choose to increase the capital position.\\nAt the same time, I will continue to pay attention to changes in the intensity of buying. If the trend is not strong enough, I may choose the right time to take profit on yesterday's order.\",), (\"I personally think that there is still a lot to improve in this week's trading, and next week I will work harder to present a better level of competition for everyone.\\nIf you are investing in cryptocurrencies and agree with my investment philosophy, investment tools, strategies and signals, you can choose to follow my trading rhythm and tell my assistant, Ms. Mary, we will give some suggestions in real time.\",), ('ICOs are certainly one of the best investment projects, 70% of my income this year is related to it, I will spend time researching and following it, and I will share valuable information.❗\\n\\nWhy is it said that raising interest rates will make this round of cryptocurrency bull market more violent? This is the conclusion I reached after discussing with many industry elites over the weekend, and I will share this important content tomorrow.🔔\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nDear friends, if you have any questions, please leave a message or ask my assistant, Ms. Mary.🙎🏼\\u200d♀️💌\\nShare these today and see you tomorrow.🤝🏻',), ('Mary Garcia',), ('Landed',), (\"I'll be with Matt for a bit\",), ('Ok. In town. Taking care of some shit.',), ('Currently here.',), (\"Ruth's\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.💰💰\\n\\nThe price of Bitcoin rose as scheduled, and Professor Jim's income has further expanded. Congratulations to friends who have seized the opportunity with them and gained short-term excess income.\\U0001fa77\\n\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the contest and I hope you can vote for him.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, please add my business card and write to me.\",), ('Headed that way soon',), ('Headed over to the \"main site\" for food.',), (\"I'm at the other spot.\",), ('Things look clear on the water',), (\"I'll be over shortly. Wrapping up.\",), (\"Bringing a friend. He's cool.\",), ('Okay. Safe?',), ('Def. Can provide tech assistance if needed.',), ('What a nice sky',), ('Location?',), ('Rooftop bar.',), ('Okay',), (\"I'll head up in a few\",), ('Oops',), ('I actually feel sick. Meet in the am?',), ('No problem. Get better. We have a lot of planning to do.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors.\\nOur trading center has fully upgraded the application and opened voting rights to the world. Welcome everyone to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nGood luck to the finalists this week and happy investing.',), (\"Hello dear friends, I'm Jim Anderson.\\nA new week has started again, this week I will show a higher level of competition, this is my requirement for myself, that is to say, I want to obtain higher profits this week.\\n\\nI just created a BTC bullish contract order, and I will share my logic and strategy later.\\n\\nA friend asked about the topic of ICO, which is very important, because this is an excellent investment project, and it is also very important to my game. I will study every ICO project carefully, and I will take the time to share the secrets.\\nWhy is it said that raising interest rates will make this round of cryptocurrency bull market more violent? This is the conclusion I reached after discussing with many industry elites over the weekend, and today I will share this important topic.\",), (\"Welcome new friends.\\nThanks everyone for voting for me, my ranking is improving.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nOn the day when the voting window opened to the world, I said that my goal is to be the champion, and I want to lead the cryptocurrency enthusiasts who support me to surpass other finalists.\\nAt the weekend, my trading team summarized last week's trading, and this week's strategy will be adjusted, and we strive to achieve better profitability.\\nI will share some important strategies and signals in this group. On the one hand, I will show the logic, status, and skills of my trading, and on the other hand, I will give back to my supporters.\\nNext I will share today's strategy and other important investment themes.\",), ('Check your apps.',), (\"The following points can be drawn from the daily analysis chart.\\n1️⃣ After BTC started a rally in mid-March, the price recently fell back to around 0.618, which is an important psychological support level.\\nIf the price breaks below this level, 0.5 will be challenged.\\nSo today's closing line is extremely critical.\\n2️⃣ The current price has fallen back to around MA120, which is another important support level, which is also the focus of attention.\\nFrom a fundamental point of view, I am still optimistic that BTC is currently in the period of building a mid-term buying point.\",), ('Just now, the black swan incident happened, the SEC sued binance and its CEO for violating securities trading rules.\\nThe cryptocurrency market experienced violent shocks, and the price of BTC fell below the MA120.\\nThe change in market sentiment is an important reason for the sharp fluctuations in short-term prices.\\nTherefore, why have I repeatedly emphasized \"reducing earnings expectations\", \"strictly controlling capital positions\" and \"treating with caution\" recently.\\nIt is a good thing that the price breaks the deadlock, which will give birth to a new trend, and the difficulty of trading will decrease accordingly.\\nI will keep an eye on the market in real time, and if there is a better opportunity, I will issue a trading signal.',), (\"After the price of BTC plummeted today due to the black swan event, the price entered a narrow range.\\nBinance is currently issuing relevant clarifications, and market investors are waiting to see.\\nTherefore, the trend of BTC today is crucial, and whether its price can stand above MA120 has become an important technical concern.\\nFrom a rational point of view, it is a better strategy to choose to wait and see at the moment.\\nMoreover, in the process of looking for new opportunities, I found that in the process of BTC's decline, there is a target that is very strong.\\nIt is BUA/USDT, and there are signs of the operation of the main funds.\\nSo I create a bullish contract order of BUA with a smaller capital position.\\nNext I will share why I do this.\",), ('When BTC is falling, there is obviously a large number of buying orders entering other currencies, which is the internal rotation law of a typical cryptocurrency market.\\nIt can be seen from the 30-minute trend chart of BUA that BUA is the representative of the current market.\\nThis pattern is common in any investment market.',), ('The following points can be seen from the analysis diagram.\\n1. After the technical indicators deviated from the price, the buying increased sharply.\\n2. The MACD fast and slow line quickly forms a golden cross, and the positive value of MACD increases rapidly.\\n3. The middle track of the Bollinger Bands turns upwards, and the price breaks through the upper track, which is a very strong signal of a stronger trend.\\n\\nThis variety belongs to the ICO variety, because I participated in it and made a lot of profits during the period before and after its listing, and I will share the specific skills when I am not busy.',), (\"A few friends wrote to me just now and asked: Has the trend of BTC changed?\\nThat's a good question to ask.\\nMy answer is not to jump to conclusions.\\nBecause it is not difficult to judge the trend, but it is necessary to wait for the confirmation signal.\\nThe driving force behind the technical trend is capital, industry fundamentals and policy guidance, etc.\\nFor example, the trend of BUA/USDT just now is driven by funds.\\nFor example, the black swan event just now, although not common, is a policy event.\\nDon't be surprised that this kind of thing happens, it happens in any market.\\nProfessional traders are not worried about such events, because they all have the ability to prevent such risks in real time.\\nOrdinary investors can avoid this risk as long as they pay attention to the use of capital positions.\",), ('I share an important fundamental message.\\nInfluenced by Silicon Valley bank failures, debt ceilings, interest rate decisions and expectations, bank users will continue to deposit money in banks that are too big to fail.\\nThe big banks deposit any additional money they receive at the Fed, which increases the amount of money the Fed prints, and the new money is used to pay interest on the money held at those facilities.',), ('Therefore, the dollar liquidity injected into the financial system will continue to grow.\\nWhen wealthy asset holders have more money than they need, they invest it in more valuable risk assets, such as Bitcoin and AI technology stocks.\\nCombined with other fundamental views I have shared, in fact, the medium-term fundamentals of cryptocurrencies are strengthening.\\nHowever, from a trading point of view, we only follow the trend.',), (\"The BUA/USDT bullish contract order I just created is now profitable, and the price of BTC has a signal to stop falling, which is more conducive to the rise of BUA.\\nTherefore, this order can achieve short-term excess returns with a high probability.\\nI will release my latest trading signals in real time, please pay attention.\\n\\nBecause I am very busy recently, I only communicate with you by writing letters.\\nIn order to make our group generate greater value, in order to let more friends gain joy and success in this group.\\nI suggest that every friend regards himself as the master of this group.\\nNext, I'll turn on the group chat feature.\\nLet's have a group exchange, and if you have any questions, you can speak in the group, and then I will answer your questions.\",), ('Ok',), ('I have voted mr jim',), ('I already voted for you Mr. Jim and I will keep voting for you',), ('Wow, I made 20% of the profit, this is so exciting',), ('What is it and how is it done',), ('Earn about 40% in an hour, this is so much fun',), (\"Thanks, I've spoken to Ms. Mary Garcia. I believe you can be champion. I'll stick with my vote for you.\",), ('This is a contract transaction of cryptocurrency.',), ('I am a beginner. I need help, I would like to know how to start the first step.',), ('What is a contract transaction',), (\"According to Professor Jim's point of view, this transaction is expected to achieve good returns\",), ('It has been a pleasure to support you and I have learned a lot from the group that is useful to me. Thanks.',), ('Why are there no contract transactions in my application?',), ('I totally agree with your point of view',), (\"Drink later? I'm stressed\",), (\"Too bad I didn't keep up with the deal, I should have come sooner. Otherwise I can make money like you.\",), (\"Dear Mary, I have already voted for Professor Jim, today's market is too exciting\",), ('Important information.\\nThe price of BUA is already close to the price pressure zone on the left, and the current market sentiment in the cryptocurrency market is unstable, I will sell this order and keep the profit.\\nFriends who participated in this contract transaction, let me take a look at your income.\\n\\nImportant information.\\nThe price of BUA is already close to the price pressure zone on the left, and the current market sentiment in the cryptocurrency market is unstable, I will sell this order and keep the profit.\\nFriends who participated in this contract transaction, let me take a look at your income.',), ('How is this done, and what type of investment is this? Is it futures?',), ('Professor Jim, I have carefully read many of your views and strategies, and I think they are very reasonable, but it is difficult for me to learn.\\nWhat are cryptocurrencies? What is btc? What is a contract transaction? I want to make money, what should I do?',), ('Although I missed the big drop of BTC, the transaction of BUA is also wonderful',), ('I want to learn cryptocurrency as soon as possible, how should I start?',), ('Professor Jim, I am investing in stocks and foreign exchange. I have a deep understanding of the emergency you mentioned today. What I want to learn is how to control the risk of this emergency? I am learning cryptocurrency, this contract trading is similar to foreign exchange, right?',), ('Beautiful Ms. Mary, I seem to be lost, I need your help, I need to make a transaction ASAP.',), (\"I don't have the app, where can I get it\",), ('You can write to me and I will teach you.\\nFriends, if you are a beginner in the cryptocurrency market and have similar problems, you can write to me.\\nOr you can ask your friends in the group for advice.',), (\"Lugano's Plan Bitcoin names Swiss Cup football final jersey\",), ('Enjoy the good weather',), (\"No bua in my app, is btcoin's app easy to use, is it safe?\",), ('It amazes me to see you guys making 50% profit in two hours, I want to know how it is done? What should I do to be like you? Can anyone help me?',), ('Lovely!',), (\"I also have the same question, I don't know much about cryptocurrency and contract trading. Hope to get your help, Mr. Jim.\",), ('Enjoy the good weather',), (\"Mary, I hope you're taking care of yourself and finding some time to relax amidst all the busyness. Remember, it's always important to take breaks and prioritize your well-being, too\",), (\"Hello dear friends.\\nThank you very much for voting for me, my votes are increasing and my ranking is improving, and other players are working hard.\\nWith your support, I believe I will be able to win the championship.\\nBecause voting accounts for 40% of the results of this competition, I hope you can continue to support me, thank you.\\n\\nToday's cryptocurrency market fluctuates greatly due to the impact of unexpected events, but with our hard work, we still gained some short-term excess returns.\\nOpportunity awaits those who are prepared. Congratulations to some friends who took the opportunity with me and made a profit.\\nI am very happy to see friends asking questions. Next, I will spare a little time to answer your questions.\",), (\"The cryptocurrency market, like investment markets such as stocks, bonds, gold, foreign exchange, futures, and commodities, is an independent trading market in the global financial market.\\nThrough the questions from friends, I saw that some friends do not understand the basic knowledge of cryptocurrencies, contract transactions, etc., which belong to relatively basic investment knowledge.\\nWait a moment, everyone, I will look up some information I used to train junior traders and share them with you.\\nWhen you understand the basic information, let's summarize together.\",), ('Absolutely. I can meet somewhere after some of these meetings.',), ('This is the Bitcoin that we are all familiar with. I believe that all of us have heard of Bitcoin, but there may not be many friends who really understand Bitcoin.\\nAlthough Bitcoin is not a hard currency at present, as a representative of cryptocurrency, its prospects are beyond doubt.\\nThe cryptocurrency market will also become a hot spot in the investment market in the future, and may even surpass gold to become one of the largest investment products in the world.\\nIts current market cap surpasses that of Nivdia and approaches Amazon.',), (\"I believe that through the above sharing, many friends have at least understood a few points.\\n1. The concept and characteristics of cryptocurrency.\\n2. As the best representative of cryptocurrency - how Bitcoin was born.\\n3. The rules and characteristics of Bitcoin issuance.\\n4. The logic of Bitcoin's appreciation and the reasons why it is recognized by the market.\",), ('In fact, for us investors, the most important thing is to learn how to use cryptocurrency to make money.\\nFor the subject of investment, it is a very profound knowledge.\\nWhy do many people understand the logic of \"Bitcoin appreciation\", but they lose a lot of money on Bitcoin?\\nHow to make money with cryptocurrency? Is this the question that everyone is most concerned about?',), ('Spot trading, contract trading, ICO... What are these most basic investment functions, and how to use them reasonably?\\nWhy is it said that the fourth round of bull market will inevitably be born in 2023?\\nWhat is driving this bull market?\\nHow long can this bull market last?\\nHow should ordinary investors participate in this round of bull market?\\n...\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\nWelcome to discuss together.\\nShare these today and see you tomorrow.',), ('Dear users, nearly 500 media around the world are constantly promoting this competition, so more and more people are paying attention. Among them, the number of iOS system users has increased rapidly, resulting in a small number of iOS system users experiencing unsmooth use.\\nIn order to let users have a better experience, our system will be upgraded again, please pay attention to the time of system upgrade and maintenance.\\nSorry for any inconvenience caused.',), (\"Hello ladies and gentlemen.\\nThose who have added my business card believe that everyone already knows me. I am Mr. Jim's assistant Mary. Welcome new friends to join this investment discussion group.\\nMr. Jim is working hard to improve his ranking. I hope friends can vote for him. He has made extraordinary achievements in many investment markets. He wants to realize his new dream through this competition.❤️\\nRecently, many friends have started to follow Mr. Jim’s trading signals to earn good profits. These are one of the rewards you can get for supporting Mr. Jim, besides the 3k USD voting reward.👏🏻\",), ('Friends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\nBy voting for Mr. Jim, you can get more than just 3k dollars in rewards, and you can get more by staying in the discussion group,💰💰\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you also want to trade with Mr. Jim like the friend above, or if you need my help, please add my business card and write to me💌💌',), ('Mary Garcia',), ('Rooftop',), ('Embassy suites. I ordered some food',), ('I should be finished soon.',), ('Few more people to talk to.',), ('Ok',), ('Crazy people here',), (\"Man, make sure we aren't sitting next to them.\",), ('Ha',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n*\"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors.*\\nEveryone is welcome to vote for our contestants. You will receive many generous rewards for voting and supporting players.\\nPlease pay attention to the time period for system upgrade and maintenance today.',), (\"The group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or Professor Jim's assistant Miss Mary.\\nGood luck to the finalists this week and happy investing.\",), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThank you for voting for me, my number of votes is increasing, and my ranking is improving.\\n*Voting results account for 40% of the total score. With your support, I am more confident.*\\nAt the weekend, my trading team summarized last week's trading, and this week's strategy will be adjusted, and we strive to achieve better profitability.\",), ('I will share some important strategies and signals in this group. On the one hand, I will show the logic, status, and skills of my trading, and on the other hand, I will give back to my supporters.\\nSome short-term gains were realized yesterday, and today the market trend is relatively obvious, and the difficulty of trading will be much reduced.\\n*I will share strategies and signals later.*\\nFriends who are investing in cryptocurrencies, please pay attention.\\nAt the same time, *I will share more important information in the market.*',), ('First, I quickly share my goals and strategies with my friends.\\nMarket opportunities come at any time, and I may publish my trading signals at any time.\\nThere are two targets of contract trading that I am concerned about today.\\nJust now I created a BTC bullish contract order with very little capital.\\nBut I might focus on another target.\\nLet me first share the strategy of BTC.',), (\"The following points can be drawn from the 1-hour BTC analysis chart.\\n1. *After the price falls, the strength of the seller is exhausted, and the MACD indicator deviates from the price.*\\n2. *The price has entered a new range, and the current price is likely to fluctuate within this range.*\\n3. *However, the current price has entered a weak range, so it is mainly to sell at high levels and supplemented by buying at low levels.*\\n4. *Therefore, I will lower the profit expectation for this order, and will choose to take profit at any time.*\\nNext, I will share today's more important strategies.\",), ('From the 30-minute BUA analysis chart, the following points can be drawn.\\n1. *The price is breaking through the pressure line.*\\n2. *There are signs of turning upwards in the direction of the middle track of the Bollinger Bands.*\\n3. *The MACD fast and slow line forms a golden cross near the zero axis, and the positive value of MACD gradually increases.*\\nThis is a very strong upward signal, and this kind of technical graphics can often be concluded: the probability of a real breakthrough in the price is relatively high.',), ('In comparison, BTC has a larger strategic cycle and a weaker trend.\\nThe BUA strategy has a shorter period and a stronger trend.\\nTherefore, BUA has the expectation of greater short-term profits.\\n*So I used more funds than BTC and created a BUA bullish contract order.*',), ('Important information.\\nBecause the current trend of BTC is still not strong enough, I sold the BTC contract to keep the profit.\\nWaiting for the next opportunity.\\nToday I focus on BUA, and I continue to hold BUA orders.\\n\\nImportant information.\\nBecause the current trend of BTC is still not strong enough, I sold the BTC contract to keep the profit.\\nWaiting for the next opportunity.\\nToday I focus on BUA, and I continue to hold BUA orders.',), ('*I analyze two important messages.*\\n1. Coinbase opened nearly 20% lower, driving cryptocurrency concept stocks lower, MicroStrategy fell more than 2%, and Riot Blockchain fell about 5%.\\nFollowing Binance, the SEC sued Coinbase for violations.\\n2.With Biden signing the debt ceiling bill, the crisis has just subsided, but another wave of crises may be quietly brewing.',), (\"Regarding the first news, I think it is a good thing, which is bad for the entire cryptocurrency market in the short term, but good for the medium and long term.\\nThis is clearly paving the way for a bull market. Because after the rectification, the whole market will have a new look.\\nThe cryptocurrency market is currently in the early stage of vigorous development, and the regulatory department has made adjustments to allow the entire industry to develop healthily.\\n\\n*Kind tips.*\\n1.🔹 Here, I would like to remind all investors and friends that when you choose an exchange, you must look for its formality.\\n2.🔸 In order to protect the safety of your own assets, don't trust any trading center without filing.\",), ('Similar problems have already been reported by friends and my assistants. Don’t trust the news not shared by this group. We will not be responsible for any accidental losses.\\nIf you have any questions, you can ask my assistant, Ms. Mary, who is an IT and software enginee',), ('Mary Garcia',), ('*Issuing new debt is imminent, which means for the US banking industry that bank deposits will continue to flow.*\\n*As of the beginning of this month, the Treasury\\'s cash balance was at levels last seen in October 2015.*\\n*By the end of the third quarter of this year, the Ministry of Finance\\'s new bond issuance may exceed US$1 trillion, and a large amount of market liquidity will be \"sucked back\" to the Ministry of Finance.*\\n*The impact on the U.S. economy of the bond issuance wave is equivalent to a 25 basis point rate hike by the Fed.*',), ('*For the banking industry, it is more difficult to retain the deposits of depositors, and the situation of deposit migration will continue.*\\n*U.S. deposits have been pouring into money market funds since the collapse of Silicon Valley Bank triggered a market panic.*\\n*And as the U.S.* *Treasury issues massive amounts of debt, more deposits will be lost.*',), ('Money market funds invest primarily in risk-free assets such as short-term government bonds.\\nMonetary Funds continued to see net capital inflows, partly because the Fed continued to raise interest rates, making market interest rates continue to rise.\\nWhen a large number of bonds are issued, the yield rate that money funds can provide will be more attractive.\\nWhichever institution decides to buy Treasuries is expected to free up funds by liquidating bank deposits. This will damage bank reserves, exacerbate capital flight, and affect the stability of the financial system.\\nWhen financial stability is at stake, it tends to be good for the cryptocurrency market.\\nThis is good news for the cryptocurrency market in the short and medium term.',), ('*Warning: The impact of a large number of U.S. debt issuance on liquidity, stocks and bonds.*\\n*We have poor market internals, negative leading indicators and declining liquidity, which is not good for the stock market.*\\n*Major investment banks have expressed similar views that bond issuance will exacerbate monetary tightening, and U.S. stocks will fall by more than 5%.*\\n*The US stock index is currently showing a negative correlation with BTC.*\\n*The expectation of the stock index falling increases, and the expectation of BTC\\'s rise increases.*\\n\\n*On May 24, I shared \"The Debt Ceiling Negotiations Bring Risks to U.S. Stocks Soon\", which analyzed the relevant logic in detail.*\\n*You can get the investment notes of the day through my assistant.*',), ('*Important information.*\\nThe bullish contract order of BUA that I just created has also achieved a return of more than 40%.\\nThe price of BTC is close to the target level, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.\\n\\n*Important information.*\\nThe bullish contract order of BUA that I just created has also achieved a return of more than 40%.\\nThe price of BTC is close to the target level, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.',), (\"I once told everyone that the reason why I was able to enter the finals as the first place is that 70% of the proceeds are related to ICO.\\nI am following this new opportunity. Friends who are interested in this project, we can discuss together.\\n\\nToday's short-term contract transactions are relatively smooth, and the two transactions just shared have achieved good returns.\\nThere are many cryptocurrency enthusiasts in this group, and some friends like the method of combination investment.\",), (\"In response to friends' questions, the basic knowledge shared yesterday has been well received by everyone. It is my honor that my sharing is valuable to you.\\nNext, in the process of waiting for the opportunity, I suggest that friends communicate with each other. If you have any questions, you can speak in the group, and then I will answer your questions.\",), (\"Good afternoon everyone, Professor Jim's content is very exciting, which piqued my interest, I will vote for you and I will ask Mary to help me finish later.\",), ('What kind of investments are you making? How did you manage to make so much profit in such a short period of time?',), (\"Wow, 50% off the two times, it's unbelievable I bought it late.\",), ('Nice to meet you all, I think this group is very valuable, with correct views, clear logic, and precise strategies.',), ('This is the cryptocurrency contract trading tool',), ('Thanks mr jim i have voted for you',), ('Today I saw your double profits in BTC and BUA, which made me very excited. I will prepare for work as soon as possible, and Mary will help me. Already voted for you today',), (\"I've voted you up, Prof. Jim.\\nNice to be in this group and I appreciate the point you just shared.\\nI used to work in a bank and am now retired.\\nNow the plight of many banks has not been resolved. You have shared a lot about the impact of new bond issuance. I have been paying close attention to it, which is very helpful for my investment.\",), ('What is a contract transaction?',), (\"I've voted you up, Prof. Jim.\\nNice to be in this group and I appreciate the point you just shared.\\nI used to work in a bank and am now retired.\\nNow the plight of many banks has not been resolved. You have shared a lot about the impact of new bond issuance. I have been paying close attention to it, which is very helpful for my investment.\",), (\"I have a similar problem, Mr. Jim, I want to understand it, but I don't know where to start, can I get your help?\",), ('What kind of investments are you currently involved in, sir?\"',), ('What is an ICO',), ('Bitcoin and the stock index began to show a negative correlation, which is too intuitive.\\nIf Bitcoin starts to rise, it means that the signal of the top of the stock market is confirmed. Thanks to Mr. Jim for sharing.',), (\"I'm investing in gold, stocks and cryptocurrencies at the same time.\",), ('I am very interested in cryptocurrency. It is said that many of my friends are investing in cryptocurrency. I also want to learn about this investment. What should I do?',), ('Seeing ICOs excites me, I own some Dogecoins in 2020 and earn 300x+ in 2021.\\nWhat is the potential of this project, Mr. Jim? What information did you get? Can you share with me?',), (\"Then you can pay more attention to Mr. Jim's point of view.\",), ('I have heard of contract trading but have never participated in it. Is it risky?',), ('Mr. Jim, I have carefully summarized your views. I think AI concept stocks and bank stocks still have certain value at present. But AI stocks are currently overvalued and could pull back at any time. From the perspective of value investing, some bank stocks are still good. This made my choice a little difficult.',), (\"Yes, while I invest in these for fun, I read and research a lot.\\nI have followed this group and Prof.Jim's views for a long time, and his views are of great value.\",), ('How about the btcoin app?',), ('Mr. Jim, I want to learn contract trading, can you talk about it?',), ('Thanks.\\nThank you friends for your approval.',), (\"That's great. We can write letters to communicate.\",), ('You summed it up very well.\\nIt depends on your investment cycle and future expectations.',), ('OK. I am very happy to see the summaries and questions from my friends.\\nGlad to make my sharing valuable to you guys.\\nThank you very much for voting for me, my votes are increasing and my ranking is improving, and other players are working hard.\\nWith your support, I believe I will be able to win the championship.\\nBecause voting accounts for 40% of the results of this competition, I hope you can continue to support me, thank you.\\n\\nBecause of the competition, sometimes I am busy, so please understand that I did not reply to the letters from my friends in time.\\nNext, I will spare a little time to answer your questions.\\nI see that some friends do not know what contract trading is, so I will answer this question today.',), ('There are two basic types of transactions in the cryptocurrency market, spot transactions and contract transactions.\\n\\n1. Spot trading.\\nDirectly realize the exchange between cryptocurrencies, which is called spot transaction.\\n\\nSpot trading is also known as currency-to-currency trading. Matching transactions are completed in the order of price priority and time priority, directly realizing the exchange between cryptocurrencies.\\nSpot trading is the same as buying what we usually do, with one-hand payment and one-hand delivery.\\nSay you bought a BTC token for $27,000, then you really own that BTC token. You can trade it on any exchange, you can transfer it to your own private wallet, or give it generously to others as a gift.',), ('2. Contract transactions.\\nCompared with spot trading, contract trading is a separate derivatives trading market. It uses a \"margin trading mechanism\".\\n\\nIn other words, you don\\'t need to spend $27,000 to buy Bitcoin, you only need to use a little margin to trade.\\nContract trading provides the possibility of obtaining higher returns with less capital, and at the same time significantly reduces the trading time of traders, avoiding the impact of unexpected events, unexpected events and black swan events.\\nFor example, yesterday the US Securities and Exchange Commission issued charges against binance and its CEO, which triggered a plunge in the cryptocurrency market.\\nIf you are using contract trading at this time, even if there is a loss, it will only lose part of the margin.',), ('3. Compare the advantages and disadvantages of the two.\\n3.1 Advantages and disadvantages of spot trading.\\n3.1.1 Advantages.\\nThe operation of spot trading is simple and convenient, and the cryptocurrency you buy is yours.\\nThe number of tokens held by an investor does not change whether the token price rises or falls.\\nProfits are made when the market is doing well and prices are rising.\\n3.1.2 Disadvantages.\\nOnly when the tokens you own go up, you can make money, and you can get room for token appreciation.\\nIf the token price falls, you can only choose to sell with a stop loss or continue to hold the token until the token price rises again.',), (\"Ps.\\nThis is equivalent to buying 1g of gold. No matter the price of gold rises or falls, you own 1g of gold, but you can only sell gold for a profit when the price of gold rises higher than your buying price.\\nThis is why most people hold Bitcoin and take losses from the bear market.\\nSpot trading is not technically demanding and mostly depends on the price you buy and the future appreciation potential of the cryptocurrency you buy.\\nThe spot trading cycle is usually 1-4 years, which is in line with the bull-bear market cycle generated by Bitcoin's halving mechanism.\\nTherefore, we also refer to spot trading as long-term value investment.\",), ('3.2 Advantages and disadvantages of contract transactions.\\n3.2.1 Advantages.\\n1) Low loss and high return.\\nIt supports margin trading, so you only need a small amount of principal to buy the corresponding number of tokens, which greatly increases the efficiency of capital utilization, and can achieve the effect of \"Limited Losses, Unlimited Profits\".\\n\\n2) Low cost.\\nThere is no interest on borrowed currency. Contract transactions have no expiration or settlement date.\\nIn all investment markets around the world, the cost of contract transactions is much lower than that of spot transactions because there is no stamp duty.',), ('*3) Two-way transaction mechanism.*\\n*By judging the rise and fall, you can choose to create a bullish order or a bearish order, and realize two-way profit from the rise and fall of the price.*\\n*Hedging can be done using two-way trading, which is how hedge funds profit.*',), ('4) Instant transactions.\\nSpot transactions in many markets are based on a matching system. When the quantity and price of buyers and sellers do not reach an agreement, the transaction cannot be completed.\\nThere is no such problem in contract transactions, and instant transactions can be completed.\\n\\nBecause of the above advantages, contract transactions can greatly improve transaction efficiency and capital utilization, and save transaction time.',), ('*3.2.2 Disadvantages.*\\n*Although contract transactions increase the flexibility of transactions, they also require higher technical requirements for investment.*\\n*In addition, margin ratio management, price position selection, target profit price, target stop loss price and mentality control are all important aspects of contract trading.*',), ('*For example.*\\nToday I used a margin ratio of 50X and bought 5,000 BTC contracts with an input cost of $100,000. A gain of 43,229.3 was earned for a yield of 43.2293%.\\n1. If I want to earn these profits with spot trading, I need to invest $5 million.\\n2. The whole transaction process takes nearly 2 hours, which is very efficient.',), ('A lot of people have created a lot of myths in the cryptocurrency market using futures trading tools because they are used to analyzing trends and seizing opportunities.\\nAnd what I pursue from beginning to end is long-term stable profit.\\nCryptocurrency is a thriving market with many opportunities.\\nThe most effective way to learn is by doing.\\n\\nI use many applications, and the contract trading mechanism of each trading center is similar.\\nIf you want to know about the use of the contract trading function of the Btcoin exchange application, then I asked their representatives to share.\\n\\nBecause of the competition and time, I will share these today. Friends who want to get trading signals can consult my assistant, Ms. Mary. See you tomorrow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and I hope friends can vote for him. He has made extraordinary achievements in many investment markets, and he wants to realize his new dream through this competition.\\nThanks to Professor Jim for sharing, many friends have followed him today to earn excess short-term profits.💰\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.🎁\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, *please add my business card and write to me.*💌💌\",), ('Mary Garcia',), ('You feel okay today?',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThank you for voting for me, my number of votes is increasing, and my ranking is improving.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nThe rectification measures in the cryptocurrency industry are continuing, which paves the way for the healthy development of the industry. But the short-term is not good for market sentiment.\\nTherefore, the difficulty of trading has increased relatively. In order to realize the expected return more safely this week, I will adopt a contract combination strategy.\\n*I will share the latest strategies and signals later.*\\n*Friends please pay attention.*\",), (\"I'm okay\",), ('Just tired.',), ('From the BTC one-hour trend chart, we can see its operating range.\\nAt present, the price pressure is high, so the short-term strategy of BTC will be mainly to create bearish contracts.\\nThe current price is close to the pressure level, so I use very little capital position testing.\\n*In the combination strategy, BTC is not my focus.*\\n*I am watching the market, and I will send out another more important strategy and signal at any time.*',), ('It is precisely because the current market sentiment is unstable and the difficulty of trading has increased, so I am more cautious.\\nThe combination strategy will greatly reduce the difficulty of my transaction and increase the success rate.\\nJust like when we invest in stocks, we can choose different investment varieties such as cryptocurrencies, gold, futures, and U.S. dollars.\\nThrough the way of combination, the risk is controlled at the best level, so as to achieve stable returns.\\nSimilarly, in contract trading, I often choose a dual-currency strategy, which is more beneficial.',), ('*BUA/USDT is the variety I focus on.*\\nIt can be seen from the 15-minute analysis chart that the price has shown a step-wise decline, and this trend is very smooth.\\nMoreover, the fast and slow lines of MACD continued to hit new lows, and the price and indicators did not diverge.\\nI am waiting for an opportunity for the price to rebound to the resistance line.\\nFriends who are following my trading signals, please note that I will use more capital positions than BTC for this transaction, and you can prepare for it.',), ('*Important information.*\\n1. I created an order for the BUA bearish contract.\\n2. My investment position in BUA is twice that of BTC.\\n3. Today I adopted a combination strategy. If you missed the BTC order just now, I suggest you focus on BUA.\\n\\n*Important information.*\\n1. I created an order for the BUA bearish contract.\\n2. My investment position in BUA is twice that of BTC.\\n3. Today I adopted a combination strategy. If you missed the BTC order just now, I suggest you focus on BUA.',), (\"As I wait for earnings and market changes, I share two important themes.\\nFirst let's look at the economic and stock market news.\\n1. The U.S. trade deficit expanded significantly in April, indicating that the economy is under enormous pressure.\\n2. The stock prices of AAPL, GOOGL, and MSFT fluctuate, indicating that the gains in technology stocks are fading.\\n\\nEveryone has noticed that the economic outlook for the second half of the year is not optimistic. I often express this point.\\nCentral banks are likely to keep interest rates higher for longer, dashing hopes of a shift to rate cuts later this year and weighing on technology stocks.\",), ('Since the value of these types of companies is derived from future cash flows, higher interest rates will limit the upward trend of large-cap stocks.\\nCombined with some previous important points, stock market investors should pay attention to this risk approaching.',), (\"A friend wrote to ask about the impact of the SEC's supervision, and asked whether it would affect this round of bull market.\\nMy point of view is that the strengthening of the SEC's supervision has created a short-term negative for the cryptocurrency market, but this is clearing obstacles for a new round of bull market and protecting the rights and interests of investors.\\n\\nWhy is my expectation of this round of bull market so firm?\\nWhat kind of opportunity to change the destiny of investment lies behind it?\\n*Next, I will simply make a share.*\\n1. The reason why the halving mechanism gave rise to the bull market.\\n2. What price will Bitcoin rise to in this round of bull market?\",), ('This round of bull market is determined by the Bitcoin generation mechanism, and it will not be changed by any factors unless the cryptocurrency disappears.\\nThe halving of Bitcoin mining rewards has been the biggest catalyst for any previous bull market.\\nIt reduces the supply of new bitcoins on the market.\\nAccording to the law of supply and demand in the market, if the circulation quantity of a certain commodity is not restricted, hyperinflation will easily occur, and the price of the commodity will be greatly reduced.',), ('Likewise, if bitcoins are widely available, their value may decrease.\\nSetting the Bitcoin reward to be halved every 210,000 blocks can effectively reduce the inflation rate of Bitcoin gradually, thereby preventing the occurrence of hyperinflation.\\nSimply put, Bitcoin is not infinitely produced, its quantity is limited and fixed. \\nTherefore it is scarce.',), ('I first sold my BTC bearish contract, because the current BTC trend momentum is insufficient, I first kept the profit.\\n*I will focus mainly on BUA.*',), (\"I first sold my BTC bearish contract, because the current BTC trend momentum is insufficient, I first kept the profit.\\n*I will focus mainly on BUA.**The halving has become a definite bullish catalyst and even created a hype cycle.*\\nHalving events help determine the scarcity or availability of Bitcoin by reducing the rate of production of new coins, similar to precious metals like gold and silver.\\nThe concept of scarcity or limited availability is based on supply and demand economics, which means that when the supply of an entity or item is scarce but the demand increases, the price of that entity or item will increase.\\nA similar phenomenon occurs in the Bitcoin network, where the halving event significantly reduces its inflation rate.\\nHalving events typically catalyze an uptrend in Bitcoin, as reduced supply and increased demand lead to a surge in Bitcoin prices in the cryptocurrency market.\\n\\n*What price will BTC rise to in this round of bull market?*\\n*Let's do a simple calculation.*\",), (\"When I sold after I sent the message, the profit retraced a bit, and there was a profit of about 40%, but this is not a pity.\\nBecause today I adopt a combination strategy, I mainly trade BUA, and I invest in more capital positions. The current income is 20%, and the income is still expanding.\\n\\nNext, let's calculate the expected price of BTC in this round of bull market.\",), ('This is the relationship between the three historical halving cycles and the bull market.\\n*The following data can be seen from the monthly chart of BTC.*\\nThe bull market of the first halving cycle was from 2011 to 2014, when the price of BTC rose from $7.50 to $1200, an increase of 15,900%.\\nThe bull market of the second halving cycle was from 2015 to 2018, when the price of BTC rose from $222 to $20,000, an increase of 8,900%.\\nThe bull market of the third halving cycle is from 2019 to 2022, when the price of BTC rose from $3,300 to $70,000, an increase of 2,021%.\\n\\nThat is to say, in the first three rounds of bull markets, the minimum increase of BTC was 2,021%. According to this increase, the price of BTC will reach above $320,000 in this round of bull market.',), ('*Important information.*\\nThe bearish contract order of BUA that I just created has also achieved a return of about 40%.\\nThe trend of BTC is not strong enough, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.\\n\\n*Important information.*\\nThe bearish contract order of BUA that I just created has also achieved a return of about 40%.\\nThe trend of BTC is not strong enough, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.',), (\"Isn't the expectation of this round of bull market very exciting?\\nAlthough this is a simple calculation method, its logic is so simple and visible.\\nThe logic of the bull market cannot be changed. Are you ready for this?\\nWe have reasons to fully believe that the SEC's supervision is an important opportunity to start a bull market.\\n\\nWhat is the driving force behind this bull market?\\nWhat are the main opportunities in this bull market?\\nHow can ordinary investors get involved?\\nDo you care about these?\\nI will share these themes when I find time.\",), (\"At the same time, please note that the online purchase of the original share of the latest ICO project NEN has started. Friends who are interested in this suggest that you focus on it.\\nNext, I will open the group chat function. Regarding today's transaction and the content I shared above, if you have any unclear points, you can ask questions.\\nThen, I will take time to answer questions from my friends.\",), (\"I already voted for you Mr. Jim, today's deal is very timely and very beautiful.👍🏻\",), ('Why does the SEC regulate Coinbase, and will it have any impact?',), (\"Will BTC rise to $320,000? It's incredible.\",), (\"Yesterday's transaction was too beautiful, but it's a pity that it was sold a little early.\\nHow do I create a mid-term contract, Professor Jim?\",), ('I have voted for you today.',), ('Not only coinbase, but also binance are regulated.',), (\"I already voted for you Mr. Jim, today's deal is very timely and very beautiful.\",), ('Yesterday, I learned the knowledge about contract trading shared by Professor Jim, which made me very happy.\\nI want to learn contract trading quickly, where should I start?',), (\"Although I haven't participated in the plan yet, I will do everything I can to get involved in your plan.\",), ('The message from our trading room is that the BTC turmoil caused by the SEC lawsuits against major cryptocurrency exchanges may be a harbinger of short-term gains for BTC.\\nBTC fell more than 5% on Sunday before recovering more than 5% on Tuesday.\\nSimilar consecutive see-saw moves of at least 5% have occurred five times over the past two years and have portended an average gain of nearly 11% over the ensuing 30-day period.\\nAccording to historical data, as long as the SEC sues and causes BTC to fluctuate by 5% or more in a row, the price of BTC will often rebound by 11% in the next 30 days.\\nAccording to the current price, the price of BTC can touch 30,000 US dollars before the beginning of July.',), ('Beginners often only say right or wrong afterwards, worrying about gains and losses. Sophisticated traders tend to follow trends and weigh pros and cons.',), ('The main reason is because some of their businesses are not compliant. These are to protect investors, because there is too much chaos in the cryptocurrency industry.',), ('You need a secure cryptocurrency applicationwith contract trading functionality.',), (\"lt seems to be getting worse. The court granted the SEC'srequest to freeze the assets ofthe Binance.US company.\\n80% of Coinbase's business comes from the United States,which isvery dangerous this time\",), (\"Historically, every production halving event will bring a production reduction shock. The impact of production cuts will directly reduce the number of bitcoins released to the market, resulting in a supply shortage and triggering price hikes.\\nI very much agree with Professor Jim's sharing of this logic. I think this calculation method is very valuable.\",), ('Are there any good apps you can share with me?Whatabout Btcoinapp?',), (\"I've voted for you, Mr. Jim.\\nI study your point of view carefully every day, is the bitcoin bull market coming?\\nI am not ready yet, what should I do to catch this round of bull market? Can you tell us about it?\",), ('Already voted, how about the Btcoin app?',), ('You can consult Mary. she is a software engineer.',), ('Whether it is intentional by the federal government or for other reasons, as Professor Jim said, SEC regulation is good for the entire industry. We all need a safe and quiet investment environment.\\nThere is such a point of view in our trading room that the icons feed back all the fundamental information.\\nIn this round of bull market, this matter is not worth mentioning.\\nProfessor Jim, what do you think of this latest ICO project - NEN?',), ('Hello everyone, I have seen your questions.\\nRight now, I am in a meeting regarding an important trading plan for my team. \\nI will share the details with you later.',), (\"Hello everyone, thank you for your support and welcome to our new friends. \\nToday is quite busy as the SEC's regulatory oversight presents a significant opportunity for the industry. My trading team and some institutional friends are currently holding a web conference. \\nAs this meeting is crucial and will take some time, I won't be able to share more with you today. \\nI have received many messages from friends asking about topics such as 'how to seize the current cryptocurrency bull market.' \\nI will continue to share with you tomorrow.\",), ('Good seeing you. Fingers crossed',), (\"it was good meeting up with you as well. I talked with Abe last night after you left and we're all set to go.\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThank you for voting for me, my number of votes is increasing, and my ranking is improving.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nThe rectification measures in the cryptocurrency industry are continuing, which paves the way for the healthy development of the industry. But the short-term is not good for market sentiment.\\nTherefore, the difficulty of trading has increased relatively. In order to realize the expected return more safely this week, I will adopt a contract combination strategy.\\nI will share the latest strategies and signals later.\\nFriends please pay attention.\",), ('Because many friends are worried about the impact of SEC supervision, yesterday I shared the views of \"the relationship between the halving event and the cryptocurrency bull market\" and \"this round of bull market BTC is expected to exceed 320,000 US dollars\".\\nAfter the point of view was shared, it aroused heated discussions, and I received messages from many friends.\\nFriends who are unclear about these two points can ask my assistant, Ms. Mary, to get my investment diary yesterday.\\n\\nWhat is driving the current cryptocurrency bull market?\\nWhat are the main opportunities?\\nHow can ordinary investors get involved?\\nI will find time today to share these topics.\\nFirst, let us quickly enter today\\'s technology sharing.',), ('The views of my friends on Wall Street, I think are very valuable.\\nWith his point of view, let\\'s analyze the trend of BTC together.\\nOn Monday, I expressed the view that \"if the price falls below the 0.618 price of this increase, the price will challenge the 0.5 position\".\\nIn the upward range of BTC 19,610-31,000, the price of 0.618 is around 26,650, and the price of 0.5 is around 25,300.\\nThe technical graph shows that point C is just close to the price level of the technical analysis.\\nThis is similar to point A/B, and point D is relatively weak, but after the formation of point D, the price of BTC has also formed a certain increase.\\nSo, I agree with this point of view.',), ('However, the environment is different now than it was in March.\\nThe upward trend was catalyzed by the Silicon Valley bank failure in March.\\nAt present, the rectification of the cryptocurrency industry is actually detrimental to the price in the short term, so we should be more cautious.\\nHowever, judging from the shape of the candle chart combination in this trend chart, the market sentiment has not been slack.\\nThis shows that funds have re-entered the market, price declines are relatively limited, market sentiment has been restored, and buying power is accumulating.\\nTherefore, I think the relationship between price and MA120 is the focus of observation.\\nObserve whether market investors can re-reach a high degree of consensus at this price in the short term. And watch the progress of regulatory events.',), (\"*The following technical points can be obtained from the 1-hour trend chart.*\\n1. The operating range and direction of high probability of short-term price.\\n2. Judging by the current MACD indicator, the buyer's strength is increasing.\\n3. The market outlook pays attention to the status of MACD.\\n1) Whether the fast and slow lines can cross the zero axis and continue upward.\\n2) Whether the positive value of MACD can increase.\\nA bullish P/L ratio is a bargain. Time for space.\",), ('From the 15-minute trend chart, it can be seen that the current price has just risen above the triangle range.\\nThe take profit and stop loss of creating a bullish contract order is shown in the figure.\\nBut in the current environment, please remember that the use of capital positions must be reasonable.\\nThe fund position I use is the one commonly used in testing.',), (\"In contrast, the trend of BUA is smoother than that of BTC.\\nUsing the trend of BTC to guide BUA's transaction success rate is much higher.\\nSo in the current environment, I use this combined strategy and focus on BUA.\\nSo I create BUA orders using more funds.\",), ('In terms of the stock market, many friends are more concerned.\\nIn the first 5 months of this year, a total of 8 stocks from 7 companies contributed all or even more than the return rate of 9.65% of the S & P 500 index.\\nHowever, if these seven companies are excluded, the S & P 500 index will decline slightly in the first five months of this year.',), (\"As of the end of May, Nvidia's weight in the FT Wilshire 5000 index was only 2.19%, but the return it contributed was higher than the index's return for the month, reaching 36%.\\nFor such a seriously overrated situation, I panic in my heart.\\nTherefore, this year I mainly invest in the cryptocurrency market.\\n\\nThe question I keep thinking about is, how am I going to prepare for this cryptocurrency bull market? Is what I'm doing right now deviating from my plan?\\nNext, I share a few important points.\",), ('1. The driving force of this round of bull market is different from previous ones.\\nIn the past, the main driving logic of the bull market was the shortage of supply in the market caused by the halving of mining capacity. The bull market generally occurred before and after the halving cycle of mining.\\nThe great bull market in 2017 is a typical example. Although its madness relies on ICO, it is essentially affected by mining supply and demand.\\nIn 2022-2023, there will be nearly 20 million bitcoins in the market.\\nSupply and demand may not be the main factor affecting Bitcoin.',), ('Bitcoin has become a strategic asset that Wall Street institutions and technology giants such as Grayscale Fund, MicroStrategy, and Tesla are vying to deploy.\\nObviously, the investment logic and purchasing power of institutional funds are not comparable to retail investors, which provides strong support for the growth of the bull market.',), ('2. *The market fundamentals that catalyzed the bull market to go crazy have changed.*\\nThe peak period of the bull market in 2017 was brought about by the ICO model, which is an eternal theme in the cryptocurrency industry.\\nIn this current round of bull market, ICO will inevitably become a hot spot, but the technical threshold for project development and the threshold for user participation are relatively high.\\nAnd the ICO issuer will make more considerations about the level and advantages of the trading center.',), (\"Ps.\\n*What are ICO?*\\nICO is the abbreviation of Initial Coin Offering.\\nIt is a behavior similar to IPO (Initial Public Offering), except that ICO issues cryptocurrencies and IPO issues stocks.\\nICO means that the issuer issues a new cryptocurrency to raise funds, and the funds raised are used to pay for the company's operations.\\nThe reward for investors is to obtain this new cryptocurrency and the premium expectation of future listing.\",), ('For example, NEN is a very good ICO project.\\nIt is understood that this is a new energy future market application solution project.\\nAs a combination of alternative energy and blockchain, its concept is meaningful to the market.\\nThis concept must have attracted the attention of the market.\\n\\nThis logic is the same as that of the stock market.\\nFor example, Nvidia recently drove the skyrocketing of AI concept stocks.\\nIt is because the concept of AI is very good.',), (\"The online purchase progress bar data of NEN's original share shows that its listing price cannot be lower than 2.5 US dollars, which allows us to see the opportunity to obtain the price difference.\\nAccording to the current data and progress, it is not difficult to obtain several times the income when it goes public.\\nAccording to past case experience, it is expected to be listed next week.\\nFriends who are interested in this can pay attention to it, and I have already participated in it.\",), (\"3. The main theme of the story supporting the existence of the bull market is changing.\\nA good topic is the core of hot money speculation in the investment market since ancient times.\\nTo put it simply, in the past bull markets, everyone mainly talked about the disruptive value of blockchain technology. Now, more attention is paid to practical value.\\nFor example, DeFi, now doing loans, derivatives, stable coins, aggregators, etc. are all applications of the traditional financial system in the blockchain industry.\\nFor example, ICO is now more focused on serving certain industries, especially the new technology industry and industries that change people's lifestyles.\",), ('For example, NEN.\\nAs an alternative energy source, the value of new energy is beyond doubt.\\nUsing blockchain technology to combine new energy with applications, there is a story to tell, which will attract the pursuit of funds, thereby shaping market expectations and profit opportunities.',), ('Important information.\\n1. The short-term income of BUA is around 45%.\\nBut the current trend of BTC is unstable, and I am worried that it will affect the profit of BUA, so I choose to sell to keep the profit.\\n2. BTC maintains the internal operation of the channel in the short term, and the trend is weak.\\nShort-term trading strictly implements the strategy, reaches the stop profit near the target position, and stops the loss when it falls below the trend line. The lower support level is around 25,500.',), (\"I made a very good profit in the BTC contract today, but why didn't I sell it?\\nBecause I am testing the current market's recognition of this price range, which belongs to the fund position of the medium-term strategy, I have expressed my views on the daily analysis chart.\\n\\nGood short-term gains have been achieved through the combined strategy in the past few days, which shows the correctness of the strategy.\\nDon't pursue too much in trading to buy at the lowest point and sell at the highest point.\",), (\"As a friend said yesterday, weigh the pros and cons.\\nThe reason why many traders have not made great achievements throughout their lives is that they are always pursuing the ultimate point of buying and selling.\\nAnd most of the more successful traders follow the trend forever.\\nNext, I will open the group chat function. Regarding today's transaction and the content I shared above, if you have any unclear points, you can ask questions.\\nThen, I will take time to answer questions from my friends.\",), ('A good day has begun, everyone, support Professor Jim and vote for him to win the championship.👌🏻',), ('Thank you Mr. Jim, you are my God, I earned 59%, a total of $35',), ('I will vote for you every day, and I will trade with you when I am ready.',), ('This feeling is wonderful, thanks Mr. jim for sharing, I have already voted for you.',), ('I feel like the federal government is the biggest controller of Btc.',), (\"I'm late sir, luckily I bought it for *$ and made a *76% profit, *74$. Thank you very much, I am very happy.\",), ('Professor Jim grasped this trend very accurately. how did you do it?',), ('As your supporter, I will keep voting for you. until you get the champion.',), (\"Originally, I had such a question: why invest in cryptocurrency?\\nThrough Professor Jim's two-day sharing, I understand that the cryptocurrency market is more valuable and the opportunity has come.\\nBut I don't have the app, how do I get started? What application are you using now?\",), ('Why do you say that?',), ('Bitcoin holdings on exchanges have seen net outflows for three consecutive days.\\nThis shows that the rise will take time, right? Mr. Jim.',), ('where can i download this app?',), ('Miss Mary, I need your help, thank you for your patience.',), ('According to professional statistics, the federal government has seized at least 215,000 bitcoins since 2020.\\nAs of the end of March this year, they held an estimated 205,515 Bitcoin balances, worth about $5.5 billion.\\nAt the time, the federal government controlled 1.06% of bitcoin’s circulating supply and was the largest holder of bitcoin.\\nThe federal government holds 2 of the top ten bitcoin wallets.',), ('Btcoin APP',), ('I think contract trading is very interesting, I want to catch this bull market, I am looking forward to it.',), (\"I'm using three apps, coinbase, btcoin and crypto, and I think they're all good\",), (\"Wow, that's incredible, but what does it mean?\",), (\"I haven't learned how to trade yet, how did you guys do it?\",), (\"I used to do spot trading and lost a lot of money. I didn't find out about this contract deal until recently, and it's pretty cool.\",), ('I think this SEC regulatory action is intentional, and there may be some plan for it.',), ('You can ask Ms. Mary, she is very familiar with the software industry, she can help you.',), ('ok.thx',), ('Professor Jim, I did it, and I feel very fulfilled. Thank you. I want to take you as my teacher.😎',), ('So this is consistent with Mr. Jim\\'s view that \"regulation clears the way for the bull market\"?',), ('Professor Jim, I have already voted for you, thank you very much for sharing.\\nHow should we seize the opportunity of this round of cryptocurrency bull market?\\nThis is what I am more concerned about.\\nI feel really lucky to be in these groups.',), (\"I don't think the SEC regulatory incident with binance and coinbase is anything compared to the Silicon Valley bank collapse. There are still many banks in deep trouble.\\nProf.Jim has summed up many times that the instability of the financial market is good for the cryptocurrency market, which is why I invest in gold and cryptocurrencies.\\nThen, industry regulation and rectification is also good news, which creates opportunities for us to make profits.\",), ('Friends, where is your cryptocurrency contract trading? Why do I have no contract transactions? What do I need to do to enable contract transactions?',), ('Thanks to Professor Jim for his guidance, I have completed the online purchase of NEN.',), (\"OK. I saw the questions from my friends, and I am very happy to make my sharing valuable to you.\\nThank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nBecause of the competition, I have been busy recently. Yesterday's meeting was about this ICO investment plan.\\nSo that some letters from friends have not been replied, please understand.\\nI hope you will continue to support me, and I will share more exciting content next.\",), ('It is impossible to succeed in any investment market easily, and more efforts are required. But the premise is that the direction must be correct.\\nI believe that as long as you can understand my views these two days, you will gain a lot.\\nI firmly believe in this, because I have gained a lot, our profit model and investment plan have been verified by the market, and I am still working hard.\\n\\nThe bull market expectations for this round of cryptocurrencies are well known, and many large institutions have already participated in it.\\nAs an ordinary investor, how do you compete with them and how do you take advantage of this opportunity?\\nNext, I will take some time to share this topic.And I suggest that everyone make investment notes on my important views in the past two days.',), ('*Viewpoint 1: In this round of bull market, mainstream currencies such as Bitcoin and Ethereum must play the leading role, and other ICOs and DeFi will play a supporting role in enjoying the opportunities of hot rotation.*\\n\\nThe main reason is that mainstream Wall Street institutions focus on prudent asset allocation, and they value the market stability of the currency they invest in.\\nTherefore, BTC, ETH and other mainstream currencies with large group consensus will be favored by institutions.\\nSome subsequent investment institutions will also use this as a key investment target layout.\\nThis means that retail investors should also regard mainstream currencies as key holdings in the initial stage of participation.',), ('Every trading center is grabbing these opportunities.\\nTake the Btcoin trading center as an example, they are more focused on ICO, and other hot spots are summarized as B-Funds. When I have investment plans in the future, I will share them with you.',), ('*Viewpoint 2: In this round of bull market, it is difficult to repeat the situation of skyrocketing thousands of coins, and the entire market will be more mature and rational than in 2017.*\\n\\nPerhaps driven by mainstream currencies such as BTC and ETH, ICO, DeFi, NFT, BSC and other tracks will generate some hundred-fold coins and thousand-fold coins due to hot spots, but most of the funds supporting such projects are hot money.\\nPlease remember this sentence, it is very important.',), ('When the time comes, we can do something within our capabilities.\\nWhat can we do and gain in this round of bull market?\\nThis is what I want to focus on planning, and this will be the focus of my competition this time.\\nIn short, in this round of bull market, my goal is 1,000 times, and my plan is brewing.\\nSo, why do I dare to say: I want to lead my friends who support me to surpass other competitors.\\nLet us witness together.',), ('*Viewpoint 3: The process of this round of bull market will be relatively long.*\\n\\nJust because the first three rounds of bull markets are well known, and the investment market will give early feedback on the bottom and top, the process of this round of bull market will be longer.\\nWhether it is the start time or the end time, it will be relatively long.\\nSo BTC around $15,500 in 2023 is the starting point of this round of bull market.',), ('*How to steadily obtain super profits?*\\nWe must understand the method of asset allocation, that is, adopt a combination strategy, and not blindly hold a certain target.\\nFor example, in contract trading, I often use three combinations of medium-short-long.\\nFor example, the combination of contract trading and ICO.\\nFor example the combination of ICO and B-Funds.\\nOf course, there is a more effective way, this is my plan. We were planning a large-scale plan at the meeting yesterday, and we will share it with you when we have the opportunity.',), ('*Viewpoint 4: If retail investors want to become stronger and bigger, they must make good use of tools.*\\n\\nFor example, contract trading instruments.\\n1)🔹 The contract trading tool is a margin trading mechanism. Only a small amount of principal is needed to buy the corresponding number of tokens, so as to achieve the effect of \"limited loss, unlimited profit\".\\n2)🔸 There is no interest on the borrowed currency, and the contract transaction has no expiration date or settlement date, so the cost is low.\\n3)🔹 By judging the rise and fall, you can choose to create a bullish order or a bearish order, and realize two-way profit from the rise and fall of the price.\\n4)🔸 There is no problem of matching transactions in contract transactions, it is an instant transaction mechanism.',), ('To sum up, contract transactions can greatly improve transaction efficiency and capital utilization, and save transaction time.\\n\\nWhat are the tools I usually use and am I using? I share it with you in actual combat.',), (\"This round of bull market will be a bustling event for many investors.\\nHowever, the methods of the past may not be effective, because concepts, technologies, tool usage, and profit models are all being updated.\\nThe most important thing to consider is to quickly develop a mature profit model.\\nThis is an era of picking up money, what are you waiting for?\\n\\nIf you want to invest in cryptocurrency, if you want to make money with me, but you don't have the app.\\nYou can consider the application of the Btcoin exchange center, my experience of using it tells me that it is very good.\\nIt has some great features, such as contract trading, ICO, B-Funds.\\nI suggest that friends can go to understand these.\",), (\"Well, next, we will invite the official representative of the Btcoin trading center to explain the application of Btcoin to you.\\nI'll share that today, see you tomorrow.\",), (\"Thanks to investors and friends for your attention and support to this competition and Btcoin trading center.\\nI wish Mr. Jim Anderson, the favorite to win this competition, excellent results.\\nOur company is about to set up a special cryptocurrency fund with a level of 100 billion US dollars. Select fund managers by holding competitions, publicize the advantages of the Btcoin trading center through competitions, and let more investors understand and use our application. This is the purpose of our competition.\\nJust in the past two days, because of the SEC's regulatory measures against industry giants Binance and Coinbase, investors have paid more attention to the compliance of trading centers.\\nI would like to remind investors and friends to verify clearly when choosing cryptocurrency applications.\\nOn behalf of Btcoin Tech Group and Btcoin Trading Center, I will explain to you the important information related to our company and this competition.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and I hope friends can vote for him. He has made extraordinary achievements in many investment markets, and he wants to realize his new dream through this competition.\\nThanks to Professor Jim for sharing, many friends have followed him today to earn excess short-term profits.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\n*If you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, please add my business card and write to me.*💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nTime flies so fast, and it's almost the weekend again.\\nLast weekend, my trading team had a meeting. In order to deal with short-term negative factors and achieve better returns, we adopted a contract combination strategy.\\nSo far, this decision is correct, and we have achieved certain results.\\nOf course we can do better\\nI will share the latest strategies and signals later.\\nFriends please pay attention.\",), ('It is precisely because the current market sentiment is unstable and the difficulty of trading has increased, so I am more cautious.\\nThe combination strategy will greatly reduce the difficulty of my transaction and increase the success rate.\\nJust like when we invest in stocks, we can choose different investment varieties such as cryptocurrencies, gold, futures, and U.S. dollars.\\nBy means of combination, the risks are better controlled, so as to achieve stable returns.\\nThis is a common method of asset allocation.\\nIn any investment market, as long as the risk is controlled, profits will follow.',), ('In contract trading, I often choose a dual currency strategy.\\nEspecially when the BTC trend is not clear, use BTC as a reference to find varieties with clearer trends, so as to increase the winning rate.\\nOf course, there are other methods, which I will share with you in actual combat in the future.',), ('*Important information.*\\nI created two put contract orders simultaneously.\\nToday I still use a combination strategy.\\nAnd I mainly use BUA, supplemented by BTC.\\n\\n*Important information.*\\nI created two put contract orders simultaneously.\\nToday I still use a combination strategy.\\nAnd I mainly use BUA, supplemented by BTC.',), (\"The Fed's trillion-dollar debt issuance is imminent, and Wall Street is worried about the coming shock.\\nOn Wednesday, the U.S. Treasury Department said it would return cash balances to normal levels by September after reaching their lowest level since 2017 last week.\\nOfficials concluded by saying the Treasury Department's general account (TGA) is targeting a $600 billion balance.\\nThat sparked collective concern among Wall Street analysts.\\nThe sheer size of the new issuance, they argue, will drive up yields on government bonds, suck cash out of bank deposits and suck money out of other investment markets.\\nI have recently done a detailed analysis of this logic.\",), (\"What I want to emphasize today is that the issuance of new bonds is not only bad for the stock market, it is also bad for most investment markets, and it will take away funds from the market.\\nCoupled with the SEC's supervision of industry giants, this has brought short-term negatives to the cryptocurrency market.\\n\\nThe following points can be drawn from the 1H analysis chart of BTC.\\n1. The price fails to break through the support level.\\n2. The MACD fast and slow line has a dead cross near the zero axis, and the value of MACD changes from positive to negative.\\nThis is a sign of a weaker trend, so I created this order with very little capital.\",), ('*The trend of BUA is clearer.*\\nFrom the 15-minute trend chart, we can clearly draw the following points.\\n1. There is a significant deviation between technical indicators and prices.\\nWhen the price is at a new high, the fast and slow lines of MACD are approaching the zero axis.\\n2. The MACD fast line crosses the zero axis downward, and the negative value of MACD is increasing.\\n3. The direction of the middle rail of the Bollinger Bands starts to turn downwards, and the upper and lower rails show an expansion pattern.\\nThis is a classic signal of a strengthening downtrend.\\n\\nSo, I created this put contract order with more money in the position.',), (\"The pressure on the U.S. banking industry is mounting.\\nBig banks are required to bid for Treasuries through agreements with the government, and these primary dealers may actually be forced to fund the TGA's replenishment.\\nMeanwhile, bank deposits have fallen as regulators seek to boost banks' cash buffers in the wake of the regional banking crisis and customers seek higher-yielding alternatives.\\nAdditionally, the Fed is shrinking its balance sheet, further draining liquidity from the market.\\nThe end result of deposit flight and rising bond yields could be that banks are forced to raise deposit rates, to the detriment of smaller banks, which could prove costly.\",), (\"*Today, let's re-understand the relevant logic.*\\n1. The issuance of new bonds will draw liquidity from the market, causing short-term negatives for most investment markets.\\n2. From the 30-minute trend chart of the US stock index, it can be seen that the technical indicators have deviated from the price. This is a signal of a short-term peak.\\n3. AI concept stocks in the stock market are overvalued, which is a medium-term unfavorable factor for the stock market.\\nAnd the plunge can happen at any time, which scares me.\\n4. The stock index and BTC have begun to show a negative correlation. If the stock index peaks, the probability and momentum of BTC's upward movement will increase.\\n5. Increased pressure in the banking industry will affect the stability of the financial system, and the decentralized value of cryptocurrencies will be reflected, which is good for the cryptocurrency market.\",), ('Therefore, the two negative effects of new bond issuance and SEC supervision are only short-term.\\nBecause the logic of the fourth round of bull market cannot be changed, it is determined by the generation mechanism of BTC.',), ('*Here are a few key takeaways I shared this week.*\\n1. The halving mechanism of BTC mining rewards and the relationship between bull and bear markets.\\n2. The fourth round of bull market of cryptocurrency will be born in 2023, and $15,500 is the starting point.\\n3. In this round of bull market, BTC will rise above $320,000.\\n4. The driving force, fundamentals and main theme of this round of bull market will undergo great changes.\\n5. Four key points for retail investors to participate in this round of bull market.\\n\\nIf you are new to our group, you can get this information by requesting my investment diary through my assistant Ms. Mary.',), ('Mary Garcia',), ('A friend asked some questions about NEN, the latest ICO variety.\\nLet me briefly analyze future expectations based on current data.\\n\\n1.🔹 The current online purchase progress bar of the original share is about 337%.\\n1)🔸 337% means that the funds participating in the online purchase of NEN in the market are 3.37 times the fixed amount.\\n2)🔹 More than 100% means that the opening price of the new currency will not be lower than 2.5 US dollars in the future, which means that this project has no risk.\\n3)🔸 Based on experience and current data, the opening price of the listing is expected to be above $7.',), ('*Important information.*\\nBecause the trend of BTC is not strong enough, I sold the BTC order to keep the profit.\\nBUA continues to hold.\\n\\n*Important information.*\\nBecause the trend of BTC is not strong enough, I sold the BTC order to keep the profit.\\nBUA continues to hold',), ('2. USD 2.5 has a good price advantage and will attract a large number of buyers to participate.\\nAt that time, the purchase price of BUA’s original share was similar to that of NEN. The opening price of BUA was around US$9, and it rose to around US$54 after listing.\\nI made a lot of profits in the ICO project of BUA, which was an important investment before I entered the finals, so I am very concerned about this target.',), ('The advantage of low prices is that many investors can participate, which will accumulate more buying orders.\\nIn the case of limited quantity, the more buying orders, the higher the opening price will be.\\nThe first step income of ICO varieties is the premium income of listing.\\nThis is why I pay more attention to the investment project of ICO.',), (\"*Important information.*\\nThe BUA bearish contract I created just now has a 43% return.\\nBecause the short-term downward trend of BTC is not as strong as expected, and the price of BUA is close to the profit target.\\nI'm worried this will affect my earnings.\\nShort-term trading requires fast in and fast out. In order to improve the utilization rate of funds, I chose to sell to keep profits.\\nWaiting for the next opportunity.\",), ('In order to cope with the current complicated situation, I adopted a contract combination strategy this week, and the benefits obtained so far are still considerable.\\nAs an investor, you must not only recognize the situation clearly, but also know how to be flexible.\\nThe use of tools combined with the concept of asset allocation is very important at any time.\\n\\nNext, I will open the group chat function, and I suggest friends to make a summary together.\\nFriends, if there is anything unclear, you can ask questions.\\nThen, I will take time to answer questions from my friends.',), ('Professor Jim I have voted for you.',), ('Thanks to Professor Jim, I have gained a lot this week, not only knowledge, but also money.\\nI hope you will be able to win the championship.',), ('I have already voted, where can I claim the reward',), ('Send voting screenshots to Ms. Mary, there will be rewards for continuous voting',), (\"Thanks to Professor Jim for leading me to make money.\\nToday I'm going to invite my friends over for drinks and watch the game, I hope Jimmy Butler wins.\",), (\"SEC Chairman Gary Gensler defended the SEC's recent enforcement actions against Binance and Coinbase, and issued a stern warning to any other businesses in the space. And said, follow the rules or you could be sued too.\",), ('Ok',), (\"Come on, friend, let's drink it up.\",), (\"Is Btcoin's business affected?\",), ('What is ICO, I am very interested in it',), ('oh no we drink beer',), ('The SEC made big moves in two consecutive days, causing Binance CEO CZ to lose $1.4 billion in two days, and Coinbase CEO Brian Armstrong’s net worth also dropped by $361 million.',), ('My friend, let me take a cup of buffalo trace , cheers',), ('cheers',), ('I consulted Online Service about this issue and they told that this incident will not affect any business of Btcoin.',), ('Thanks to Mr. Jim for his explanation yesterday, which made me understand what I should do as a retail investor.👍🏻',), ('OK, thanks. Where is the Online Service?',), ('Good',), ('Miss Mary, I would like to know where can I start trading as a beginner.',), ('Can you tell us your point of view? I would love to learn more from you guys.',), (\"I think there are two main purposes for the SEC to rectify and investigate the two leading companies in the industry this time.\\nOne is to warn the entire industry, and to make this industry develop healthily, the greater the intensity this time, the healthier the industry will be in the future.\\nThe second is to protect investors. The results of this investigation and rectification will enable regulators to reset new norms for the future development of the industry.\\nHere, I would like to express that I agree with Professor Jim's point of view. \\nAt the same time, I have a guess, will this give this round of bull market a new opportunity?\",), (\"Its location at the top of the app's home page. You can send any query, it's useful.\",), ('thx',), ('Friends, what do you think of the medium-term trend of Bitcoin?',), ('The value of cryptocurrencies is self-evident, and this trend is irreversible.\\nIf the SEC goes too far with these two companies, it will hurt the entire industry, so I think they will definitely stop more serious measures after they have achieved their purpose.\\nThen the whole market will have a new explosive point.\\nNo matter what opportunity or theme, ICO will never be absent.\\nThis is my experience investing in dogecoin.\\nIt would be great if I got to know Mr. Jim earlier, so that my 300 times profit would not be greatly reduced to 120%.',), (\"I think it's time to sell my stock, as Mr. Jim said, the valuation of technology stocks is too high, which makes people feel scared.\",), ('300 times the income, this is unbelievable, how did you do it?',), ('I think there are several points.\\nBecause the generation mechanism of BTC and market expectations determine that this round of bull market exists objectively, this makes me full of confidence, and institutions have already entered the market.\\nBut many good projects are unable to participate because of our cognitive limitations.\\nThen it is a good way to combine mainstream currencies with contract transactions, so I am going to use contract transactions to start my bull market journey.',), ('Have you started trading yet?',), ('Short-term bearish.\\nWhether the medium-term MA120 buying point is established or not is critical.\\nThe medium and long term is a bull market.\\nThe long-term value is huge, because the circulation of BTC is limited, but there will be more and more investors.',), ('ICO is easy to understand and is equivalent to a stock market IPO, but how do I get involved?',), (\"Reading Mr. Jim's opinion this week has got me fired up.\",), (\".I don't care how the trend of BTC changes, what I pay most attention to is how to make money, especially short-term trading.\\nLook at Professor Jim's income this week, this is what I am most concerned about and what I want to learn.\",), ('Yes, I am learning from Mr. Jim, I am seriously studying his analytical skills, and at the same time I am learning about ICOs.',), (\"I heard about ICO, NFT, DeFi, but I don't know how to do it? I think contract trading is simpler, easier to understand, and easier to operate.\",), ('I wish you success.',), ('Let us work together.',), ('ICO is very simple, even simpler than contract transactions. After you buy it, just wait for it to go public. Good projects will not lose money.',), (\"OK, it's my pleasure, thank you.\",), ('Yes, this is an era of picking up money. But the key is that we have to determine a profit model.',), ('Last year, a master earned 1,000 times the income in the Bitcoin market, and he used the α+β model.\\nThat is to say, after determining the general trend and keeping the mid-line capital position unchanged, use the combination strategy to continuously earn the price difference through the short-term.\\nI believe that Prof Jim should know such a thing.\\nThis is a trading method commonly used by many teams on Wall Street.\\nThe core of this method is to follow the trend, so the key point to obtain a high success rate in short-term trading is to recognize the big trend.\\nAt this Prof Jim is a master .\\nIt is my honor to come to this group to watch your competition, Prof Jim.\\nYour income this week is already ahead of most trading managers on Wall Street, and I believe you can win the championship.\\nPlease come to our company when you are free, we can cooperate on many projects.',), ('I want to participate in the ICO project of NEN, just buy directly, right?',), ('Sure enough, as Mr. Jim said, bond yields are rising, and the dollar is also rising, while stock indexes and gold are falling.',), (\"Thank you for your attention, support and recognition. After the game, I will hold an important party on Wall Street. At that time, we invite Wilson to communicate together.\\nMy target for this year is 1,000x, and I think it's achievable.\\nIn fact, for this week's transaction, I think there are still many areas for improvement, and I can do better, but I think the combination strategy is very necessary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\nIf there is a better strategy or profit method, friends are welcome to share and discuss more.\",), (\"OK. I saw the questions from my friends, and I am very happy to make my sharing valuable to you.\\nThank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nBecause of the competition, I've been quite busy recently, so please forgive me if I didn't reply to some friends' messages in time.\\n\\nNow it's the weekend break, but our team is still fighting, because the other finalists are very strong, and we have to work harder.\\nTaking advantage of the break, let us summarize this week's sharing.\",), ('Many times, people often talk about tracks and trends.\\nBut if I asked you the following two questions, how would you answer them?\\n1. Taking stock, gold, and cryptocurrency as an example, which market do you think has more investment value? How to participate?\\n2. What do you think of the trend of BTC?\\n\\nIn fact, these are just the most basic questions.\\nAs an investor, if you want to achieve greater success in the investment market, you must have a clear understanding of the policy path, be familiar with the bull-bear laws of the industry, grasp the trend, and make good use of tools.\\nThese are all basic skills.\\nIn view of the letters from many friends, I see that most people are not very clear about this knowledge.',), ('In order to better help my friends who support me, I share a lot.\\nThere are a lot of important investment knowledge, how much have you learned?\\nNext, I briefly summarize the main points shared this week.',), ('This round of bull market is determined by the Bitcoin generation mechanism, and it will not be changed by any factors unless the cryptocurrency disappears.\\nThe halving of Bitcoin mining rewards has been the biggest catalyst for any previous bull market.\\nBecause the total amount of Bitcoin is limited, the reward is halved every 210,000 blocks. According to the law of supply and demand in the market, it can effectively gradually reduce the inflation rate of Bitcoin, there by preventing the occurrence of hyperinflation.\\nAs users and investors continue to increase, this will make its scarcity advantage more and more obvious, so the price will continue to rise.\\n*According to the data of the previous three bull markets, the price of BTC in this round of bull market will rise above $320,000.*\\n*Do you know how to calculate it?*',), ('The driving force of this round of bull market is different from previous ones. Institutions have begun to deploy cryptocurrencies as strategic assets.\\n*This provides strong support for bull market growth.*\\nThe market fundamentals that catalyzed the bull market to go crazy have changed, but ICO is still the focus of this round of bull market, but the market will make more considerations about the technology, practicality, and advantages of the trading center of the project. This is more conducive to hot money speculation.',), ('Therefore, this round of bull market will be more mature, rational and protracted.\\nThis will be another institution-led bull market.\\nIt is bound to be a bull market in which mainstream currencies such as Bitcoin and Ethereum play the leading role, and other ICOs and DeFi enjoy the opportunity to enjoy the rotation of hot spots.📊📊',), ('*As a retail investor, we must pay more attention to the combination of funds.*\\nWe must be good at discovering some good investment projects and invest them in a portfolio. This is the most stable asset allocation.\\nFor a good project, you must know how to use tools and make good use of them.\\n\\nContract trading is a good entry-level tool.\\nBecause it is a margin mechanism, only a small amount of principal is required to buy the corresponding number of tokens, which can better control risks. And it can achieve the effect of \"limited loss, unlimited profit\".\\n*Because of low-cost advantages, two-way transaction mechanism, instant transaction mechanism,* *365D*24H time mechanism, etc.,* contract transactions can greatly improve transaction efficiency and capital utilization, *and save transaction time.*',), ('Contract trading has created a lot of myths in the cryptocurrency market, and it has made many people very rich. There are many examples of getting rich overnight in this market, because they are used to analyzing the market and seizing opportunities.\\nAnd what I pursue from beginning to end is: *long-term stable profit.*\\nCryptocurrency is a thriving market, and with the \"halving cycle\" and bull market on the horizon, opportunities abound.',), (\"The most effective way to learn is practice. If you don't even understand the basic technical indicators, it will be difficult for you to make money in this market.\\nSo, if you have an application for cryptocurrency contract trading,*I hope you put the tips and trading signals learned here into practice.*\\nIf you don't have any apps about cryptocurrencies, then I suggest you sign up for one, improve yourself in practice, *and seize the opportunity of this bull market*\",), (\"If you don't have the app, if you don't know how to check the security of the app.\\n*I suggest that you can ask the official representative of Btcoin.*\\n*Or you can ask my assistant, Ms. Mary,* who is an IT and software engineer and my teacher.\\n\\nKeep thinking, let us always be sober and wise to see everything.\\nWork hard, let us approach our dreams every day, and provide better living conditions for our families.\\nHelp others, make our life full of fun, and constantly improve the height of life.\\nCultivate the habit of summarizing and keep us creative all the time.\\n\\nHave a good weekend.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and he hopes that his friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\U0001fa77\\n\\nThanks to Professor Jim for sharing this week, his combination strategy this week has achieved good returns. Many friends followed him and made excess short-term profits.🎁🎁\\n\\nIf you want to get voting windows.\\nIf you want to get a gift from Professor Jim.\\nIf you want to get real-time trading strategies or signals from Professor Jim's team.💡\\nOr you need my help.\\nPlease add my business card to write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nThe votes for the 10 finalists are clearly increasing this week and the rankings are starting to shift.\\n\\nThe online subscription of NEN tokens, a new ICO project that is popular among investors, is very popular.\\nThe lottery winning status has been announced today, please check your lottery winning status in your account.\\nNEN tokens will be listed soon, so stay tuned.',), ('Although the volatility of the cryptocurrency market is not large this week, players are actively seizing market opportunities.\\nJim Anderson uses the short-term combination strategy of contract trading, which makes his income in the lead.\\nI wish all players excellent results and wish all investors a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWelcome new friends to join this group. If you have any questions, you can write to my assistant, Ms. Mary.\\n\\nAlthough BTC's medium-term bull market expectations remain unchanged, the SEC's regulatory measures against industry giants have created a short-term negative for the cryptocurrency market, causing market sentiment to be chaotic and transactions more difficult.\\nTherefore, I used the asset allocation plan, and I only used the short-term combination strategy in contract trading.\\nAt present, it has been verified by the market, and this plan and strategy are very wise and correct.\\nThis allows us to maintain solid earnings through tough times.\",), (\"However, I am not satisfied with this week's earnings.\\nAlthough my winning rate is very high, I dare not use too many capital positions because of the difficulty of trading.\\nIn order to get a higher support rate and earn more income, in order to make my votes and actual income surpass other players, I made a decision after meeting with my trading team.\\n\\n1. This week I will focus on short-term trading, and I will continue to adopt a combination strategy.\\n2. I will increase the use of short-term capital positions, and I will keep the use of capital positions at around 20%.\\n3. In order to better help some supporters and get more votes from friends, I will use a form to record my transactions.\\n4. My short-term profit target for next week is 100%.\",), ('*Friends are welcome to communicate on how to accomplish this goal.*\\nIf you have a better way to achieve this goal, and this method is requisitioned by me, I will give some rewards.',), ('At the same time, many friends wrote to me asking me how to achieve accurate analysis.\\nI often share this sentence with my trading team: the investment that can be sustained and successful must be continuously replicable, and the investment method that can be replicated must be simple.\\n\\nFor this, we can do a survey.\\nIf you are interested in learning how to make money, that is, if you are interested in learning technical analysis, you can take the initiative to write to my assistant, Ms. Mary.\\n\\nThis is in line with my original intention. I have said many times that I hope to discover some potential and talented traders in this competition and let them join my trading team.',), ('*If there are more people interested in learning how to make money, I can share my trading system.*\\n\"Perfect Eight Chapters Raiders\" is a relatively complete trading system that I have summed up in the stock market, futures, gold, exchange rate, cryptocurrency and other investment markets for more than 30 years.\\n\\n*Traders fall into four categories.*\\nThe first category, you don\\'t know how to start.\\nThe second category is that you start to understand how to make money, but you cannot achieve stable profits.\\nThe third category is to obtain a complete trading system and be able to achieve stable profits.\\nThe fourth category is to simplify investment methods, master super funds, and be able to maintain stable profits in any market.',), ('And \"Perfect Eight Chapters Raiders\" is a trading system suitable for all investors that I summarized and simplified after achieving stable profits in many investment markets.\\nMembers of my trading team are using this system, and the income is stable.',), ('*Keep thinking, let us always be sober and wise to see everything.*\\n*Work hard, let us approach our dreams every day, and provide better living conditions for our families.*\\n*Help others, make our life full of fun, and constantly improve the height of life.*\\nCultivate the habit of summarizing and keep us creative all the time.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\n*Hope to get more support from friends.*\\nToday I set the income goal and realization method for next week, we can witness or complete it together.\\nFriends who are more interested in learning how to make money can take the initiative to write to my assistant, Ms. Mary.\\nSee you tomorrow.💌',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\n*Friends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.*\\n\\nIn the last week, I used a portfolio investment strategy, achieved some results, and was ahead of many investors in the market.\\nIt seems that many of my friends agree with my strategy.\\nYesterday I summarized last week's transactions and set new goals.\\nI will work harder to present a better competitive level.\\nI hope to get the support of more friends, thank you.\",), ('*In order to better grasp market opportunities at the moment, I made the following resolutions after meeting with my trading team yesterday.*\\n1. This week I will focus on short-term trading, and I will continue to adopt a combination strategy.\\n2. I will increase the use of short-term capital positions, and I will keep the use of capital positions at around 20%.\\n3. In order to better help some supporters and get more votes from friends, I will use a form to record my transactions.\\n4. My short-term profit target for this week is 100%.\\n\\nPlease come and witness my performance this week.\\n*Later I will share my trading strategy or signal.*',), ('*During the weekend, I received letters from many friends, talked about many topics, and provided some pertinent investment suggestions of mine to many friends.*\\nFor example, talk about the stock market, AI, and Nvidia.\\nToday I will take the time to share some of my views.\\n\\n*For example, talking about learning the skills of making money, building a trading system and other topics.*\\nStarting today, I will share \"Perfect Eight Chapters Raiders\" in actual combat. This is a relatively complete trading system that I have summarize in the stock market, futures, gold, exchange rate, cryptocurrency and other investment markets for more than 30 years.',), ('This is in line with my original intention. I have said many times that I hope to discover some potential and talented traders in this competition and let them join my trading team.\\n\\nFor example, investment knowledge about ICOs.\\nYou can learn about investment skills in this area through NEN.',), ('*Important information.*\\nI just created a bearish contract order for BTC.\\nBut I will focus on the BUA deal.\\nThis is a combination of short-term contract transactions, we have to fast in and fast out.\\nI am watching the market, and I will send out trading signals of BUA at any time.\\n\\n*Important information.*\\nI just created a bearish contract order for BTC.\\nBut I will focus on the BUA deal.\\nThis is a combination of short-term contract transactions, we have to fast in and fast out.\\nI am watching the market, and I will send out trading signals of BUA at any time.',), ('*The SEC poses a short-term negative for industry regulation, so we mainly create bearish contract orders at high prices, so that the success rate will be higher.*\\nThe following points can be drawn from the 15-minute trend chart of BTC.\\n1. The direction of the middle track of the Bollinger Band is downward, indicating that it is currently in a downward trend.\\n2. Just now the price touched near the top of the 15-minute range, and the price is close to the middle track.\\n\\nSo, I created this order with a smaller position of funds, which is a position of funds for testing.\\nIf it goes well, I will use more capital positions to trade BUA.\\nNext, I will share the strategy of BUA.',), ('*The following points can be drawn from the 15-minute trend chart of BUA.*\\n1. The price is facing resistance in the upward trend, and a technical pattern similar to divergence appears.\\n2. The direction of the fast line of MACD is downward, and it is currently near the zero axis, which indicates that a new trend is about to emerge, and there is a high probability that there will be a downward trend.\\n\\n*Focusing on the following points can be used as an opportunity to create a BUA bearish contract order.*\\n1. The negative value of MACD increases, and the fast line crosses the zero axis downward.\\n2. The middle track of the Bollinger Bands starts to go down, and the upper and lower tracks of the Bollinger Bands begin to expand.\\n3. The price successfully fell below the lower track or support line of the Bollinger Bands.',), ('*Important information.*\\nFrom the 15-minute BUA trend chart, it can be seen that the price is going down and the negative value of MACD is increasing.\\nThis is a good signal, so I create a bearish contract order.\\nAnd I use more fund position than BTC.\\n\\n*Important information.*\\nFrom the 15-minute BUA trend chart, it can be seen that the price is going down and the negative value of MACD is increasing.\\nThis is a good signal, so I create a bearish contract order.\\nAnd I use more fund position than BTC.',), ('*Many friends wrote letters over the weekend to talk about topics such as the stock market, AI, and Nvidia.*\\nOn Friday, I wrote in my investment diary that \"The Fed\\'s trillion-dollar debt issuance is imminent, and Wall Street is worried about the coming shock\" and \"The pressure on the U.S. banking industry is mounting\".\\nThe stock market started to show signs of weakness today.\\n\\nBecause I am watching the market, I will briefly describe my views on these topics, hoping to help you invest in stocks.',), ('If you have any questions about any investment market, please feel free to write to us.\\nOr, you can write to my assistant, Ms. Mary, and she will take care of you. You can find her to get my important views or information on the recent stock market, bonds, US dollar, gold, crude oil, etc.',), ('*Important information.*\\nThe current trend of BTC is weak and the volatility is small.\\nThis shows that there are still many buyers interested in this price, so it has not gone out of a relatively smooth trend, which is the current status of BTC.\\nIn order to keep profits and increase efficiency, I choose to sell the bearish contract order I just created.\\n\\nI am still holding the BUA contract order.',), ('Some longtime Nvidia investors began selling shares, taking profits.\\n\\n1) The Rothschild family reduced their holdings of Nvidia.\\nBenjamin Melman, global chief investment officer at Edmond de Rothschild, revealed that the company has been overweight Nvidia since the end of 2020, but has taken some profits and now holds a \"much smaller\" position.\\n*This asset management institution has a history of more than 200 years and currently manages assets of 79 billion Swiss francs.*\\n\\n2) ARKK, the flagship fund of Cathy Wood\\'s Ark Investment Management Company, liquidated its Nvidia stake this year.',), ('3) Damodaran, known as a valuation master, has held Nvidia since 2017 and has now sold it.\\n*He believes that the $300 billion increase in market capitalization in a week is challenging the absolute limits of sustainable value.*\\n\\n4) On June 7, according to SEC disclosure, Nvidia director Harvey Jones reduced his holdings of approximately 70,000 shares on June 2, cashing out $28.433 million.',), (\"*For the stock market, AI and Nvidia, I add the following important points.*\\n1) The EPS of the stock market will decline by 16% year-on-year this year, and the U.S. stock market is in the depression period of the profit cycle. Stock market margins and earnings will decline rapidly.\\n\\n2) The current market's madness towards Nvidia is not based on current performance, but based on imagination.\\n\\n3) The management has also begun to reduce its holdings, which is interpreted by the market as a signal that Nvidia's short-term stock price has peaked.\",), ('4) Individual companies will undoubtedly achieve accelerated growth this year through increased AI investment, but this will not be enough to completely change the trajectory of the overall trend of cyclical earnings.\\nThe recent revenue growth of U.S. stock companies has been flat or slowing down, and companies that decide to invest in AI may face further pressure on profitability.\\n\\n*Therefore, please stock market investors pay attention to this risk.*',), (\"*Important information.*\\nMy BUA order is currently yielding around 37%.\\nBecause the short-term downward trend of BTC is not as strong as expected, and the price of BUA is close to the profit target.\\nI'm worried this will affect my earnings.\\nIn order to keep profits and increase efficiency, I choose to sell the bearish BUA contract order created just now.\\nWaiting for the next opportunity.\",), (\"When the volatility of BTC is small, I use a small capital position to test on BTC and participate in things with high probability.\\nWhen I think there is no problem with the test results, I will put more capital positions into the combination strategy.\\nThis way my success rate and earnings are higher.\\nToday's short-term trading can be said to be quite difficult, but we have succeeded, which makes me happy.\\n\\nMany friends are following my trading signals, and many of my friends sold at a better timing than me just now, so your yield is higher than mine.\\n\\nIn order to better help friends, I will open the group chat function next, and friends can ask questions if they have any unclear points.\\nThen, I will take time to answer questions from my friends.\",), ('Professor Jim, I keep voting for you every day. Hope to be able to participate in your plan',), (\"Today's transaction is so exciting, it's great to be able to get so much profit in a short period of time.\",), (\"Friends, what do you think of the SEC's supervision?\",), ('My plan is to vote for you first. When my funds can be transferred, I will participate in the transaction with you',), (\"I've voted for you, Mr. Jim. I am very interested in learning your technique, can you tell more about how you judge the trend and buy and sell points? I want to worship you as my teacher.\",), ('First of all I am very grateful to you, I have learned a lot. Now the working hours are relatively busy, and I have endless work every day, which makes me very troubled. Take your time to vote first',), ('Voted for you today. I hope you can win the championship, I can see your strength.\\U0001fae1\\U0001fae1',), ('I also voted for you. support you.',), ('As Mr. Jim said, value investors and directors of Nvidia are selling Nvidia shares, which is bound to bring greater volatility to market sentiment, because Nvidia has a high contribution to the index.\\nThank you, Mr. Jim, I am going to sell some stocks and configure some cryptocurrency investments.',), ('How did you do it? What is a contract transaction?',), ('Why is there no trading pair BUA in my application?',), ('If Binance stops serving US customers, the industry will find a way around it.\\nThe encryption system is antifragile. Some other companies with different strategies will gain a large number of new users, such as Btcoin exchange center, whose ICO and B-funds are featured.\\nWhere there is a market, there is demand. People always have alternatives.',), ('Hello there!',), ('NEN is listed at a price of $7.1, will it still rise?',), (\"Yeah? Who's selling nvidia stock?\",), ('What’s up folks! Check out this picture of the fish I caught',), ('Professor Jim, are you going to achieve 100% of your profit target this week?\\nIn other words, based on a $1 million account, your goal this week is to make a profit of $1 million, right?\\nI think this is incredible, how can we do it?',), (\"It's going up, I just saw it's gone above $8.\",), ('How about the Btcoin exchange center? I am also planning to switch to another trading center. I feel that the advantages of Coinbase and Binance are getting smaller and smaller, and I am even worried that they may encounter trouble.',), ('I have the same concern and am trying to switch apps as well.',), (\"This week, Mr. Jim will use the cryptocurrency contract trading function to achieve 100% of the profit target.\\nI have observed Mr. Jim's transactions for half a month, and I think it is not difficult for Mr. Jim to accomplish this goal.\",), ('Nvidia director Harvey Jones sold about 70,000 shares on June 2.\\nThere are also some institutions that are selling.',), (\"Can anyone tell me how to make money like you guys? I'm in a hurry, but I don't know how to start.\",), ('The Btcoin exchange center has obtained the relevant license, and I have asked relevant personnel, and their business will not be affected. I think their app is pretty good.',), ('You can ask Miss Mary for help with any questions.',), ('oh ok thanks',), ('I think Nvidia will go up in the short term.',), (\"Wow, that's incredible, that equates to a gain of over 224% in one week.\\nIt's interesting. Is anyone involved in this ICO project?\",), (\"Bank of America CEO Moynihan said that the US capital market will get back on track and remain open. The Fed is expected to keep interest rates unchanged in the near term before starting to cut rates in 2024. The Fed may pause rate hikes, but won't declare the rate hike cycle is complete.\\nThis is completely consistent with Professor Jim's prediction.\",), (\"It doesn't matter whether it rises in the short term, because its valuation is too high, and technology stocks such as Tesla and Apple have high valuations. After the market calms down, the stock price will inevitably fall.\",), (\"Yes, it might be time to see who's been swimming naked.\",), ('ICO is the simplest investment strategy and profit model, and the ICO of a good company should not be missed.\\nLooking forward to and optimistic that NEN can continue to rise.',), (\"Thanks to Professor Jim for sharing strategies and signals for making money, I am honored to be in this group.\\nI'll keep voting for you, Professor Jim, and I'll have my friends vote for you.\\nI am very much looking forward to your sharing your trading system, and I want to learn more ways and techniques to make money.\",), (\"Hello, dear friends.\\nThank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nBecause of the competition, I've been quite busy recently, so please forgive me if I didn't reply to some friends' messages in time.\\n\\nI saw the questions my friends asked, and I am happy to make my sharing valuable to you.\\n*I turned off the group chat function, and I will answer the questions of my friends next.*\\n1. How will I achieve my 100% profit target for this week?\\n2. What techniques did I use in today's transaction?\",), (\"*1. How will I achieve my 100% profit target for this week?*\\nI will use contract trading tools and use the combination of BTC and other tokens to trade, so as to achieve the purpose of safe and stable profits and achieve this week's goal.\\n\\n*1) The importance of portfolio investment strategies.*\\nThrough the combination of BTC and BUA that I have recently used, everyone will find that my transaction method is safer.\\nNo matter what kind of investment targets are used for combination, no matter what tools are used, it is to reduce risks and increase returns.\",), (\"Especially when the risk of the market increases and the trend is uncertain, this method is more effective.\\nThese advantages were fully demonstrated in last week's contract transactions. And last week there were a lot of people on Wall Street who were losing money.\\n\\n*Therefore, the effectiveness of this method is beyond doubt.*\",), ('*2) Advantages of contract trading.*\\nWhy contract trading can greatly improve transaction efficiency?\\nMainly because of two points, the margin trading mechanism and grasping the trend of certainty.\\nThe margin trading mechanism can achieve the effect of \"limited loss, unlimited profit\", which is the best risk control method.\\nUnder normal circumstances, we only need an hour or so to grasp a relatively certain trend, and we can achieve a profit of more than 30%.\\nIf the trend is good, it is normal for a transaction to achieve a return of more than 200%.\\nCompared with spot transactions, the advantages of contract transactions are very prominent.',), ('*3) Focus on the performance of NEN after listing.*\\nI successfully obtained a valuable original share in the online subscription of NEN. The online subscription price of NEN is 2.5 US dollars. It has risen well after listing today. The current price is around 9.3 US dollars. I have obtained 272% of this investment rate of return.\\n\\n*Next, there are two points that I pay more attention to.*\\nPoint 1: When will the Btcoin trading center list NEN in the contract trading market.\\nPoint 2: The continuation of the rally.\\nFor example, MGE and BUA gained 1,275% and 500%, respectively, within one month of listing.\\nTomorrow I will share the key points in the \"NEN Research Report\" in detail.\\n\\nIf you don\\'t know enough about the basics of ICO, contract transactions, etc., you can consult my assistant, Ms. Mary, or ask friends in the group.',), ('Mary Garcia',), ('2. *What techniques did I use in today\\'s transaction?*\\nIn fact, the method I used in today\\'s transaction is extremely simple. I used the relationship between the Bollinger band middle rail and the price to determine these two trading signals, and reaped short-term benefits.\\nIn order to let friends have a basic understanding of Bollinger Bands, I will now send some information about my training traders for everyone to have a look.\\nIn the future, I will share \"Perfect Eight Chapters Raiders\" in the process of actual combat every day, and explain the technical points used.\\nLater we will compare and summarize today\\'s trading signals and technical points.',), ('*Next, I will summarize the technical points successfully used in actual combat today.*\\nAs shown in the figure below, both BTC and BUA showed the following two points at that time.\\n1. The direction of the middle track of the Bollinger Bands is downward, and the price encounters resistance near the middle track.\\nBecause BTC is used for testing, I created the order first.\\nWhen I found that there was no problem with my judgment, BUA began to fall, and I decisively created an order for BUA.\\nYou can build a basic understanding of Bollinger Bands by following the internal training materials I shared today.\\n\\n2. There is no divergence between the price and the indicators, so I judge that the downward trend is not over, so I follow this trend.\\nThis is shared in a more advanced technical bullet point in the future.',), ('*In fact, today\\'s two transactions are very difficult.*\\nBeing able to successfully obtain excess short-term returns is not only based on these two points. But these are the basics.\\nRome wasn\\'t built in a day, but every stone used to build a beautiful palace had to be solid.\\nEvery technical point of \"Perfect Eight Chapters Raiders\" is summed up after more than 30 years of experience.\\n\\nActual combat is always the best way to learn, and the market is the best teacher.\\nIf you have any questions, please feel free to write to me, or write to my assistant, Ms. Mary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nShare these today and see you tomorrow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and he hopes that his friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\n\\nThanks to Professor Jim for sharing today, his combination strategy today has achieved good returns.\\nCongratulations to the friends who followed him to seize the opportunity.\\n\\nIf you want to get voting windows.\\nIf you want to get a gift from Professor Jim.\\nIf you want to get real-time trading strategies or signals from Professor Jim's team.\\nIf you want to learn Professor Jim's method of making money, profit model, and trading system.\\nOr you need my help.\\nPlease add my business card to write to me.📩\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my votes and ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nThe portfolio investment strategy I used last week was successful, and this week I want to achieve 100% short-term income goals, please friends to witness for me.\\nNEN is included in the contract trading market, what great value and opportunities does it have?\\nWhich technique will I use today to seize market opportunities?\\nWhat impact will the May CPI data and FOMC meeting expectations have on the major markets?\\nI will share these today.\",), ('From the 1-hour trend analysis chart of BTC, it can be seen that the downward trend is obvious.\\nThe 15-minute trend analysis chart can draw the following points.\\n1. After the price goes up, the price deviates from the indicator, and then the price falls.\\n2. Then the price fell below the middle rail of the Bollinger Bands.\\n3. The MACD fast and slow line crosses the zero axis downward, accompanied by an increase in the negative value of MACD.\\n4. The middle track of the Bollinger Bands turns and runs downward, the price falls below the lower track of the Bollinger Bands, and the upper and lower tracks of the Bollinger Bands expand.',), ('When the price runs outside the Bollinger Bands, this is an unconventional trend. This requires fast in and fast out.\\nSo, please note that in order to keep profits, I will choose to close positions at any time.\\n\\nToday I will focus on NEN contract transactions, and I will release important strategies and signals later.',), ('*Important information.*\\n1. The current trend of BTC is weak and the volatility is small.\\nIn order to keep profits and increase efficiency, I choose to sell the bearish contract order I just created.\\n\\n2. I am waiting for the time when BTC will stop falling, and NEN is brewing an important opportunity.',), ('Please see, NEN has been included in the contract market, and I will share its huge contract value and opportunities later.\\n*The following points can be drawn from the 15-minute trend analysis chart.*\\n1. When BTC is falling, the small drop of NEN is not large.\\nThis shows that there are buyers supporting the market. This is a very normal phenomenon after the ICO is listed, and there will be a steady stream of buyers to push the price upward.\\n\\nI have created a small amount of NEN bullish contract orders before BTC, but I did not share this signal because I was waiting for a better opportunity.\\n\\n2. If the negative value of MACD starts to decrease in the 15-minute graph, or the fast line starts to turn upward, it is a better time to intervene.',), ('*Important information.*\\nI created a bullish contract order for NEN again.\\nBecause the 15-minute trend chart clearly shows that the negative value of MACD is shrinking.\\nAnd the MACD fast line has changed. Although the fast line has not started to go up, it has changed from down to horizontal.\\nIn the 30-minute trend chart, the price just stopped falling at the lower track of the Bollinger Band, and the negative value of MACD is shrinking.',), ('Friends who want to learn how to make money, please remember this real-time analysis chart of NEN and the analysis chart of BTC. After the transaction is completed, I will explain the mystery in detail.\\n\\nNext, I will share with you the following contract value and opportunities of NEN.\\nThe illustration below is what I shared yesterday, and it shows the performance of the ICO varieties MGE and BUA after their listing.\\n1. The issue price of NEN is close to that of MGE and BUA, around $2.\\n2. The opening price of the listing is also relatively close, around 7-9 US dollars.\\n3. The increases of MGE and BUA within one month after listing were 1,275% and 500% respectively.',), (\"*If we refer to the trend of BUA for analysis.*\\nThe opening price of NEN was US$7.1. According to the expected increase of 500%, NEN may rise to US$42.6.\\nIf calculated using the margin ratio of 50X, the contract value of NEN within one month after listing can reach 25,000%.\\n\\nFor example, the current price of NEN is around $10, and you use $100,000 to trade NEN contracts, using a 50X margin ratio.\\nIf the price goes up to $42.6, your yield is 50*(42.6-10)/10*100%=16,300%.\\nThat's a gain of $16.3 million for you.\\n\\nFor example, if you are engaged in spot trading and want to use $100,000 to reap a profit of $16.3 million, the price of NEN must rise to $1,640.\\n\\nComparing the two profit models, who is easier to achieve such excess returns?\\nIn this comparison, the advantages of contract trading are very prominent.\",), ('*While waiting for profits to expand, I share an important message.*\\n\\nMay CPI data and FOMC meeting expectations, as well as the impact on major markets.\\nIn the United States, CPI inflation slowed more than expected in May, and the year-on-year growth rate of core service inflation excluding housing fell to 4.6%, the lowest since March 2022.\\nThat provided a reason for Fed officials to pause rate hikes after raising them for more than a year.\\nThe Fed will decide whether to raise interest rates at the new FOMC meeting, or to suspend interest rate hikes and further assess the economic situation.',), (\"Several policymakers, including Fed Chairman Jerome Powell, have signaled their preference for no rate hikes at the June 13-14 meeting, but left the door open for future tightening if necessary.\\nInflation fell to about half of last year's peak in May, but remains well above the 2 percent target the Fed wants to see.\",), (\"*The Fed will most likely keep interest rates unchanged this time. But another rate hike at next month's meeting is divided.*\\nThe Fed may need time to assess whether its policy and banking pressures are exerting enough downward pressure on prices.\\n\\n*Let me briefly describe the impact of this on the major markets.*\\n1. Short-term benefits for US stocks and futures.\\n2. This will moderately weaken the short-term negative factors in the cryptocurrency market.\\n3. Short-term negative for the dollar and U.S. Treasury bonds.\\n4. Short-term support for gold prices, but gold will likely fall to $1,800-1,850 per ounce this year.\\nI have recently analyzed the relevant logic of gold and the U.S. dollar in detail. You can consult my assistant, Ms. Mary, for relevant information.\",), ('*Important information.*\\nI sold my NEN contract order.\\nBecause the short-term upward momentum of BTC is insufficient, I am worried that this will affect the short-term trend and profits of NEN.\\n\\n*Important information.*\\nI sold my NEN contract order.\\nBecause the short-term upward momentum of BTC is insufficient, I am worried that this will affect the short-term trend and profits of NEN.',), (\"Friends, I am busy today.\\nJust now, my trading team and I were discussing NEN's trading plan.\\nThe NEN trading signal I shared today is a bit of a pity. This signal only earned 134.92% of the profit.\\nThis transaction can actually help us earn about 300% of the income.\\nHowever, from the perspective of risk control, there is no problem in keeping fast in and fast out in the rhythm of short-term trading.\\nIt doesn't matter, this shows that the trend of NEN is very strong, and my judgment on it is not wrong. I look forward to the next opportunity and performance of NEN.\\n\\nIn order to better help friends, I will open the group chat function next, and friends can ask questions if they have any unclear points.\\nThen, I will take time to answer questions from my friends.\",), ('Learn more about cryptocurrencies by learning in groups. Voted for you today.',), ('how did you do that? It is wonderful to be able to make a profit of 100% or 300% in the short term.',), ('This is very intuitive, not only records the change of total assets, but also records the change of initial capital under the condition of compound interest.',), ('I downloaded the voting platform and keep voting for you every day, and I also learned some knowledge about this field in your explanation. I love it and it will bring me fortune. I support you.',), ('Every day, I follow the messages of the group in time, and I am afraid of missing important content. I am already preparing to trade with you.',), (\"I've already voted, Mr. Jim.\\nI think it seems simple to achieve 100% of the profit target with your profitability.\",), (\"I don't understand, can you tell me your opinion?\",), ('Members of Congress submit bill to fire SEC Chairman Gensler.',), (\"I didn't participate in the NEN in time this time, which caused me to lose my wealth. Make me feel sorry.\",), ('what happened?',), ('The trend of crude oil is exactly in line with your previous prediction, Mr. Jim, this is amazing.',), ('This is not to use all capital positions to participate, but 20%, which is still very difficult.',), ('The contract trading is too wonderful, and the rise of NEN is very good',), (\"Yes, this is to control risk, it is a combination strategy. And the income of BTC/USDT is not as high as that of NEN/USDT.\\nThrough Professor Jim's explanation, I am looking forward to the next trend of NEN.\",), ('Because members of Congress believe that Gensler abused his power, the capital market must be protected and the healthy development of the cryptocurrency market must be protected.',), ('This not only intuitively reflects the change of total capital, but also presents the situation of compound interest in the theoretical model.\\nIt can reflect risk control ability and profitability.\\nIf the profitability is strong, the compound interest data will show geometric multiplication, and the total assets will also grow steadily.\\nIf the risk control is not done well, the initial capital of 200,000 US dollars may be lost quickly, and the total assets will also be affected.',), ('this looks interesting',), ('That is, some officials think the SEC has gone too far with binance and coinbase?',), ('The beach is where I feel happy and relaxed. I was on the beach, listening to the sound of the waves, feeling the breeze, and my mood became relaxed and happy. The beautiful beach and peaceful atmosphere made me feel calm and relaxed, making me forget about the worries and stress in my life.',), (\"Watching NBA games makes me think scoring is easy, watching Ronnie O'Sullivan makes scoring goals easy, and watching Mr. Jim make money easy.\",), ('Lol, what you said is exactly what I thought',), (\"The incident has attracted global attention, but Europe's attitude is much better. In short, the SEC's measures are not good for the US market, so let's wait and see.\\nIf the SEC mishandles it, it will indeed affect the business of Binance and Coinbase.\\nBecause for users, we may change a trading center.\\nI am going to use the Btcoin trading center to make money with Professor Jim.\",), (\"But Rome wasn't built in a day\",), (\"Originally today was a bad day, I had a fight with my wife. But when I saw Mr. Jim's game and patient explanation, it inspired me, I think I need more patience.\",), ('Can the content sent by Gary Gensler on social media be understood as good news?',), ('family is more important than money',), ('You are right, watching the game is a very happy thing, and being able to learn from the master is a very meaningful thing.',), (\"The management also began to reduce its holdings, which was interpreted by the market as a signal that Nvidia's stock price is about to peak in the short term.\\nI think this is very important.\",), (\"Yes, thanks for the reassurance. But this thing is a bit complicated and it's overwhelming me.\",), (\"It's wonderful to be able to make money together and learn this technology.\\nProfessor Jim, if you can achieve 100% of the income this week, I will mobilize my staff and their families and friends to help you vote.\\nI own a supermarket and I'll help you spread the word about voting.\\nHope you can share some stock market information, I am investing in stocks, forex and cryptocurrencies.\\nI am very concerned about your game and looking forward to it.\",), (\"You're welcome\",), (\"Prof.Jim, I'm surprised to see your last week's earnings and profits in ICO projects.\\nIs this just one of your many trading accounts?\\nI also talked about you with my friends at the Ivy League today. Your record in college is used as a case for the younger generation to learn from.\\nIt turns out that you are such a low-key person.\\nI really look forward to working with you.\",), (\"I've voted for you, Mr. Jim.\\nI wish you success in the competition and look forward to sharing more money-making tips from you.\",), (\"Thank you friends for your approval.\\nSome achievements in the past do not represent the future.\\nLooking forward to NEN's better performance, the fund position I tested shows that it is developing in a good direction.\\nI hope my friends can support my game more.\\n\\nAt the same time, thank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nI saw the questions my friends asked, and I am happy to make my sharing valuable to you.\\nI turned off the group chat function, and I will make a summary of today's trading tips.\",), ('*Next, I share two themes.*\\n1. Focus on the follow-up trend of NEN, which is very likely to enter a strong upward trend stage.\\n2. What trading techniques did I use today to obtain short-term excess returns?\\n\\n*The following points can be drawn from the 30-minute trend analysis chart of NEN below.*\\n1. The price successfully breaks through the high point on the left.\\nThis indicates that the price is most likely entering a strong uptrend phase, which is characterized by \"prices repeatedly making new highs\".\\n2. Through the analysis of the trend line, we can assume that the price is running inside the ascending channel.\\nThis shows us an excellent trading opportunity, and I will analyze it based on the real-time trend in subsequent transactions.',), ('*The line connecting the highs and highs in the trend forms the price high trendline.*\\nThe line connecting the lows and lows forms the price low trendline.\\nTwo lines form an ascending channel.\\n\\n*It can be obtained by analyzing the four prices in the chart.*\\n1. Based on the calculation of the range of 11.8-9.86, it may be normal for NEN to increase by more than 19.7% in the ascending channel.\\nCalculated according to the margin ratio of 50X, its contract value exceeds 983%.\\n2. Calculated in the range of 6.8-9.8, the increase is expected to reach 44.18%. Calculated according to the margin ratio of 50X, its contract value is expected to reach 2,205%.',), ('*That is to say, the price is moving in this upward channel, using the margin ratio of 50X, the profit of contract trading is expected to reach 10-20 times, or even more.*\\nTherefore, I will focus on the follow-up trend of NEN, and I will use it as the main contract transaction object.',), ('*Next, summarize today\\'s trading skills.*\\nThe \"Bollinger Bands Indicative Effect on Dynamic Space\" I explained yesterday has been fully used in today\\'s trading.\\n\\nAfter you find the NEN variety in the application, select the technical indicator \"Bollinger Bands\" from the technical indicator options.\\n\\nNext, I use NEN\\'s 30-minute analysis chart and trading process to explain the buying point.\\nI use BTC\\'s 15-minute analysis chart and trading process to explain the selling points.\\n*At the same time, consolidate the knowledge points shared yesterday.*',), ('1. *I used two techniques in grasping the buying point of NEN.*\\n1) The negative value of MACD in 15-30 minutes shrinks, indicating an increase in buying.\\nI will gradually share the knowledge of MACD in the future.\\n2) At that time, the price of NEN was near the lower track of the 30-minute Bollinger Band.\\nI judged that this would be a good buying point, so I bought decisively and shared this signal with my friends.\\n\\n*Summary of technical points.*\\n1) The price runs inside the Bollinger Bands most of the time.\\nSo I used more capital position to participate in this transaction.\\n2) The space between the upper and lower rails of the Bollinger Bands indicates the range of price fluctuations.\\nTherefore, this transaction has achieved a relatively large return, with a yield as high as 134.92%.',), ('2. *I used 3 skills in BTC trading, the most important one is the skill of selling points.*\\n1) The middle rail of the Bollinger Bands runs downward.\\nThe middle rail of the Bollinger Bands often represents the direction of the trend, so I choose to create a bearish contract order.\\nThis is the essence of trend-following trading. Following the trend is to participate in high-probability events.\\n\\n2) At that time, the negative value of MACD was gradually increasing, indicating that the selling power was increasing.\\nI will gradually share the knowledge of MACD in the future.',), ('3) Use the support line to predict the selling point in advance.\\nBecause the recent trend of BTC is relatively weak, I sold it in advance and made a profit of about 17%.\\n\\n*Next, I will share the knowledge points of the support line.*',), ('A basketball that is thrown into the sky and then falls, rebounds after hitting the ground, which explains the role of drag.\\nAmong them, the two points of strength weakening and reaction force constitute the high and low points.\\nThe weakening of strength is what I often call \"divergence between indicators and prices\", and I will share it in detail later.\\n\\n*Prices move in the direction of least resistance.*\\nIn trading, if you grasp the resistance level, you can predict the approximate range of the price in advance.',), ('Both support and resistance lines are resistance lines.\\nBollinger Bands can also solve this problem very well, and I will share it in detail step by step in the future.\\nToday I will share one of the easiest ways to judge resistance levels.\\nThat is, price-packed ranges and highs and lows in a trend form resistance levels.\\n\\n⬇️As shown below.⬇️',), ('From the recent transactions, you can clearly see that except for today\\'s NEN transaction, any other transaction is very difficult.\\nBeing able to make sustained and steady profits is not just based on these simple knowledge points. But these are the basics.\\nRome wasn\\'t built in a day, but every stone used to build a beautiful palace had to be solid.\\nEvery technical point of \"Perfect Eight Chapters Raiders\" is summed up after more than 30 years of experience.\\n\\nActual combat is always the best way to learn, and the market is the best teacher.\\nIf you have any questions, please feel free to write to me, or write to my assistant, Ms. Mary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nShare these today and see you tomorrow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and he hopes that his friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\",), (\"Thanks to Professor Jim for sharing today, his combination strategy today has achieved good returns.\\nCongratulations to the friends who followed him to seize the opportunity.\\n\\n*If you want to get voting windows.*\\nIf you want to get a gift from Professor Jim.🎁🎁\\nIf you want to get real-time trading strategies or signals from Professor Jim's team.💡💡\\nIf you want to learn Professor Jim's method of making money, profit model, and trading system.📊📊\\nOr you need my help.\\nPlease add my business card to write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim Anderson, who was the first to enter the final among the preliminary contestants, with outstanding strength.',), (\"Later, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or from Ms. Mary Garcia, assistant to Professor Jim Anderson.\\nI wish the players excellent results and wish everyone a happy investment.\",), ('*Important information.*\\nI created a NEN bullrish contract order.\\nThis is a very classic technical graphic.\\n\\n*Important information.*\\nI created a NEN bullrish contract order.\\nThis is a very classic technical graphic.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my votes and ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send a screenshot of your vote to my assistant Mary as a basis for receiving the $3,000 reward.\\n\\nThe portfolio investment strategy I used last week was successful, and this week I want to achieve the goal of 100% short-term compound interest income, please friends to witness for me.\\nThe signal I shared yesterday earned an average rate of return of 75.93%. Can we gain more today?\\nWhich technique will I use today to seize market opportunities?\\nTreasury Secretary Yellen made some important remarks on the dollar, what is the impact?\\nI will share these today.\",), (\"*Important news to share.*\\nU.S. Treasury Secretary Janet Yellen said on Tuesday that the U.S. dollar's share of global foreign exchange reserves will slowly decline, but there is no substitute for the U.S. dollar that can completely replace it.\\nThe views she expressed are as follows.\\n1. Some countries may seek alternative currencies due to sanctions.\\n2. But the current role of the US dollar in the world financial system is for good reason, and no other country can replicate it, including China.\\n3. The United States has a highly liquid, open financial market, a strong rule of law, and no capital controls. It is not easy for any country to come up with a way to bypass the US dollar*Important news to share.*\",), (\"4. US lawmakers have not done anything in favor of the dollar. She reiterated longstanding concerns about the U.S. debt ceiling crisis, saying it undermined global confidence in the U.S. ability to meet its debt obligations and damaged the dollar's reputation.\",), ('*The following points can be drawn from the 30-minute trend analysis chart of BTC.*\\n1. The current price has entered the end of the triangle range.\\n1) The volatility will become smaller and smaller, and the chance of profit will become smaller and smaller.\\n2) The direction cannot be determined. If you participate in it now, there is only a 50% success rate.\\n2. The best strategy is to wait for the trend to form.\\n1) Create a bullish contract order based on the strength of the price breaking the red pressure line.',), ('If the price breaks through successfully, the pressure line becomes the support line, and when the price falls back near the support line, create a bullish order when the selling force is exhausted.\\nThe target position is the upper yellow pressure line.\\n2) Price breaks below the white trendline to create a bearish contract order.\\nThe target position is the green support line below.',), (\"*Yesterday, I had a late chat with a lot of friends after finishing the transaction, and I found two problems.*\\n1. My friends are very appreciative of the content I share, but some of the content is a bit esoteric and difficult to understand.\\nI understand this very well, because when your financial investment knowledge has not reached a certain level, you may not necessarily understand certain data, terms, logic, etc.\\nBut if you want to predict in advance and grasp market trends in real time, this process of accumulation is necessary.\\nI suggest that friends spend more time and ask me if there is anything you don't understand.\",), ('2. My friends are very appreciative of the techniques I use in trading, and are very interested in learning the techniques to make money, but many friends do not know how to use technical indicators, and hope to get simple and effective methods.',), ('Trading is often boring, because most of the time is waiting for the signal to appear.\\nA request from friends I thought it was fun and it fit my original intention.\\nI hope that in the process of this competition, some talented traders can be cultivated and included in my trading team.\\n\\nAfter communicating with my friends, I thought deeply about the following 4 questions and came up with an important answer.\\n*1. How can I get more income in the game?*\\n2. How should I get more votes?\\n3. How should I share my trading signals and techniques to help my supporters?\\n4. In response to the current difficult trend, I used a combination strategy, which is very correct.\\nOn this basis, can I do better?\\n\\nI think I can do this. And I want to win.',), (\"After careful consideration, I finally came up with a plan.\\nIt is my trading secret - 'One Trick to Win'.\\nAttention everyone, today I will share this trading secret.\\n\\n*But I have two requirements.*\\n1. This plan should not be circulated.\\nThis was the secret weapon that got me into the finals from the first place in the preliminary rounds.\\nIf you learn this trading secret, you will be able to achieve stable profits in any investment market.\",), (\"2. I hope that after I share this method, I can get the support of more friends.\\nHopefully with the support of my friends, I will be ahead of all contestants by next week.\\n\\nIf friends can do the above two points, I will share the main points of 'One Trick to Win' with friends who support me in this competition, and teach those who want to get this method.\",), (\"In fact, I have used this secret in today's trading.\\nIn about an hour, I have already harvested about 120% of the income.\\n\\nI will share this secret today.\\nFriends may wish to think about what is the secret, it is very simple.\\n\\n*I will release new signals at any time, please pay attention.*\",), (\"*Important information.*\\nNEN's orders have already reaped a short-term excess return of about 140%.\\nAlthough the general trend of NEN is good, the trend of BTC is not stable. I am worried that this will affect the short-term profit of NEN.\\nShort-term trading requires fast in and fast out. In order to keep profits, I chose to sell the bullish contract order of NEN just created.\",), (\"I saw some friends sent me profitable screenshots.\\nCongratulations, you have reaped excess short-term returns.\\n*The general trend of NEN is very good, this is a very good track, I suggest friends pay more attention.*\\n\\nPlease take a look at the 6 trend charts I randomly selected below.\\nNote that there are treasures in these graphics, and among them are the secrets I'm about to share.\\nIn order to better help my friends, I will open the group chat function next.\\nFriends, if there is anything unclear, you can ask questions.\\nYou may wish to think and discuss this graph.\\nThen, I will take time to answer friends' questions and share 'One Trick to Win'.\",), (\"Jim, I already voted for you.\\nWhat kind of secret sauce this will be, I'm curious.\",), (\"Today's transaction, earned $260, very happy, thank you\",), ('Friends, what are you investing in? I want to know what can I do to make money like you guys.',), ('Thank you, I made $440 today',), ('According to the calculation of compound interest, Jim has achieved 100% of his profit target yesterday, which is incredible.',), (\"Wow this is amazing.\\nProf. Jim Anderson, when you said that 'BTC has not formed a trend', it is in a sideways market with no room for profit.\\nWhen you release the take profit signal of NEN, BTC starts to fall.\\nHow did you do this, your judgment is too precise, can you tell me the basis of your judgment?\",), ('Vote for you, I will try with a small amount of money',), ('Thanks for telling often, I see. Already voted for you.',), ('For contract transactions of cryptocurrencies, you can consult Mary.',), ('ok, thx.',), (\"Yes, it's precise and efficient.\",), (\"I'm so happy to be able to trade with you, and I've made 968美金 dollars today, which is equivalent to my day's wages, plus my job is double the income. Today is a good day.\",), (\"This is the embodiment of Jim Anderson's decades of skill.🧐\",), (\"Another money-making day, I don't want to work anymore. Today's Earnings520¥. I am very satisfied\",), ('Yes, I earned 101% in an hour and a half, which is wonderful and efficient.',), (\"This is the power of compound interest calculation, and Jim's records can clearly see that the return on total assets has reached 54%, and it only took 4 days, which is incredible.\",), (\"What's the secret to 'One Trick to Win'?\",), (\"Many people don't understand that Gary has explained it to me, and I am very grateful to her.\",), (\"Professor, did you use the relationship between Bollinger Bands and trends in your 'One Trick to Win'?\",), (\"Wow, it's hard to achieve gains like this in the stock market.\",), (\"I pay attention to the transaction information of the group every day, afraid of missing the opportunity to make money. Today's income is considerable, thank you very much.\",), ('Michael Saylor also expressed the same opinion as Jim Anderson, the US SEC enforcement action is good for Bitcoin, and the price of the currency is expected to rise to $250,000.',), ('Jennifer Farer, the U.S. Securities and Exchange Commission attorney handling the Binance lawsuit, told Judge Amy Berman Jackson of the District Court for the District of Columbia on Tuesday local time that she is \"open to allowing Binance to continue to operate.\"',), ('A federal judge ordered Binance and the SEC to attend a mediation session.\\nThis is all good news.',), ('I think so too, I hope this matter will be dealt with quickly, and then the bull market will start.',), ('I think since it is one trick to win, it should not be that complicated.',), (\"Mr. Anderson, don't worry, I will never spread your trading secrets. I am your loyal supporter and look forward to your sharing.\",), ('I bought at the first signal from Mr. Anderson and made 147%, which surprised me. The income reached 635 US dollars, which is my wealth. cheers to you🥃🥃',), ('It would be great if I knew Prof. Jim Anderson earlier.\\nI bought $500,000 in BTC at $56,000 and lost a lot of money.\\nAfter I left my job in the bank, I have a lot of time to study, I watch the news every day, and I look forward to your sharing, Prof. Jim Anderson.',), (\"If the trend of BTC, ETH and other trading targets is not clear, we can completely focus on searching for other trading targets with clear trends, which can greatly improve efficiency.\\nToday's transaction is a good case, which can greatly improve transaction efficiency.\",), (\"Prof. Jim Anderson, what's the secret to this method? I really want to know.\",), ('Yeah? I am very excited.',), (\"Yes, I am also looking forward to Jim's sharing.\\nAs long as it is a method that can make money, it is a good method, and it is useless to write a book about a method that cannot make money.\",), ('Jim, this is great, I will definitely ask my friends around me to vote for you.',), ('you are so right',), ('Thank you for your hard work, Professor. I will always support you.',), ('Mr. Jim Anderson, I remember you said that \"the investment that can be sustained and successful must be continuously replicated, and the investment method that can be replicated must be simple.\"',), ('Anderson。\\nLooking forward to your sharing, I am going to take notes, Prof. Anderson.',), ('Jim , thank you very much for your guidance, my NEN spot profit has exceeded 400%.\\nYou said that the trend of NEN is very good. I want to sell my NEN spot and transfer to the contract market. What should I pay attention to when creating a contract order?',), ('@14244990541 Jim, I want to sell my spot, can I buy some NEN contracts at the current price?',), ('Yes, you can use 5% of your capital position to create a bullish contract order.',), ('OK, thanks.',), ('Write to me, and I will help you make an investment plan according to your specific situation.',), (\"I am very grateful to my friends for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me.\\nI saw the questions my friends asked, and I am happy to make my sharing valuable to you.\\nI turned off group chat.\\n*Later I will start sharing 'One Trick to Win'.*\\n\\nIt can be seen from the income of my test capital position that the trend of NEN is very good, and we are all looking forward to its performance similar to BUA or MGE.\\nIt can be seen from the 1-hour trend analysis chart that the price-intensive range continues to rise, which is a typical upward trend.\\nThe current focus is on the support effect of the rising trend line and the bottom of the range on the price.\\n\\nFriends who want to get relevant trading signals or trading plans can write to me or my assistant Mary.\",), (\"Although the combination of Bollinger Bands and MACD is a common indicator for 'Perfect Eight Chapters Raiders'.\\nBut the 'One Trick to Win' I shared today does not require any other auxiliary tools.\\n*As I said earlier, 'One Trick to Win' was my secret weapon to stand out in the preliminary stage.*\\n\\nNext, I will share the key points, please read carefully and study carefully.\\nAt the same time, I hope to gain the support of more friends.\\n\\n*Please see the place marked by the yellow rectangle in the picture below.*\\n*Remember the combination pattern of this candlestick chart.*\",), ('If you want to learn this secret weapon, the simplest knowledge you must first understand is the construction of candlestick charts.\\n1. Each candle chart has four prices, which are the opening price, the highest price, the lowest price, and the closing price.\\nFor example, 1 one-minute candle every 1 minute, 12 5-minute candles every 1 hour, 4 15-minute candles every 1 hour, etc.\\n2. Sometimes some of these four prices overlap, resulting in different forms.\\n\\n3. *If there are four prices in a certain candlestick chart, then this candlestick chart has three important components, namely the upper wick, the lower wick and the rectangular part.*\\n\\nHaving these basics is enough. Next is the point.',), ('*The main points of \\'One Trick to Win\\' are as follows.*\\n1. If there is a combination of \"long candle wick\" and \"large rectangle on the right engulfing the small rectangle on the left\" in the combination pattern of the candle chart, it often constitutes a better buying and selling point.\\n2. The longer the wick, the better.\\n3. The longer the rectangle on the right, the better, and it is opposite to the trend of the candle chart on the left.\\n4. The combination pattern is often composed of 2-6 candlesticks, and the fewer the number, the better.',), (\"Friends can check the transaction records of yesterday and today.\\n*I used this technique in yesterday's BTC* *contract transaction and today's NEN* *contract transaction.* \\nThe trading signals I posted have all achieved good profits.\",), ('*What is the trading truth expressed by this candle combination pattern?*\\n1. The occurrence of this form means that large funds have entered the market, and then broke the calm of the market or reversed the trend of the market.\\n2. \"Long candle wick\" means that buyers and sellers have great differences at this price, and one of them wins, so the longer the candle wick, the better.\\n3. \"The big rectangle engulfs the small rectangle\" indicates the strength and determination of funds, so the bigger the big rectangle, the better, and the smaller the small rectangle, the better. The bigger the gap between the two, the stronger the power formed.',), (\"Friends, please understand what I am sharing today.\\nThis is my secret weapon, please don't let it out.\\nI hope to get the support of more friends.\\nI suggest that you can find these graphics by reviewing the market.\\nIn future transactions, we will look for this kind of graphics together, and then capture opportunities together.\\nActual combat is always the best way to learn, and the market is the best teacher.\\n\\nIf you have any questions, please write to communicate, or write to my assistant Mary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nShare these today and see you tomorrow.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia and I'm an assistant to Prof. Jim Anderson.\\nWelcome new friends to join this investment discussion group.\\nProf. Jim Anderson is competing and I hope friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\n\\nThanks to Prof. Jim Anderson for sharing today, his combination strategy and signal today have achieved good returns.\\nCongratulations to the friends who followed him to seize the opportunity.\",), ('If you want to get voting windows.\\nIf you want to get a gift from Prof. Jim Anderson.\\nIf you want to get real-time trading strategies or signals from his team.\\nIf you want to learn his investment notes, methods of making money, profit models, and trading systems.\\nOr you need my help.\\nPlease add my business card to write to me.📩',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim Anderson, who was the first to enter the final among the preliminary contestants, with outstanding strength.',), (\"Later, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or from Ms. Mary Garcia, assistant to Professor Jim Anderson.\\nI wish the players excellent results and wish everyone a happy investment.\",), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my votes and ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send a screenshot of your vote to my assistant Mary as a basis for receiving the $3,000 reward.\",), (\"So far, our combination investment strategy has worked very well. The compound interest income has already exceeded the weekly goal of 100%, and the total asset return is also amazing.\\nThe main reason is that I seized the opportunity of contract trading after the listing of NEN, and gained 137% of the profit yesterday. Today we will continue to work hard together.\\n*How did you use yesterday's BTC strategy?*\\n*How will the FOMC meeting affect the markets?*\\n*Have you learned 'One Trick to Win'? Why do you say the longer the wick, the better?*\\nI will share these today.\",), (\"*Important news to share.*\\nHighlights of the Federal Reserve's June FOMC meeting: interest rates may continue to rise in the second half of the year.\\n1. At this meeting, the Fed announced to keep interest rates unchanged.\\n2. The dot plot shows that the interest rate expectations of Fed officials have moved up, implying that the interest rate will be raised by 50bp in the second half of this year.\\n3. Forecasts for economic data and inflation have become more optimistic. It seems that the Fed is very confident in the soft landing of the economy.\",), (\"Powell insisted on defending the Fed's 2% inflation target and famously said 'Whatever it takes'.\\nHe has a cautious attitude towards inflation, and is more inclined to slow down the pace of tightening and practice 'Higher for Longer'.\\nThe U.S. dollar index, long-term U.S. bond yields, the stock market and the cryptocurrency market fluctuated violently.\\n\\nFor detailed views, you can consult my assistant Mary.\",), ('Mary Garcia',), (\"Maybe many friends are waiting for my trading signal.\\nI am observing the market, and I advise my friends not to rush to create an order.\\nBecause I am currently holding three orders, and all of them have made substantial profits.\\nI will post my trading signals anytime I have a better opportunity.\\nFriends who want to follow my strategy and signals wait a little bit.\\nFirst of all, let's review the BTC strategy I shared yesterday. Many friends implemented this strategy yesterday and made a lot of profits.\",), (\"*Friends, please pay attention to the picture above.*\\n*Figure 1 is yesterday's BTC strategy map.*\\nFigure 3 shows the timing when I created a BTC bearish contract order yesterday, which is 14:06:25.\\nFigure 4 shows the BTC orders I hold.\\nFigure 2 is an enlarged view.\\n\\n*Focusing on Figure 2, there are two important points.*\\nPoint 1: Timing.\\nAt that time, the price fell below the uptrend line.\\nPoint 2: Candle chart.\\nThis candle chart shows a long wick pattern.\\n*This is the main point in the 'One Trick to Win' that I will explain today.*\",), ('*Important information.*\\nWhen BTC fell sharply yesterday, NEN did not fall sharply in the short term, indicating that the buying of NEN is very strong.\\nBTC is currently slowly falling, while the price of NEN is very stable, it refuses to fall, indicating that the price has met the approval of buyers.\\nIt is a very good buying point at this moment, so I added a NEN bullish contract order.\\n\\nWhen conducting contract transactions, please recognize the currency name, margin ratio, direction, fund position and other elements to avoid unnecessary losses.\\n\\n*Token: NEN/USDT*\\nLever (margin ratio): 50X\\nTrading mode: Market Price\\nTransaction Type: Buy\\nFund position: 20%',), (\"Why is this a good buying point?\\nFriends may wish to think about it first.\\nI will gradually share the tactical skills of the trading system of 'One Trick to Win' with my supporters in this competition.\\nToday I will share a key point in that system.\\n\\nAlso, in order to keep the profit, I sold the BTC order.\\nFriends who implemented the BTC strategy yesterday, I recommend selling to keep profits, because the one-hour trend chart of BTC shows that the price will re-select the direction.\",), ('There are several reasons why I sold BTC profit orders.\\n1. Short-term pay attention to fast in and fast out.\\n2. Keep profits.\\nAlthough BTC is in a downward trend, if the price re-selects its direction, it may rise first and then fall.\\nI saw that many of my friends did not earn much from yesterday’s orders, and very few earned more than 50%. This shows that you were not quick enough to grasp the timing of buying points, and yesterday’s trend was relatively rapid.\\nIf the price goes up first, this affects profits',), ('3. Wait for the next opportunity to present itself.\\nFor example, when the price rises to near the upper rail of the 1-hour Bollinger Band or near the pressure line, the positive value of MACD shrinks.\\nFor example, the price successfully fell below the support line, accompanied by the continuous increase in the negative value of MACD.\\nThese are more deterministic opportunities.',), (\"Friends, when you seize the opportunity, please pay attention to the use of 'One Trick to Win'.\\nPlease see, my two BTC contract transactions used 'One Trick to Win'.\\nThe BTC 15-minute trend chart analysis is very obvious to see the combination of such candle charts.\\n\\nI used this method in yesterday's and today's NEN contract transactions.\",), ('*Important information.*\\nAt present, the trend of NEN is not very smooth. It may be that the pressure range on the left has put pressure on the upward price to a certain extent.\\nAlthough I am still optimistic about this trend, short-term trading emphasizes fast in and fast out.\\nTherefore, I suggest that friends who participated in this transaction, when your profit exceeds 40%, you can choose to sell at any time to keep the profit.',), ('I saw some friends sent me profitable screenshots.\\nCongratulations, you have reaped excess short-term returns.\\nThe general trend of NEN is very good, this is a very good track, I suggest friends pay more attention.\\n\\nYou can see from the above figure that as long as you can maintain a high success rate, your income will increase by leaps and bounds under compound interest conditions, and the income from total assets will also rise steadily.\\nWhen grasping deterministic trends and opportunities, contract trading is undoubtedly a good tool.',), (\"Please take a look at the 3 trend charts I randomly selected.\\nNote that there are treasures in these graphics, and among them are the secrets I'm about to share.\\nEveryone may wish to think and discuss, why the longer the candle wick, the better? .\\n\\nIn order to better help my friends, I will open the group chat function next.\\n*Friends, if there is anything unclear, you can ask questions.*\\n*Then I will answer friends' questions and explain the important content of 'One Trick to Win'.*\",), ('After I saw the news, I sold it quickly, but it was too late, and I only made 56% of $300, and I regretted it',), (\"I'm voting for you every day\",), ('I am really happy today. I made $360. This is my happiest thing today. Thanks',), ('contract trading is so interesting',), ('Have voted',), ('Wow, when you sold the bearish contract of BTC, BTC skyrocketed.\\nJim, how did you do it, this judgment is too accurate.',), (\"Today's trend is very fierce, I made 109% but my principal is not much, I don't have that much profit, but I am also very satisfied, I will gradually increase my capital\",)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple mentions of 'Jim', specifically 'Professor Jim' and 'Jim Anderson', which are clear references to a person's name.\"}\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : ['chat.subject', 'message.text_data', 'message.translated_text', 'message_vcard.vcard']\n", - "\n", - "--- END METADATA ---\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find loosely structured human name-like strings in the database\n", - "1: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "2: AI -> Retrieved 200 rows\n", - "3: AI -> SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "4: AI -> Retrieved 3678 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 2\n", - "phase : extraction\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 200;\n", - "extraction_sql : SELECT subject FROM chat WHERE subject REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT text_data FROM message WHERE text_data REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT translated_text FROM message WHERE translated_text REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT vcard FROM message_vcard WHERE vcard REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "rows_count : 3678\n", - "rows_sample : [('6️⃣ Wealth Builders Club',), ('6️⃣ Bitcoin Masters - Jim Investment Team',), ('Welcome new friends to join our Bitcoin Master - Jim Investment Team family\\nSince Professor Jim is currently invited to participate in the cryptocurrency competition held by the organizer Btcoin Trading Center, he is currently preparing for the final stage, and new friends in the discussion group continue to join in and vote for Professor Jim.',), ('Therefore, the free chat function of the discussion group will not be opened for the time being, and friends are waiting patiently. I hope that friends will continue to stay in Bitcoin Master - Jim Investment Team and have a pleasant journey.\\nOf course, friends stay in the discussion group, Professor Jim will also lead friends to make huge profits in the investment market, then please vote for Professor Jim, and you will also have the opportunity to get a voting reward of 3,000 US dollars;There is also a real-time trading signal strategy with at least 30% profit per day Friends can first add the business card below to book a voting reward of 3,000 US dollars.',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), ('1.🔹 Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.📈📈\\nHistorically, as the U.S. approaches its debt ceiling, U.S. Treasuries have typically plummeted and yields soared.\\nUS stocks fell sharply late yesterday. Bank stock indexes fell.📉📉📉\\nDXY hit a new high this month, and the two-year U.S. bond yield rose by more than 10 basis points.\\nCrude oil, gold, and BTC fell.\\nThrough the performance of major markets, it can be seen that it is greatly affected by the debt ceiling impasse.❓❓❓',), (\"Treasury Secretary Yellen issued her strongest warning yet. More than 140 U.S. business leaders urged the administration and Congress to quickly resolve the debt impasse. Biden's trip to Asia was cut short.\\nBefore the announcement of the negotiation results, there is a high probability that stocks, bonds, the US dollar, cryptocurrencies, gold, and crude oil will continue this short-term trend.\",), ('2. 🔸The Fed will still choose to raise interest rates if necessary.\\nLorie Logan, president of the Federal Reserve Bank of Dallas, expressed his view yesterday that raising interest rates at a smaller and less frequent pace will help the possibility that monetary policy will lead to financial instability.\\nThis point of view has aroused extensive discussion among scholars.',), (\"The FOMC meeting earlier this month did not express definitive remarks.\\nTherefore, the uncertainty in the future is very high. A large number of economic data will be released before the meeting in mid-June. In addition, there may be other factors that are unfavorable to the economy.\\nThe PCE data, which the Fed values, is still more than double the central bank's target. Inflation is starting to come down because of the many actions the Fed has taken in the past, but it may take more time if prices are to continue cooling.\\nTherefore, the Fed will still choose to raise interest rates if necessary.📊📊\",), (\"3. 🔹Today's BTC strategy: medium-term buying point and short-term range game.\\n\\nJudging from the BTC daily trend chart, the mid-term buying point is established.\\n1️⃣)Compared with the illustration on the left, the price is near the important support level.\\n2️⃣The upward trend of MA90-120 is good, providing important technical support and psychological support for the price.\",), ('3️⃣ The negative value of MACD gradually decreases, which is regarded as a buying point. So I created a call contract order using a fund position within 5%.\\n4️⃣ Stop loss when the price falls below MA120 or the support line.\\n5️⃣ The time to intervene on the right side is: wait for the time when the value of MACD turns from negative to positive, the yellow fast line goes up, and the fast and slow line shows a golden cross.\\n\\nStick to the top and pay attention to this group, I will interpret the latest policies and announce real-time strategies every day.\\nNext, I will share short-term strategies.👇🏻👇🏻👇🏻',), ('Hi, dear, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry, this is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share. As Mr. Jim participated in the competition of Btcoin-2023 New Bull Market Mars-Final, we invite you to enter this group to vote for Mr. Jim. ☺️ Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars.There is also a real-time trading signal strategy with at least 30% profit per day, I hope to get your support. Thank you',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\n⬇️I will explain to you⬇️\",), ('Mary Garcia',), ('The short-term 30-minute interval game strategy is as follows.👇🏻👇🏻\\nAffected by the deadlock of the debt ceiling and the expectation of interest rate hikes, the price of BTC has been relatively weak recently and fluctuated within a narrow range.\\nTherefore, there are opportunities for short-term games, but the earnings expectations must be lowered.\\nToday I created a call contract order with less than 5% of my capital position.',), ('When the price is close to the pressure level or support level, when the positive value of MACD decreases, it is regarded as a selling point, and when the negative value of MACD decreases, it is regarded as a buying point.\\nStop loss when the price moves in the opposite direction and breaks the resistance high or breaks the support level.\\nReal-time strategies are available through my assistant, Ms. Mary.🔸⬇️⬇️🔹',), ('Mary Garcia',), ('Although the short-term U.S. bond yields and the strengthening of the U.S. dollar are not good for the cryptocurrency market.\\nHowever, factors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAt the same time, amid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counteract the possible impact of further interest rate hikes by the Fed.',), ('The current price of BTC is at an important support level in the mid-term, and there are obvious signs of stopping the decline, and the mid-term buying point is established.\\n$30,000 is bound to be a new starting point for BTC’s fourth bull run.\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will lead my friends who support me to show their ambitions in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.💰💰\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝',), (\"Hello ladies and gentlemen.❤️❤️❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 💰💰💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌💌⬇️⬇️⬇️\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"direction of interest rate policy\" and \"impact of debt impasse on the stock market\".\\nToday I will share the following topics.\\n1. Affected by the debt ceiling impasse, U.S. stocks fell sharply in late trading yesterday, while U.S. bond yields and the U.S. dollar ushered in a short-term rise.\\n2. The Fed will still choose to raise interest rates if necessary.\\n3. Today\\'s BTC strategy: medium-term buying point and short-term range game.',), (\"1. Today's BTC contract trading strategy.\\n1) As shown in the 30-minute trend analysis chart above, the current price has entered a new triangle consolidation range.\\nVolatility is reduced, so we lower our earnings expectations.\\n2) When the price runs near the trendline or support line, a BTC bullish contract order can be created.\\nUse the opportunity when the 30-minute MACD negative value decreases to intervene, and use the price that is less than the 30-minute cycle level to deviate from the technical indicators to determine the buying point.\\nThe specific method I have shared last week. Friends who don't understand can ask my assistant, Ms. Mary.\\n3) Stop loss when the price falls below the upward trend line, because when the price establishes the interval between the pressure line and the support line again, the trend will weaken.\\n4) The target price is near the pressure line.\\n5) The capital position is less than 5%.\",), (\"Yesterday I shared the mid-term strategy and the short-term range game strategy, and announced my trading signals.\\nFriends who have just joined the group can consult my assistant, Ms. Mary, about yesterday's handouts.\\nThe return on bullish contract orders was as high as 120% yesterday.\\nCongratulations to friends who have followed my trading signals for gaining short-term excess returns.🔷🔷\",), ('Friends who want to grasp real-time trading signals can add the business card of my assistant Ms. Mary and write to her.👇🏻👇🏻👇🏻\\n\\nNext, I will share a very important topic. If you are investing in stocks, cryptocurrencies, bonds, US dollars, gold, crude oil, etc., I suggest you read the logic carefully.⬇️⬇️⬇️\\n2. Sort out the important logic: the debt impasse and the banking crisis have eased, and the possibility of the Fed raising interest rates in June has risen. Where should the major investment markets go?❓❓❓',), ('Mary Garcia',), ('2️⃣.2️⃣ The possibility of the Fed raising interest rates in June has increased, which will have an impact on major markets.\\nThe probability of the Fed raising interest rates in June has risen to about 40%, and this data confirms my recent view.\\nNext, I will briefly describe the main points of several major investment markets.👇🏻👇🏻',), ('Point 1: U.S. bond yields and the U.S. dollar are expected to usher in a short-term upward trend.\\nDue to the huge impact of the deadlock on the debt ceiling, although the negotiations between the two parties are mostly political games, there are many ways to solve this problem, and the probability of it developing to a more dangerous situation is relatively small.\\nIt has also never happened in history, so the expectation that this problem will be solved is high.\\nThis expectation is positive for U.S. bond yields and the dollar.\\nI will continue to track and analyze the progress and impact of the situation.✔️✔️',), ('2️⃣.1️⃣ The debt impasse and the easing of the banking crisis have boosted market sentiment, but one should not be too optimistic.\\nBiden and McCarthy said yesterday that their goal is to reach an agreement by the 21st to avoid an economically catastrophic default.\\nThe latest deposit levels released by Western Alliance Bancorp eased investor concerns about a worsening banking crisis.\\nAll major indexes rose yesterday.📈📈',), (\"The IEA monthly report showed that China's oil demand grew faster than expected, pushing up oil prices. The U.S. Department of Energy said on Monday that replenishment of the strategic reserve oil had supported oil prices.\\nBitcoin ushered in a rise in volume and price, which is a very healthy signal.\\nHowever, everyone should be careful not to be too optimistic before the debt ceiling issue is resolved, as it is still in a wait-and-see mode.\\nBecause the reason for the deadlock on the debt ceiling is because there is an element of political game between the two parties.\",), ('Point 2: Increased interest rate hike expectations are negative for gold, crude oil and US stocks.👇🏻👇🏻👇🏻👇🏻👇🏻\\nIn the last month, I published an important view on gold. It is summarized as follows.\\n1️⃣) The Fed is not expected to cut interest rates in the second half of the year, and the price of gold may be depressed.\\n2️⃣) The dollar may weaken further, providing support for gold prices but with limited effect.\\nPs: The current strengthening of the US dollar is even more detrimental to gold prices.\\n3️⃣) There is limited room for growth in demand for gold ETFs.',), ('4️⃣) High prices may dampen demand for jewellery, gold coins and bars.\\n5️⃣) Central bank gold demand may decline slightly.\\nIn addition, gold does not bear interest, and the current price of gold has fallen as scheduled, which is completely in line with expectations.\\nIf you are unclear about the logic in this area, you can ask for relevant handouts through my assistant, Ms. Mary.👇🏻👇🏻👇🏻',), ('Mary Garcia',), (\"Crude oil is a highly cyclical product. Oil prices will rise and fall with the demand level of the entire economy. Now it is the down cycle. The Fed's aggressive rate hikes have started to hurt the economy, and while they have lowered inflation, they could be accompanied by more pain because rate hikes typically hit the economy with a lag. Therefore, the price of oil is easy to fall but difficult to rise.\",), ('When the risk-free rate increases, it is bad for stock prices.\\nPeople reduce consumption and are more willing to save, reducing the capital flow of the stock market.\\nRaising interest rates means raising deposit and loan interest rates, increasing the difficulty of corporate financing, and negative for the stock market.\\nCoupled with the inevitable recession in the U.S. stock market, corporate profits will decline accordingly, which is bad for the stock market.\\n...\\n\\nAs an investor, we must pay attention to these impacts and risks.',), ('Point 3: 🔸A bull market for cryptocurrencies is coming.🌈\\nThere are two important factors that tell us that the spring of the cryptocurrency market has arrived.',), ('1️⃣) Internal factors: halving mechanism.\\nFrom a fundamental point of view, Bitcoin halving means that the number of Bitcoins that can be mined in the future will decrease, and the total amount of Bitcoins will eventually reach 21 million.\\nThis feature makes Bitcoin relatively scarce compared to fiat currency, and scarcity will gradually increase commodity prices. \\nFrom the perspective of historical trends, every Bitcoin halving period ushered in an unprecedentedly prosperous bull market.\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.',), ('2️⃣) External factors: Risks in the financial market make the cryptocurrency market a safe haven.\\nFactors that affect the stability of the financial market, such as US recession expectations, inflation, banking crises, and Sino-US relations, will become favorable factors for the cryptocurrency market.\\nAmid market uncertainty and investor concerns, the safe-haven demand for cryptocurrencies will be sufficient to counter the possible impact of further interest rate hikes by the Fed.\\nBitcoin will become the king of safe-haven assets over gold.\\nWhy is it said that the market value of the cryptocurrency market will soon surpass gold and be comparable to US stocks?\\nWhy is it said that the price of BTC will reach $360,000 in the fourth round of the bull market?\\nThe \"Btcoin-2023 New Bull Market Masters-Final\" voting window is about to open. At that time, I will share these logics and lead my friends who support me to show their ambitions in the cryptocurrency market.👇🏻👇🏻',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.🔶🔶🔶\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.✏️✏️\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.👇🏻👇🏻👇🏻',), ('Mary Garcia',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), ('Mary Garcia',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.🎁🎁\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆🏆\\nIf you want to receive a $3,000 🎁💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.🤝\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nYesterday I shared topics such as \"the impact of the Fed\\'s interest rate hike in June on major investment markets\".\\nToday I will share the following topics.\\n1. Today\\'s BTC contract trading strategy.\\n2. Rising bond yields and capital flows pose risks to the stock market.\\n3. The debt impasse will be resolved, but it will recur',), (\"1. 🔸Today's BTC contract trading strategy.\\nFrom last Sunday to today, I have announced a total of 3 trading signals, all of which have achieved good short-term gains. In the current trend of weak shocks, this is very rare.\\nTherefore, when trading opportunities arise, we still have to lower our earnings expectations.\\n\\nI think the mid-term buying point is established, so I mainly buy call contracts.\\n1️⃣) Consider buying when the price is near the support level.\",), (\"2️⃣) Take advantage of the timing when the price and the indicator run counter to each other to grasp the buying point.\\nFor example, timing1/2 in the above figure, the specific method I shared last week.\\nFriends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\n3️⃣) Stop loss when the price effectively falls below the support line.\\n4️⃣) When the price is close to the pressure line, take profit when the buying power is exhausted.\",), (\"3. 🔸The debt impasse will be resolved, but it will recur.\\nThe easiest way to solve the debt ceiling problem is to raise it, which has been done nearly 100 times in history, although there was a small hiccup today.\\nIt's like a husband and wife quarreling, and finally compromise with each other in order to maintain the peaceful coexistence of the two families.\\nBut this solution is not sustainable.\\nBecause this approach cannot pay investors high enough interest rates to allow them to hold debt assets, nor can it keep interest rates low enough that borrowers can service their debts.\",), ('When the amount of debt sold is greater than the amount buyers want to buy, the central bank faces a choice: Either let interest rates rise to balance supply and demand, which is hard on debtors and the economy. Or they have to print money to buy debt, which creates inflation and encourages debt holders to sell their debt, making the debt imbalance worse.',), ('Then, the cycle repeats itself.\\nThis problem will remain for a long time, and one day in the future there will be a real collapse of the financial system and a financial tsunami will occur.\\nSpeaking of this, what I most want to express is \"the cycle of raising and lowering interest rates is the government\\'s cash cow.\" This is an opinion I often express.\\nThe essence of inflation is excessive money supply.\\nIn this cycle, the people who benefit the most are the people who borrow the most, and the people who borrow the most are governments, financial institutions, and large technology companies.\\nWhat should we ordinary people do?',), ('I think the best way is to use our technology in the investment market to continuously make money, make money, and make money.💰💰💰\\nNow it seems that the cryptocurrency market is a good track.',), ('The generation mechanism of BTC determines that it is relatively scarce compared with fiat currency, and the scarcity will gradually increase the price of BTC.📈📈\\nFrom the perspective of historical trends, every time the BTC halving mechanism is triggered, an unprecedentedly prosperous bull market ushered in.👍🏻👍🏻\\nThis time point is approaching, and the market will feed back this expected difference in advance, so 2023 is the starting point of the fourth round of bull market for cryptocurrencies.\\nThe risk in the financial market makes the cryptocurrency market the best safe haven.\\nCryptocurrency has become the best investment tool of this century.📊',), ('As the debt ceiling issue is resolved, and interest rate policy is becoming clearer. Major investment markets will usher in a new beginning.1\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I would like to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nSharing these today, have a great weekend.🎁🎁⬇️⬇️',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), (\"See the picture above:⬆️⬆️⬆️\\nRecently I have received a lot of letters from my new friends. I believe you must have a lot of questions. Is this \\ncompetition real? Do you get a $3,000 bonus vote at the end? I'm currently interested in the cryptocurrency market. ❓❓❓\\nCan I actually make money in the cryptocurrency market?\\nI would like to say that since my contest is still in the preparatory stage, there will be new members in the group \\nin a few days, so please wait a few days, it won't be too long, I will tell you how to vote, please keep in touch 👇🏻👇🏻👇🏻👇🏻⬇️⬇️⬇️⬇️\",), (\"with my assistant Ms Mary, everything we do and say is true, and the contest supporting me is free, I won't charge \\nyou any fee. Since it doesn't require you to pay anything, why can't you have a try? So please don't quit in a hurry \\nand stay in my group to support me in the upcoming Contest. I am confident that I will win the first place in this \\nContest, so what I promise you will come true. I plan to reward my friends with $3,000 each for supporting me along \\nwith a real-time trading signal strategy of at least 30% profit per day\\nIf you are interested in investing in Bitcoin and receiving a voting quota of 3k dollars, please add the business \\ncard below. This is the business card of my assistant Mary Garcia. Have a great weekend.🤝🏻\",), ('Mary Garcia',), ('Hi, my friend, welcome to Mr. Jim\\'s group, please don\\'t quit in a hurry☺️This is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main topics to share.\\n\"Btcoin-2023 New Bull Market Mars-Final\" is about to enter the Final stage, so we invite you to enter this group to vote for Mr. Jim. Of course, you will get many rich rewards for voting for Mr. Jim. As a reward for voting, You will receive 3k dollars 💰.There is also a real-time trading signal strategy with at least 30% profit per day, All these are free. If you have any questions, please add my business card and communicate with me⤵️',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), (\"Welcome new friends to join the group. If you want to know how to earn 30% revenue every day, please don't leave the group in a hurry. 📌🔗📌Please join the discussion group first, and later I will tell you the purpose of inviting you to join our group\\n\\n\\n\\nPlease give me some time!🥇\",), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people join each day before the final, so you may see these repeated messages before the final.\\nSince today is the weekend, Mr. Jim will continue to share market news and trading signals in the group during the working day. The final game is about to start, and we will enable group chat. This is the beginning of today's share, from this moment on,\",), (\"we will officially let you know about this market. If you are interested in this, 📌🔗📌Remember to stick this discussion group to the top. I believe Mr. Jim's sharing will bring you great wealth\\nTo this end, Mr. Jim prepared two gifts for his supporters🎁🎁\\nFirst, he plans to give $3,000 each to friends who support him💰\\nHow to get this gift immediately? Please add your business card below\\n⬇️-⬇️-⬇️\\nThis is the business card of Mr. Jim's assistant Mary Garcia. Welcome to write to us\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.🤝🏻\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.👍🏻👍🏻🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nWelcome more new friends to join the group, hope to get your support.\\nPlease wait patiently, the finals will start soon.\\nAlthough today is the weekend, there is an important theme that I think it is necessary to share with you in time.🔺\\nThe investment theme I want to share today is: the debt ceiling crisis will trigger market turmoil, how should investors profit?❓❓❓',), (\"1. The debt ceiling crisis will continue to exacerbate financial market turmoil, and the banking industry will suffer greatly from it.\\nFrom the solution to the debt ceiling problem, capital flows, bearish positions and Yellen's remarks show that the banking crisis will intensify.\\n\\n1) The solution to the debt crisis is negative for the banking sector.\",), ('During the two debt crises of 2011 and 2013, Congress finally raised the debt ceiling at the last minute. Each time, after raising the debt limit, the Treasury replenished its cash reserves by re-issuing massive amounts of Treasury bonds and sucking in a lot of cash from the market.\\nOnce the debt ceiling crisis is resolved in this way, the US Treasury will return to borrowing over a trillion dollars to top up its cash reserve account. Then the liquidity of the market may be drained by the treasury bonds issued by the Ministry of Finance, and the banking system will face huge risks again, increasing the risk of bank failure again.',), ('2️⃣) The net inflow of money funds continued.\\nThe latest data from the Institute of Investment Companies of America shows that, continuing the trend of the previous week, the scale of monetary funds continued to expand.\\nSome $13.6 billion poured into U.S. money funds this week, pushing their size to an all-time high of $5.34 trillion.\\nOver the past three months, money funds have grown by more than $520 billion.',), (\"There are two reasons for the continuous net inflow of money funds.\\nOne is that after the Fed continued to raise interest rates, the market interest rate continued to rise, and the advantages for deposits expanded.\\nThe second is that the risk of deposits in small banks tends to make funds tend to be more secure monetary funds.\\nThe surge in money market inflows points to lingering risks in the banking sector. Meanwhile, the Fed's blood transfusion for banks is not over yet.\",), ('3)🔸 Bearish positions are increasing.\\nThe recent rebound in regional banks may not signal the end of the US banking crisis.\\nMany investors are also aggressively creating put orders on these banks.\\nNearly 48% of positions in the ETF KER are betting on regional banks falling, up from 42% last week, according to data compiled by technology and data analytics firm S3 Partners.',), (\"4) 🔴Treasury Secretary Yellen warned that more bank mergers may be necessary.\\nSome media revealed that on May 18, Yellen echoed the US regulators who said that bank mergers may occur in the current environment.\\nAccording to market analysis, this means that more banks are expected to fail soon.\\nYellen's remarks weighed on stocks of U.S. regional banks in early trading on Friday. Bank stocks generally retreated on Friday, with regional banks falling even more.📊📊\",), ('2. Under the turmoil of the financial system, the way investors make profits.\\nAlthough the U.S. managed to raise the debt ceiling in time, the 2011 debt ceiling crisis caused a massive spike in volatility and sparked wild swings across asset classes.📈📉\\nInvestors have three big ways to profit if U.S. stocks sell off as they did during the 2011 debt-ceiling crisis.🔸\\nThe Bank of America team wrote in a research report that customers can get up to 30 times the remuneration through some cheap Option Contracts. These operations pay off handsomely when the S&P falls by more than 10%.💰💰💰',), ('Hi, dear, welcome to Mr. Jim\\'s group. This group is a discussion group for cryptocurrency❗️If you are interested in cryptocurrency investment, \"Btcoin-2023 New Bull Market Mars-Final\" will enter the Final stage soon. Therefore, we invite you to join this group to vote for Mr. Jim. Of course, you will get a lot of rich rewards for voting for Mr. Jim 🥇. As a reward for voting, you will get 3k USD. There is also a real-time trading signal strategy with at least 30% profit per day,Please don\\'t quit the group in a hurry, so Mr. Jim will prepare two gifts for you🎁🎁. You can add my business card to get your gift',), ('Mary Garcia',), ('In my opinion, there are three extended ways to make profits, namely, put options on the S&P 500 index, VIX call options, and cryptocurrency call contracts.\\nAmong these three profit methods, I have a soft spot for cryptocurrency. It is not difficult to obtain 100 times the profit in this market, and there are many ways to make profits.',), (\"Except that the triggering of the fourth round of halving mechanism will lead to the start of the cryptocurrency bull market in 2023. The banking crisis has been one of the catalysts for Bitcoin's strong rise this year.\\nCryptocurrency prices have been soaring recently, reaching as high as $31,000 in mid-April as investor concerns over the U.S. banking sector began to mount again.\",), ('The intensification of the banking crisis is positive for safe-haven assets such as cryptocurrencies.\\nMy view on \"BTC\\'s medium-term buying point is established\" remains unchanged, and the stop loss line is MA120. As shown above, it is the strategy I will focus on this week.\\n\\nIf you want to get these three profit methods, or want to get a secure cryptocurrency application, or get real-time trading signals, you can ask my assistant, Ms. Mary,👩🏼 who is a software engineer.⬇️⬇️',), ('Mary Garcia',), ('As a thank you for your votes, I have also prepared two gifts.🤝🏻\\nFirst up is voting rewards,🎁🎁 I plan to award $3,000 💰💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📫📫\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.🤝🏻🤝🏻\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.🎁🎁\\nSince the Silicon Valley Bank incident, the global financial market has been in turmoil and investment has become more difficult, so I have shared more valuable information.\\nIn the last week, I tracked and shared topics such as debt impasse and three ways to profit, banking crisis, negative factors in the stock market, and major investment market trends.',), (\"Today I will share the following investment themes.\\n1.🔸 Treat market changes with caution, and the trend will gradually become clear.\\n2.🔹 Today's BTC contract trading strategy.\\n3.🔸 It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\",), ('1. Treat market changes with caution, and the trend will gradually become clear.📊\\nTake stocks and the US dollar as examples today to help friends clarify these trends.\\n\\n1️⃣) Beware of false breakthroughs in the stock market.\\nThere were signs of panic buying in stocks last week as some investors believed a new bull market had begun.\\nFor the stock market, the current valuation is too high, whether it is fundamental or technical, there is no possibility of breakthrough here.',), ('Defensive stocks are all rising at the moment, and cyclical stocks such as banking stocks, retail, and transportation are not performing well.\\nLike last summer, this rally will likely be a false up.\\nThe S&P 500 struggles to break out of the range between 3,800 and 4,300, and even if it does, it is likely to fall back later.\\nIt is recommended that friends beware of false breakthroughs, that is, bull traps.',), (\"2)🔸 The dollar needs to be cautious, but has short-term upside.\\nOn Friday, bipartisan talks failed to produce results. But optimism picked up after the weekend.\\nThe market sees them reaching an agreement on the debt ceiling, while Fed rate cut expectations are delayed, which ultimately proved to be positive for the dollar.\\nHowever, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.\",), (\"However, Powell's penchant for slowing rate hikes hindered increased bids for the dollar.\\nThe dollar bulls need to be cautious in the absence of any meaningful buying.👆🏻👆🏻👆🏻\\nHowever, judging from the DXY daily trend chart, there is room for short-term upside.\\nThe operating space and technical points are shown in the figure above.\\nIf the dollar rises in the short term, gold will fall. But even if the dollar rises, the space is limited.📊📊\\nRecognize these trends, our investment will be smoother.\\nNext, let's focus on the cryptocurrency market.\",), (\"2. Today's BTC contract trading strategy.📈📉\\n1) It is worth participating in the mid-term buying point of BTC.📊\\nJudging from the BTC daily trend chart, the current price is above the MA90-120, and the upward trend of the MA90-120 is good.\\nThe current price is in a resistance-intensive area, and the yellow line represents a very important and meaningful price, which will definitely become the dividing line between bulls and bears.❗❗\",), ('Judging by MACD, the fast and slow lines are about to form a golden cross, and the value of MACD shows signs of \"turning from negative to positive\". This shows that the power of sellers is exhausting and the power of buyers is accumulating.\\nFrom an objective understanding, this medium-term buying point is very worth participating.\\nAt present, I gradually increase the capital position to buy bullish contracts, the stop loss line is MA120, and the overall capital position is still controlled within 5%.',), (\"2) The short-term trend of BTC still maintains fluctuations between small groups.\\nAs shown in the figure above, although the price of BTC/USDT does not fluctuate much, the buying point suggested in yesterday's strategy is very accurate.\\nSince the price is fluctuating in a weak range, we have to lower our earnings expectations during the transaction.\\nAt present, it is still dominated by bullish contracts.\\nConsider buying when the price is near a support level.\\nUse the timing when the price deviates from the indicator to grasp the buying point. For example, timing1/2 in the figure above.\",), (\"Friends who don't know the method or want to grasp real-time trading signals can add the business card of my assistant, Ms. Mary, and write to her.\\nStop loss when the price effectively falls below the support line.\\nWhen the price is close to the pressure line, use the timing of the exhaustion of buying power to take profit.\",), ('Mary Garcia',), ('3. 🔸It is difficult to reduce long-term inflation, and the choice of interest rate policy is difficult.\\nTo put it simply, in the short term, inflationary pressures in the United States have eased, but there are still twists and turns in the downward phase of inflation.📉📈\\nIn the long run, the labor market is still the biggest factor of uncertainty affecting the trend of US inflation.❗❗\\nThe results of the SVAR model show that long-term inflation may remain above 3%, and it is difficult to return to 2% before the epidemic.📊\\nIt is precisely because long-term inflation data is difficult to decline, which makes it difficult to make decisions on interest rate policy.🔹',), ('It is precisely because the interest rate policy is unclear that it is more difficult for investors to find markets, varieties and corresponding trends that allow them to easily invest and make profits.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.📬\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.📌📌\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.🏆🏆🏆\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000💰💰 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.👆🏻👆🏻\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.🔺\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!❗❗\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.🤝🏻🤝🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.❤️\\nWelcome new friends to join this investment discussion group.👏🏻👏🏻\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.⬇️💌💌⬇️\",), ('Mary Garcia',), ('6️⃣ Btcoin Masters - Jim Investment Team',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I shared my judgment on the trend of the stock, US dollar, and gold markets.\\nToday I will share the following 3 important investment themes.',), ('1. The pressure on the banking industry has raised expectations for interest rate cuts within the year.\\nJudging from the data of Bank of America, both the asset side and the liability side of the U.S. banking industry are facing greater pressure. It is expected that the continued loss of deposits will further increase the operating pressure and liquidity pressure of banks.\\nAt the same time, commercial real estate loans held by banks have relatively large risk exposures, and high unrealized losses in securities investment are common problems.\\nHowever, considering that the U.S. financial market developed relatively healthy after the 2008 financial crisis, and regulators have more experience in responding, the probability of systemic risk in the U.S. banking industry in this round is relatively low',), ('However, widespread pressure in the banking industry may push credit to tighten faster, and the labor market may weaken rapidly in the future, thus increasing the probability of the Fed cutting interest rates within this year.\\nThe trend of the investment market reflects future expectations more often.\\nIf the expectation of interest rate cut increases, it will bring the expectation of depreciation of the dollar, and people will look for real assets to avoid risks. The interest rate cut will lower the loan interest rate, which is conducive to the development of the real industry',), ('Therefore, if the expectation of interest rate cuts increases, it will be beneficial to the stock market, real estate, cryptocurrency and other markets.\\nI will continue to track and share the important information of each investment market, and share it with my friends as soon as possible. Hoping to get support from my friends for voting in my finals.',), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), ('2. The investment logic, opportunities and strategies of bonds in the current environment.\\nWill the debt deadlock crisis be lifted smoothly to eliminate possible financial market turmoil? This has become the core theme that global investors are currently paying more attention to.\\nU.S. Treasury spreads showed signs of widening, with U.S. investment-grade corporate debt also affected.\\nThe U.S. government has encountered 78 discussions on the debt ceiling since 1960. According to past experience, during the negotiation process, the capital market usually suffers from anxiety and volatility due to fear of a stalemate in the negotiations.\\nHowever, in the end Congress agreed to raise the debt ceiling and the crisis was lifted smoothly. We expect that this negotiation will eventually reach an agreement.',), (\"U.S. government bonds and investment-grade bonds are an integral part of investment portfolios, but I suggest that friends pay attention to the strategies I share next to avoid falling into the vicious cycle of buying high and selling low.\\nObserving the past three U.S. debt ceiling crises, various types of bonds and U.S. stocks performed differently, but U.S. government bonds and investment-grade bonds seemed to benefit from investors' concerns about volatility.\\nFunds flowed into these two types of bonds under the risk aversion sentiment, making their performance buck the trend.\",), (\"Take 2011 as an example. At that time, the negotiations between the US government and Congress failed to reach a consensus, which led to the downgrade of the US long-term credit rating by Standard & Poor's, and the US stock market fell by more than 17%. It is worth noting that although short-term U.S. government bonds fell at that time, medium- and long-term government bonds bucked the trend and rose.\",), (\"The current situation is somewhat similar, and with the CPI annual growth rate falling to 4.9%, the market expects interest rates to remain stable or decline, which is relatively favorable for the performance of the bond market.\\nI have done an analysis last week, taking the 10-year bond as an example, let's take a look at its technical graphics and strategies.\\nThe current operating range of the price is shown in the figure above, and the deviation point between the MACD indicator and the price is used to sell.\\nHistorical experience shows that in the past, when GDP was within 2%, the average annual returns of more defensive U.S. Treasury bonds and investment-grade bonds were 6.7% and 4.7%.\",), (\"In fact, compared to cryptocurrency contract transactions, the benefits of bonds are simply negligible.\\nFor example, we obtained more than 80% of the overall income from yesterday's strategy.\\nNext I will share the cryptocurrency strategy.📊📊👇🏻👇🏻\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1. Help you capture the fastest and most valuable information in the global financial investment market;\\n2. Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3. Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4. Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"3. Today's BTC contract trading strategy.❗❗\\nSince the 14th of this month, what I have been emphasizing is the strategy of buying BTC bullish contracts at low prices.\\nWhether it is the medium-term strategy analyzed from the daily trend chart or the short-term strategy analyzed from the 15-30 minute trend chart, when the overall capital position is less than 5%, I continue to increase the use of capital positions.\\nSo far, this series of strategies has been very successful.\\nObjectively speaking, BTC has fluctuated within a narrow range recently, and it is not easy to achieve such a profit.\\nRecently, many cryptocurrency, gold, stock, and crude oil investors are losing money.\",), ('Before giving the latest strategy, let me say a few suggestions.👇🏻🔹👇🏻🔹👇🏻\\n1) It is recommended that friends lower their income expectations in recent transactions, and fast in and fast out.\\n2) It is recommended that you pin this group to the top, so that you can quickly grasp core information, opinions, strategies, and trading signals.\\nAnd when the voting window opens, this group will be even more exciting.\\n3) If you want to know more real-time trading signals and benefit from this market simultaneously with me, I suggest you add the business card of my assistant, Ms. Mary, and write to her.',), ('Mary Garcia',), ('From the 30-minute analysis chart above, we can see our trading process in the past few days.\\nThe strategy is as follows.\\n1)🔸 I will sell some of the profitable orders to keep the profit.\\n2) 🔹At present, it is still mainly to participate in bullish contracts.\\n3)🔸 Whether the price breaks through line B becomes the key.\\n4) 🔹If there are technical characteristics such as MACD fast and slow line dead cross or MACD negative value increases, sell profitable orders.',), ('Then wait for the price to come near the lower support level, and use the timing of the divergence between the indicator and the price to find a buying point. The principle is the same as timing1/2.\\n5) If the price breaks through line B strongly, you can create a call contract order when the price retraces and the timing of the exhaustion of selling orders and the increase of buying orders can be used.\\n\\nAfter the voting window opens, I will share my trading system, which will explain these methods in detail.',), ('Summarize what I shared today.\\n1) The risk of the banking industry is good for the cryptocurrency market, because the cryptocurrency market is the best safe-haven product, and BTC is the leader this year.\\nThe pressure on the banking industry has increased the expectation of interest rate cuts, which is good for the stock market, cryptocurrency market, real estate industry, etc.\\n2) Bonds have an upward range in the short term, but avoid buying high and selling low, and pay attention to the key points in the analysis chart.\\n3) In the past few days, although BTC has fluctuated within a narrow range, our contract transactions have achieved good returns. Please cherish this fruit of labor, and let us make more efforts together in exchange for more profits.',), ('If you want to grasp more real-time trading signals, you can write to my assistant, Ms. Mary, to get them.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\\nThis is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\",), ('At that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.🎉🎉🎉',), ('As a thank you for your votes, I have also prepared two gifts.🎁🎁\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.📊📈📈',), ('If you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!\\nHow to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.📬📬\\nShare these today and see you tomorrow.👋🏻👋🏻',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.\",), ('Mary Garcia',), ('You here?',), ('Hey',), (\"I'm here. Trying to collect some information today\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Let's talk this weekend.\",), (\"Sounds good. I'll be out site seeing.\",), ('Take pics.',), ('Of course.',), ('Love it when Sanata comes early.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Please allow me to introduce myself first. I am the official representative of Btcoin Exchange Center. We are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"Voting for contestants\" as the main topics to share🥇\\nAgainst the backdrop of \"heightened risks in global investment markets at the end of the Fed rate hike\" and \"the halving of Bitcoin\\'s fourth round of mining incentives will catalyze a new bull market in cryptocurrencies\". After acquiring several important mining enterprises in the industry and integrating high-quality ICO qualification resources, Btcoin Tech Group established a new trading center, Btcoin, aiming to quickly seize the cryptocurrency market and become a leader in the industry\\nPlease keep reading⬇️ ⬇️',), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him❗️',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"A lot of new people will be joining each day before the finals, so you may see these repeated messages before the finals. I hope everyone stays in the discussion group🙏\\nThe finals will start soon, and we will start the group chat function at that time. I'm sure you won't be disappointed.\\nNext, I would like to invite Professor Jim to share today's investment👏⤵️👏\",), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the finals start, I will give you an important gift, which is the \"investment secret\" that I have summed up in more than 30 years of actual combat.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I mainly shared the investment logic and strategy of bonds.',), (\"Today I will share the following two topics.\\n1. 🔸There is still room for the dollar to rise.\\n2. 🔹Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\n3. 🔸Today's BTC contract trading strategy: the key point is coming.\",), (\"1. There is still room for the dollar to rise.\\nThere are currently three bullish factors for the dollar.\\n1️⃣ Overnight hawkish comments from several influential Fed officials boosted market bets that the Fed will keep interest rates high for longer.\\nRaising interest rates means that the US dollar has higher interest returns and financial asset returns, which is one of the upward thrusts for the US dollar.\\n2️⃣ Concerns over a slowdown in global economic growth, especially in Europe and China, further favor the dollar's relative safe-haven status.\\n3️⃣The current debt ceiling crisis in the United States has spawned safe-haven demand and is also driving the dollar upward.\\nWhen markets face a range of risks, investors often choose to buy less risky assets such as bonds, cryptocurrencies, gold and the U.S. dollar.\",), ('Therefore, the dollar will have the momentum to continue to rise, as shown in the chart below for technical analysis.',), (\"2. Warning, the debt ceiling negotiations will bring risks to US stocks soon.\\nEven if the U.S. does not eventually default, a crash in U.S. stocks may be inevitable.\\nIf the debt ceiling talks fail to reach an agreement, that would certainly be bearish for stocks.\\nIf a negotiated agreement is reached, it will also cause the stock market to fall.\\nBecause the U.S. Treasury Department will increase the issuance of treasury bonds, sucking the liquidity of the financial system.\\nAs shown in the chart below, reviewing the Treasury bond issuance and stock market volatility in recent years, you will find that the Treasury's new bond issuance will absorb the Fed's reserves. U.S. stocks tend to fall when debt issuance increases.\",), ('Although the medium and long-term prospects of US stocks are improving. However, once the debt ceiling negotiations are over, US stocks will inevitably fall, or fall sharply.\\nInvestors who understand this logic are often the first to sell.',), (\"But one thing I don't like to see the most is that policy makers are often forced to reach an agreement and make a decision after seeing the stock market fall. They are testing the market's psychology and bottom line.\\nI believe that when we know this or see this kind of scene, some friends want to curse.\\nRationally look at the following logic and data, I believe everyone will make a decision.\\n1) US stocks plummeted nearly 20% in the 2011 crisis.\\n2) Higher inflation, higher valuations and tighter monetary policy could mean the current market environment could be worse for risk assets.\",), ('3) The current S&P 500 forward earnings estimate is about 18.4 times, compared to its historical average of 15.6 times. In the summer of 2011, the indicator was slightly more than 12 times.\\nSo, the current market and economic backdrop may make the stock market more vulnerable than it was during the 2011 debt default crisis.\\nDear friends, if you are investing in stocks, you must pay attention to this risk.',), ('What I want to say is that from the perspective of absorbing new debts, it is still American families that bear the greatest burden.\\nIn the second half of last year alone, it increased its holdings of U.S. debt by US$750 billion, far exceeding banks, MMFs, companies and overseas investors. This trend is expected to continue as the U.S. Treasury Department increases bond issuance in the future and the Federal Reserve continues quantitative tightening (QT).',), (\"Do you understand the above logic?\\nThe upward trend of the dollar and the solution to the debt ceiling are not good for the stock market, and the stock market has probably peaked.\\nAs a friend who has entered my investment circle, I don't want to see you take these risks.\\nObjectively speaking, we have many better investment methods, and we can choose more efficient investment methods, such as cryptocurrencies.\\nIt is very happy and meaningful to me to help some friends.\\nNext, I will share today's strategy.❗❗❗\",), ('3. Today\\'s BTC contract trading strategy: the key point is coming.\\nThe debt impasse, the rising price of the US dollar, and the hawkish remarks of Fed officials have caused the price of BTC to fall back to a key point.\\nAs shown in the figure above, the current upward trend of MA90-120 is good, and it still has technical support and psychological support.\\nFrom the perspective of rational analysis, the closing line of today\\'s price is very important.\\n1) There are many definitions of an upward trend. My definition of an upward trend may be different from others. My point of view is that \"price intensive areas continue to rise but do not overlap\".',), ('2) If the price falls below MA120 or closes below the price-intensive area A today, pay attention to the possibility of the price going down and seeking support above the price-intensive area B.\\nIf this happens, the MACD will have a negative value, and the fast and slow lines will form a dead fork.',), ('In the process of trading, ordinary traders often have this mentality.\\n1)🔸 It is uncomfortable when the price is running at the bottom.\\n2)🔹 It is comfortable when the price is running at the top.\\nAt present, BTC is in the process of building a new bottom in the mid-term trend.\\nThe current stock index is at the top of the stage.\\nIt is self-evident who will be more cost-effective.',), ('At the same time, BTC has two important advantages, please don\\'t ignore them.\\n1) There is no doubt that BTC is at the starting point of the fourth round of bull market, and the market is already reflecting this bull market expectation.\\n2) When we participate in BTC, we often do not choose spot trading, but choose contract trading tools, which will not only make profits when prices fall, but also greatly improve efficiency and yield.\\nI will share these tips when the voting window for \"Btcoin-2023 New Bull Market Masters-Final\" opens.\\nNext, I will share short-term strategies.',), ('You can choose to participate in the new daily trend after it is formed, which will be more comfortable.\\nOr choose the combination of mid-term and short-term. This kind of combination investment can not only improve efficiency, but also increase the comfort of trading.\\n\\nThe 30-minute strategy is shown above.\\n1) When the middle rail of the Bollinger Band moves downwards, when the price moves to the middle rail or near the upper rail, a bearish contract order can be created when the positive value of MACD decreases, such as the two selling points of AB.\\n2) When the price is near the support line, the bottom divergence pattern appears, and a bullish contract order can be created, such as buying point C.',), ('make a summary together.\\n1) Several Fed officials made hawkish remarks, the slowdown of economic growth in Europe and China, and the debt ceiling crisis are three major factors that are positive for the US dollar. \\nThe US dollar has upward momentum, but the market outlook should pay attention to the deviation between indicators and prices.\\n\\n2) Whether the debt deadlock is resolved will be detrimental to the stock market. The solution to the debt ceiling will most likely be to raise the ceiling and issue new debt, which will suck the liquidity of the financial system and cause the stock market to plummet.',), ('3) We have to learn from the experience of history. The debt ceiling crisis in 2011 caused the stock market to fall by 20%. The current market and economic background is worse than in 2011, and the risk of the stock market is greater',), ('4) Debt deadlock, rising dollar prices, and hawkish remarks from Fed officials have caused BTC prices to fall back to key points.\\n\\n5) But the bull market logic from cryptocurrencies is established, and the market is already reflecting this expectation. And the current price of BTC is in a new mid-term bottom range, which is very worthy of attention.\\n\\n6) We use contract trading to participate in it, and we use combination investment strategies to deal with it calmly and earn considerable profits.\\nFor real-time trading signals, please ask my assistant, Ms. Mary.',), (\"If you are dissatisfied with the current investment, or some problems have not been solved, welcome to write to exchange.\\nIf you do not have a clear investment direction at present, I suggest that you focus on the cryptocurrency market and pay close attention to the information in this group.\\nBecause the risks in the financial market make the cryptocurrency market the best safe haven.\\nAnd the triggering of the fourth round of halving mechanism will start the bull market of Bitcoin in 2023.\\nThat's why bitcoin has been the best-growing investment this year.\",), ('This is the reason why our preliminary round players can obtain extraordinary benefits.\\nThe period of policy confusion is also a period of market confusion. This period will soon end, and then the final will begin.\\nAt that time, the \"Btcoin-2023 New Bull Market Masters-Final\" voting window will open, and I will lead my friends who support me to make great achievements in the cryptocurrency market.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 💰💰to each of my friends for supporting me.🎁🎁\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.🎁🎁🎁\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.❤️❤️❤️\",), ('Mary Garcia',), ('I may have a conflict on \"go\" week',), (\"You may have to manage it with remote support. I'll explain via voice\",), ('Dear friends, welcome to Mr. Jim\\'s fan voting group. Please don\\'t rush to quit, this is a sharing topic discussion group with the theme of \"Cryptocurrency Investment Contest\" and \"Contestant Voting\". Since Mr. Jim participated in the Btcoin-2023 new bull market Mars-Final competition, you are now invited to enter this discussion group to vote for Mr. Jim. Of course, as long as you vote for him, you will get the following benefits:\\n1️⃣ Help you capture the fastest and most valuable information in the global financial investment market;\\n2️⃣ Understand and learn about systematic trading tactics in the cryptocurrency market;\\n3️⃣ Get the real-time trading strategy information synchronized by Professor Jim every day, which can help you earn 30% daily profit;\\n4️⃣ Vote for Professor Jim to get a voting reward of 3K dollars.',), (\"Before Mr. Jim's final, many new friends will join every day, so before the final, you may see these repeated messages, I hope everyone stay in the discussion group, if you have any questions, please add my business card below and leave a message to me📩\\nI will explain to you\",), ('Mary Garcia',), (\"Understood. You're not chickening out, are you?\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWhen the voting window opens, I have an important gift for you all.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\",), (\"Yesterday I analyzed the upward logic of the US dollar, and emphasized the risks of the stock market, and the market further validated my point of view.\\nToday I will share the following topics.\\n1️⃣Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n2️⃣ The price of the US dollar rose as expected, the stock index began to fall, and gold continued to fall.\\n3️⃣ BTC today's contract trading strategy.\\n4️⃣The cryptocurrency market will be more popular with investors.\",), (\"1️⃣ Minutes of the Fed meeting: There is a big difference in interest rate policy.\\n1)🔸 Interest rate policy and direction.\\nThere are major differences within the Fed on the future path of monetary policy, and it is still unable to decide whether it can announce a stop to raising interest rates.\\nJudging from the Fed's understanding of the economy and inflation, as well as its existing discussion framework, it is still a small probability event to cut interest rates within this year.\",), ('2)🔸 Banking crisis.\\nEnsuring that the financial system has sufficient liquidity to meet its demands.\\nThe stock prices of regional banks have further declined, mainly reflecting expectations of a decrease in profitability rather than concerns about solvency.\\nHowever, market participants remain vigilant about the possibility of renewed pressure on the banking industry.\\n\\n3)🔸Debt ceiling.\\nThe debt ceiling must be raised in a timely manner to avoid the risk of severe disruption to the financial system and the overall economy.',), ('2) The US dollar rises as expected, stock indices begin to fall, and gold continues to decline.\\nExpectations of a Fed rate cut have cooled, with the probability of a June rate hike increasing to 48%. In addition, robust US economic data has given the US dollar an advantage.\\nAnxiety surrounding the debt ceiling negotiations has also prompted investors to turn to the US dollar as a safe haven.\\nThe US dollar and bonds are rising, stocks are falling, and gold continues to decline.',), ('This week, I shared important information regarding \"The Three Major Bullish Factors for the US Dollar and the Stock Market\\'s Peak\" and \"The Logic, Opportunities, and Strategies of Bonds\". These insights will have a mid-term impact on major investment markets. I highly recommend that everyone takes the time to understand these concepts. If you have any questions or concerns, please do not hesitate to reach out to me.\\nFor those who are new to the group, you can add my assistant Mary\\'s business card and receive my investment diary.',), ('Last month and at the beginning of this month, when many people were bullish on gold, the price of gold rose to a historic high of around $2,080. At that time, I emphasized that \"the price of gold is approaching its peak and is expected to fall to $1,850-1,800/ounce this year,\" and gave five important arguments. Now it seems that the market is gradually confirming my point of view because these logics are impeccable. Similarly, the top of the stock market has arrived, and today\\'s rise in the Nasdaq index is due to Nvidia\\'s financial forecast data driving up AI-related stocks. As an investor, I strongly advise against any wishful thinking.',), (\"Similarly, the top of the stock market has arrived, and today's rise in the Nasdaq index is due to Nvidia's financial forecast data driving up AI-related stocks. As an investor, I strongly advise against any wishful thinking. These logics are priceless. For professional traders, having a clear understanding of the trends in major markets is a fundamental skill. Only by grasping the trends can we make money.\",), ('Mary Garcia',), (\"3: Today's BTC contract trading strategy.\\n\\nFocusing on more comfortable and familiar investment products will surely yield results. Let's review yesterday's 30-minute BTC contract trading strategy. The strategy provided detailed technical analysis, as shown in the above chart.\",), ('1️⃣ Point A is the timing for the price to rebound to the middle band of the downward Bollinger band. \\n2️⃣ Then, the positive MACD begins to shrink. Subsequently, the price rises near the upper band of the Bollinger band, creating point B. \\n3️⃣ Later, the MACD indicator deviates from the price, forming a buying point C. \\n\\nThe profit potential for points A/B exceeds $450, and point C has a profit potential of over $300. Settlement based on a 50X margin ratio yields a return rate of over 85% for creating bearish contracts at points A/B and a return rate of around 60% for creating bullish contracts at point C.',), ('1) Currently maintaining a weak oscillating trend judgment, with the current price moving within a low range. Looking for a low point to buy.\\n2) When the price runs near the support line or near the lower band of the Bollinger band, use the opportunity of decreasing negative MACD values to capture buying points.\\n3) Stop loss when the price effectively falls below the support line.\\n4) The position size should not exceed 5% of the funds.\\n\\nPS: \\n1) I have already created this order.\\n2) For professional traders, waiting for prey to appear is a very enjoyable process. Beginners can wait for the trend to form before participating, or write to my assistant Mary to receive real-time trading signals.',), (\"4) The cryptocurrency market will be even more loved by investors.\\nYesterday, a friend wrote to me asking whether the expectation of interest rate cuts and the upward trend of the US dollar would suppress the cryptocurrency market. I think this question reflects the concerns of many friends.\\nThere are many factors that determine the start of a bull market for BTC, and 2023 is the year we have decided on. One example is the halving mechanism for mining rewards.\\nFor example, financial system risks have made cryptocurrencies a safe haven. Technical charts provide important psychological support, and BTC's actual performance and mid-term technical buy signals are confirmed. In fact, there are more and more news that favor the cryptocurrency market. Today, I will summarize three pieces of news.\",), (\"1)🔹The advantages of the tool are evident. The financial market's misguided focus on growth and widespread frenzy led to high correlation, but the situation has now calmed down. The correlation between BTC and stocks has decreased, which will allow BTC to once again serve as a reliable diversification investment tool.\\n2)🔸As a public official, my statements represent the will of many people. As a candidate for the 2024 US presidential election and current governor of Florida, Ron DeSantis has expressed that people should be able to use Bitcoin for transactions and that he would not issue a central bank digital currency if he becomes our US president.\",), (\"Actually, there are more and more news like this, but I don't want to waste time sharing them. I prefer to share more valuable information because there are many investment products that our friends in the group are currently investing in. As investors, we need to have a comprehensive understanding of the world in order to make profits more easily. If you have been in our group for more than a day, you will find the value of the content I share. I don't need to prove anything to anyone because I have already been tested by the market.\",), ('Recently, the movements of gold, crude oil, stocks, bonds, and the US dollar have all been indicating certain trends. Many friends, including myself, are waiting for the opening of the \"Bitcoin-2023 New Bull Market Masters-Final\" voting window. Please be patient as the debt crisis disrupts the market, and waiting may not necessarily be a bad thing for us. When the voting window officially opens, we can all show our skills together. If you find my sharing valuable, I suggest you pin this group.',), ('As a token of my appreciation for your support in the voting, I have prepared two gifts. Firstly, as a voting reward, I plan to award $3,000 to each of my friends who have supported me. Additionally, if I am able to secure a top three position, I will split the prize money among my supporters as an extra bonus. The second gift is my \"investment secrets\" that I have accumulated over 30 years of practical experience. These risk control methods have enabled me to achieve certain success in the investment market. By controlling risks in the investment market, profits will follow suit.',), ('The reason why I have been able to achieve some success in the investment market is thanks to the risk control methods that I have summarized. By controlling risks in the investment market, profits will follow. If you don\\'t know much about the profession of \"trader,\" then congratulations, because this gift will save you a lot of time and effort that cannot be obtained by reading 100 books!\\n\\nTo receive this gift immediately, please add the business card below. This is the business card of my assistant, Mary Garcia, and friends are welcome to write to her for communication.\\n\\nThat\\'s all for today, see you tomorrow.',), (\"Ladies and gentlemen, hello. I am Mary Garcia, Professor Jim's assistant, and I welcome new friends to join this investment discussion group. To thank everyone for their support, Professor Jim has prepared a mysterious gift for everyone.\\nFriends who haven't received the gift yet can click on my business card below to write to me and claim it. I believe this first gift will be very helpful to our friends.\\n📌🔗📌Remember to stick this discussion group to the top\\nI hope more buddies will join and support Professor Jim's competition.\\n\\nPlease don't worry, Mr. Jim's Contest finals will officially begin next week. For this reason, Mr. Jim has prepared the first gift for everyone, which will be distributed after the start of Mr. Jim's Contest.\",), (\"Recently, I have received many messages from new friends who have joined the group and are not familiar with Professor Jim's Contest. I hope everyone can actively communicate with me, and I will inform you of the progress of the contest and the benefits you can get by joining the group. I will help everyone to complete these tasks. I hope everyone can vote for Professor Jim in next week's Contest finals!\\nIf you want to claim the $3,000💰 voting reward, receive Professor Jim's real-time trading strategies to earn at least 30% profit daily, and learn about other benefits, or if you want to get access to Professor Jim's real-time trading strategies, please add my business card and send me a message.💌💌\",), ('Mary Garcia',), ('6️⃣ Wealth Builders Club',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nThis week, I mainly shared debt negotiations, three ways to make money when the financial market is in turmoil, the logic and strategy of rising U.S. dollars and U.S. bonds, the peak of the stock market, the logic and trend review of gold, the minutes of the Fed meeting, and the fact that cryptocurrencies are more popular with investors, etc. theme.\",), (\"1️⃣ Economic data increases the probability of raising interest rates in June.\\n2️⃣ The capital flow shows that there will be a new wave of risk aversion in June.\\n3️⃣ Today's BTC contract trading strategy.\",), ('1. Economic data increases the probability of raising interest rates in June.\\nThe Department of Labor released the latest unemployment benefits data yesterday. The adjusted number of initial jobless claims reported last week was 229,000, which was lower than the market expectation of 250,000 and an increase of 4,000 from the revised previous value of 225,000.\\nContinuing claims for unemployment benefits reported 1.7994 million last week, below market expectations of 1.8 million.\\nThe data showed that the overall job market remains strong.',), (\"The PCE data released by the Ministry of Commerce today showed an annual increase of 4.7%, higher than the expected 4.6%, and a monthly increase of 0.4%, higher than the expected 0.3%, the highest since January 2023. This data is the Fed's favorite inflation index.\\nThe PCE data highlighted the stubbornness of inflation.\\nThe initial jobless claims data and PCE data put the probability of a rate hike in June at more than 50%\",), ('2. The capital flow shows that there will be a new wave of risk aversion in June.\\nThe latest Bank of America report shows that the momentum of investors pouring cash into the stock market for the past three consecutive years has begun to weaken.\\nMoney was pulled out of stocks and put into money market funds and bonds.\\nGlobal bond funds saw inflows of $9.5 billion, the ninth consecutive week of inflows.\\nU.S. equity funds posted outflows of $1.5 billion, while European equity funds posted outflows of $1.9 billion.',), ('U.S. large-cap and small-cap funds attracted inflows, while outflows flowed from growth and value funds.\\nTech saw inflows of $500 million, while energy and materials saw the largest outflows.\\nAbout $756 billion has flowed into cash funds so far this year, the most since 2020.\\nAs the U.S. faces a debt default and fears of an economic recession intensify, U.S. stocks will usher in a greater risk-off wave in June, and investors should pay attention to this risk.',), ('This week, I focused on sharing the logic of being optimistic about U.S. bonds and the U.S. dollar, and emphasizing the risks in the stock market and gold market. The correctness of these logics is constantly verified by market trends.\\nFitch is one of the three major credit rating agencies in the world. They put the top AAA credit rating in the United States on the negative watch list. Help the dollar strengthen.\\nThe debt deadlock negotiations have attracted market attention, and many Fed officials have recently turned to hawkish talk, helping the dollar appreciate.',), (\"Markets such as the U.S. dollar, U.S. bonds, U.S. stocks, and gold continued the trend I shared.\\nAt the same time, buying interest in cryptocurrencies continues to accumulate, and a new round of gains is brewing.\\nUnder the current environment, the U.S. dollar, cryptocurrencies, U.S. bonds, and currency funds will see continuous inflows of funds.\\nNext, I will share today's trading strategy.\",), (\"3. Today's BTC contract trading strategy.\\nFirst review yesterday's 1-hour strategies and trades.\\nYesterday's strategy was very successful.\\nWhile sharing the strategy yesterday, I announced the trading signal, and clearly told everyone to grasp the timing of the buying point.\\nThe price I bought was a bit high, and if executed according to the strategy, the rate of return could exceed 100%.\\nThere were several very good buying points yesterday, and the prices were all near the lower rail of the Bollinger Bands.\\nTherefore, a good strategy coupled with good execution is the key to ensuring long-term stable profitability.\\nNext, I will share today's latest strategy. If you want to know real-time trading signals, you can write to my assistant, Ms. Mary.\",), ('Mary Garcia',), ('The short-term strategy cycle level shared today is relatively small, as shown in the figure above, this is a 15-minute strategy.\\nI suggest that everyone lower their income expectations and fast in and fast out.\\n1️⃣ When the price falls back to the support line or the upward trend line, consider buying.\\n2️⃣ When the negative value of MACD decreases, it constitutes a buying point, as shown in the analysis chart on the left.\\n3️⃣ Sell when the price falls below the support line or rising trend line.\\n4️⃣ Fund position does not exceed 5%.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), (\"Ladies and gentlemen, hello! My name is Mary Garcia, and I am Professor Jim's assistant. Welcome to this investment discussion group. To thank you for your support, Professor Jim has prepared a mysterious gift for everyone. If you haven't received the gift yet, please click on my business card below and send me a message to claim it. We believe that this first gift will be very helpful to all of our friends here. Please remember to pin this discussion group and invite more people to join and support Professor Jim's competition. Thank you!\",), (\"Hopes everyone can actively communicate with me. I will keep you updated on the progress of the competition and the benefits you can receive by joining the group. I will also help you complete these tasks. We hope that you will vote for Professor Jim in next week's finals! If you want to claim a ¥3000💰 voting reward, receive Professor Jim's real-time trading strategy to earn at least 30% profit every day, and learn about other benefits, or if you want to receive Professor Jim's real-time trading strategy, please add my business card and send me a message 💌💌.\",), ('Mary Garcia',), ('Hello, ladies and gentlemen👋\\nPlease allow me to introduce myself first. I am the official representative of Btcoin Exchange Center. We are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"Voting for contestants\" as the main topics to share🥇\\nAgainst the backdrop of \"heightened risks in global investment markets at the end of the Fed rate hike\" and \"the halving of Bitcoin\\'s fourth round of mining incentives will catalyze a new bull market in cryptocurrencies\". After acquiring several important mining enterprises in the industry and integrating high-quality ICO qualification resources, Btcoin Tech Group established a new trading center, Btcoin, aiming to quickly seize the cryptocurrency market and become a leader in the industry\\nPlease keep reading⬇️ ⬇️',), ('The Btcoin Trading Center holds an annual practical competition, the purpose of which is to select the managers of the soon-to-be-established 100 billion-dollar cryptocurrency special fund (Fund B). And through the promotion of the competition, more investors will recognize the investment advantages of the Btcoin trading center and choose to use the Btcoin trading center application📣\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage, and the results of the contestants are composed of two parts: \"actual results\" and \"number of votes\".\\nThe actual combat results show the trading level of the players, and the voting results show the popularity of the players, of which votes account for 40% of the proportion.\\nSo we created this group and we hope you can vote for the contestants🎉💰🎉',), ('Of course, you will get a lot of rewards for voting and supporting the contestants.\\n1️⃣. As a reward for voting, you will receive $3,000💰\\n2️⃣. We have invited the most powerful contestant to join our discussion group, and he will bring you important information and investment suggestions of various investment markets every day. We hope to get your support and vote every day\\n3️⃣. If you are interested in cryptocurrency, contestants will bring you important portfolio investment strategies and trading signals in the cryptocurrency market, such as contract trading signals, ICO and FOF mining pool investment strategies. You can easily earn more than 30% on daily contract signals💰🚀💰',), ('The group invited Mr. Jim Anderson, who was honored as \"Professor\" in the Ivy League👨\\u200d⚕️👨\\u200d⚕️\\nHe was the first one to lock into the final among the preliminary contestants.I\\'m going to introduce you to Mr. Jim Anderson\\'s trading style\\nLet me give you a brief introduction to him❗️',), (\"Professor Jim is a very low-key and powerful investment master. His investment style is extremely stable, and he is a master of risk control.\\nProfessor Jim's success path is different from ordinary people. Because he achieved high achievements when he was young and focused on learning to improve himself, he rarely shows up in public. He is more like a lone ranger.\\nHe is more focused on investment research on emerging investment markets and countries, and is well-known in emerging investment markets around the world. He is an investment expert in emerging markets, especially the cryptocurrency market.\\nSince 2017, he has won the top ten records of global investors in the cryptocurrency investment competition, and began to build his own cryptocurrency kingdom\",), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nI am very happy to see more and more friends joining this group, watching and supporting my game.\\nToday is the weekend, and I will briefly summarize the main points of the current major investment markets, so that everyone can have a clear understanding of the current situation and trends.\\nAt the same time, I will give today's BTC trading strategy to help friends who trade on weekends.\\nIf you have any questions, please feel free to write to me, or write to my assistant, Ms. Mary.\",), ('1️⃣ Market expectations for interest rate cuts are gradually weakening, and the probability of raising interest rates in June exceeds 60%.\\n2️⃣ The U.S. dollar has strengthened in recent weeks on hawkish comments from Fed officials and strong U.S. economic data.\\n3️⃣ In the environment of raising interest rates, the attention of gold will decrease accordingly.\\n4️⃣ On the whole, the current market environment is good for the US dollar, U.S. bonds, and cryptocurrencies, but bad for the stock market and gold.',), ('5) Debt ceiling negotiations are still the biggest topic disrupting the market. Although the negotiating parties have been releasing good news in recent days, as the \"default X day\" is getting closer, the stock market hates sudden good news or bad news.\\nU.S. Treasury Secretary Yellen made it clear in her letter on Friday that \"Day X\" is likely to be June 5.\\n...\\n\\nThis Wednesday, I conducted a detailed analysis of the logic of the U.S. dollar and the stock market, and gave a detailed technical analysis. \\nFriends who are not clear about this can consult my assistant, Ms. Mary, to view the investment notes of the day.',), ('Mary Garcia',), ('The latest short-term trading strategy is as follows.\\n1)🔸 As shown in the 1-hour analysis chart above. The current BTC trend remains weak and volatile, so we have to fast in and fast out, and lower our earnings expectations.\\n2)🔹 The support line in the figure is the bull-bear dividing line of the short-term trend. The current price is above the support line. When the price falls back to the support line, look for a buying point.\\n3)🔸 Stop loss when the price effectively falls below the support line.\\nSuch a profit-loss ratio is very cost-effective. I have created a call contract order with less than 5% of the capital position.\\n4)🔹 The timing of buying is: the negative value of MACD decreases, the fast line goes up after turning, and the value of MACD turns from negative to positive.',), ('⬆️⬆️⬆️⬆️⬆️⬆️⬆️⬆️\\nIf you want to get real-time trading signals, please write to my assistant Ms. Mary.',), ('As a thank you for your votes, I have also prepared two gifts.\\nFirst up is voting rewards, I plan to award $3,000 to each of my friends for supporting me.\\nIf I can finally finish in the top three, I will split the game rewards equally among the friends who support me, which is an added bonus.\\nAnother gift is the \"investment secrets\" that I have summed up in more than 30 years of actual combat.\\nThe reason why I was able to achieve certain success in the investment market is due to the set of risk control methods I summarized. Risks are controlled in the investment market, and profits will follow.\\nIf you don\\'t know much about the profession of \"trader\", then I want to congratulate you, because this gift will save you a lot of detours, which can\\'t be changed by reading 100 books!',), ('How to get this gift immediately? Please add the business card below, this is the business card of my assistant Mary Garcia, friends are welcome to write to communicate.\\nShare these today and see you tomorrow.',), (\"Hello ladies and gentlemen.❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('My tour is cancelled for the day. Weather is garbage Should be good tomorrow.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is about to enter the final stage. The finals will begin soon, and we\\'ll be opening the group chat and telling you how to vote.\\nOf course, you will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.',), ('Hi friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nSince the collapse of Silicon Valley Bank, the global financial market has been in turmoil. It is not easy to maintain stable profits. As an investor, you must always have a clear judgment on the current situation and trends.\\nYesterday I shared \"the current major investment market trends\" in some groups, and gave the latest BTC contract trading strategy, which achieved good returns.',), (\"Today I will share the following topics.\\n1️⃣. The U.S. debt ceiling has reached an agreement, and Congress will vote next Wednesday.\\n2️⃣. The correlation between BTC and US stocks has changed from positive to negative.\\n3️⃣. Today's BTC contract trading strategy: the medium-term buying point is established, and the BTC price has reached the first pressure level.\",), ('1. The U.S. debt ceiling has reached an agreement, and Congress will vote next Wednesday.\\nAfter weeks of intense negotiations, the two parties in the United States finally reached an agreement in principle on Saturday night to resolve the US debt ceiling. However, this agreement still needs to be quickly passed by the US Congress before the US debt default alarm can be truly lifted.\\nThe U.S. Congress must successfully vote to pass relevant bills before the \"X Date\" in order to avoid a debt default in the United States. If there is a slight discrepancy in the votes of the two houses next week, the potential risk of a \"technical default\" on U.S. debt is far from disappearing.',), ('I will continue to share the progress of the incident, and everyone should pay attention to the huge impact of the subsequent issuance of new debt. I shared the relevant logic on Wednesday.\\nFriends who are unclear about this can ask my assistant, Ms. Mary, or get the investment notes of the day.',), ('2. The correlation between BTC and US stocks has changed from positive to negative.\\nPearson Correlation Coefficient is used to measure the linear relationship between fixed distance variables.\\nJudging from the 30-day Pearson coefficient trend chart, since May, the correlation coefficient between BTC and US stocks has been falling all the way, turning from positive to negative, and entering the negative correlation range.\\nIt shows that BTC and US stocks have begun to have a negative correlation.\\nThis is an astonishing discovery, and it makes a lot of sense.',), ('On Friday, I shared \"June will usher in a wave of risk aversion in the stock market\", and on Wednesday I shared \"The stock market is about to fall\".\\nIf you are not clear enough about these logics, please get my investment notes through the assistant.\\nU.S. stocks are about to fall, BTC and U.S. stocks have a negative correlation, and BTC is ushering in the beginning of a mid-term surge.',), (\"3. Today's BTC contract trading strategy: the medium-term buying point is established, and the BTC price has reached the first pressure level.\\n\\nRecently, our BTC bullish contract has achieved good returns, and I have shared many trading signals.\\nCongratulations to my friends who participated in these transactions with me, we have achieved a phased victory.\\nUnder the current environment, it is not easy to achieve these achievements, and everyone must cherish these hard-won achievements.\\nBefore sharing today's strategy, let's review yesterday's strategy to consolidate the skills in actual combat.\",), ('The picture above is the strategy I shared yesterday and I posted my trading signals.\\nPrior to this, the strategies on Thursday and Friday also gave clear strategies and signals.\\nPlease compare my profit chart with the grasp of \"timing\" in the chart below.\\n\\nEveryone pay attention to the order I submitted at 4:00 pm yesterday.\\nAt that time, the value of MACD was about to turn from negative to positive, and the fast and slow lines were about to form a golden cross.\\n\\nIn homeopathic trading, this buying point often results in larger profits in a short period of time.\\nAfter the voting system is opened, I will not only lead everyone to capture such opportunities in real time every day, but also share more practical skills.',), (\"Excited to share these tips with you all.\\nI don't think it is difficult to make money in any investment market, but learning how to make money may be what more friends want.\\nIf you want to become a professional trader, please write to me, I think I can help you.\\nIf you want to get real-time trading signals every day, please consult my assistant, Ms. Mary.\\nNext, I will share today's trading strategy.\",), ('Mary Garcia',), (\"It can be clearly seen from the daily analysis chart that the mid-term buying point is established, which is the best return for our efforts.\\nToday's short-term trading strategy depends on the capital position.\\nThe reason why many people lose money repeatedly in trading is because they invested too little money when the price was low, and invested too much money when the price was high.\\nMy own short-term capital position is sufficient, and I am not prepared to invest more capital positions until the price breaks through $27,600.\\nIf the price does not rise above $27,600 in time, I will sell some capital positions.\\nIf the price can rise strongly above $27,600 and stand above this price, I will look for new opportunities and invest in new positions.\",), (\"Is it appropriate to use the opportunity when the negative value of MACD decreases when the price falls back to the upward trend line or the lower track of the Bollinger Bands to create a bullish contract?\\nOf course it is possible, but because the current price has entered the end of the triangle area, this method is not cost-effective enough.\\nTherefore, as shown in the 30-minute analysis chart above, it is the most cost-effective to wait for a breakthrough, otherwise you can give up today's transaction.\\n\\nWhen the price rises strongly and breaks through the pressure line 1, or later returns to the pressure line 1 again, look for a buying point.\\nAs shown below.\",), ('Buying point feature 1: The fast and slow lines quickly form a golden cross near the zero axis.\\nBuying point feature 2: Before the indicators and indicators deviate, when the negative value of MACD decreases.\\nYou can get real-time trading signals through my assistant Ms. Mary.',), ('Mary Garcia',), ('As an investor in the cryptocurrency market, it is undoubtedly very exciting to learn that \"US stocks have a negative correlation with BTC\". Because the top timing window for US stocks has arrived.\\nThis not only makes BTC more attractive and recognized by investors as a diversified investment tool, but the most important thing is that this mid-term buying point has been firmly grasped in our hands. The future profits must be beyond imagination, and I am full of confidence in this.\\nWe are well aware of the trends in the major investment markets.\\nLike me, many friends are waiting for the opening of the \"Btcoin-2023 New Bull Market Masters-Final\" voting window.',), (\"Friends please be patient, the debt impasse disrupts the market, waiting is not necessarily a bad thing for us.\\nWhen the voting window officially opens, let's show our talents together.\\nIf you think my sharing is valuable to you, I suggest you pin this group to the top.\\nShare these today and see you tomorrow.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.\\nIf you want to receive a $3,000 💰voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello, dear friends.\\nToday is a very, very important day, and today is Memorial Day.\\nAlthough we have made a lot of profits recently. But in our lives, there are many things that are more important than making money, such as family, friends, country, and patriotism.\\nWhen we deeply remember the heroes who have gone on to sacrifice for our country, our hearts are heavy and excited.\\nWe may never be able to appreciate how many difficulties our ancestors and our heroes have experienced on the battlefield.\\nBut we will always be grateful to them for their efforts to have a peaceful and beautiful life today.\\nLet us pay our highest respect to our heroes.',), ('What makes our heroes choose to go forward when they hear the call of the motherland and the people?\\nI think it is a kind of inheritance of spirit and will.\\nThe awareness of serving the country, family, team, and friends is the traditional virtue of our country.\\nIt guides our sons and daughters of America to confront difficulties.\\nIt has given our entire country the faith to persevere in the most difficult times.\\nIt is our security guard.\\nIt makes our lives better, it makes our country safer, and it makes the world freer.\\nIt made all people equal before the law, and it gave people freedom of speech, writing, and religion.\\nIt makes each of us dream.',), (\"This holy day, today is the best classroom.\\nKnowledge, ideas, and skills on the battlefield are always the most advanced. As financial practitioners and freelance investors, this is what we should learn from our predecessors, the army, and soldiers.\\nIn the future, I will share more professional and advanced knowledge, which is what I have learned from today's festival.\\nShare these today and see you tomorrow.\\nMay the Lord bless us, and may the Lord bless the United States of America.\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" has entered the final stage.\\nBecause this final has received the attention of global investors, in order to allow investors and friends to have a better investment experience, our trading center has fully upgraded the application.',), (\"Tomorrow, the voting function will be opened to friends who are following this competition around the world, and the group chat function will be opened and everyone will be told how to vote.\\nYou will receive many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today's sharing.\",), (\"Hi friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWe had an excellent buy point starting last Thursday and our strategy paid off handsomely.\\nToday I will continue to summarize the methods in the strategy and share the latest strategies or signals.\\nRecently, my judgment on gold, US dollar, U.S. debt, and stock market has been recognized by many friends. On weekends, many friends took the initiative to write letters to exchange a lot of investment topics, such as AI.\",), (\"So, today I will share with you the following investment themes.\\n1️⃣. Today's BTC contract trading strategy.\\n2️⃣. Important events this week: focus on non-agricultural employment data in May and the debt ceiling resolution.\\n3️⃣. The value of AI is undeniable, but they are grossly overestimated.\",), ('1. Today\\'s BTC contract trading strategy.\\nEveryone look at the picture above, this is the screenshot I kept when I was preparing to reduce some capital positions before the BTC price reached a high point last Sunday. These profits are very considerable.\\nLast Thursday, May 25th, the deal had the highest yield, with a high yield.\\nBecause recently I have been emphasizing that \"technical analysis shows that the medium-term buying point is established.\" Before last Thursday, the price of BTC was in a narrow range. Later, the price hit 1D-MA120 and then established a bottom. During the continuous rise of the price, I kept sharing Bullish strategies and signals.\\nAt present, we have achieved staged profits, which is gratifying.',), ('This purchase point is very meaningful.\\n1) At the time of the debt ceiling negotiations, the risk of many investment markets has increased, and many investors are losing money, while the trend of the cryptocurrency market is very stable.\\nThis not only highlights the advantages of the cryptocurrency market, but also strengthens the bull market signal.\\nWhen encountering a bad policy period, BTC did not fall sharply, and after the bad period passed, its rise will be amazing.',), (\"2) We followed the trend of the market, analyzed its trajectory, found the law, and took action to obtain better returns.\\nThis is the market's reward for our hard work. Congratulations to my friends who have followed me and participated in these trends and made good profits.\\n\\n3) The significance of the mid-term buying point is that it has a good price advantage.\\nLast Thursday I shared my view on implied volume, which was very similar to January of this year, before BTC rallied $15,000.\",), (\"If you just came to this group and you want to know these valuable information, you can get relevant investment notes through my assistant, Ms. Mary.\\nAnd I suggest you put this group to the top, because if you can't make money in my group, I believe that no one can do better than me. This is my confidence in this competition.\\nMy goal is to win the championship. This requires your vote.\\nWith your support, I will share more valuable information.\\nFor example, the picture below shows the strategies and techniques I shared last Sunday.\\nThen the price broke out, some friends got my trading signal, and they made a lot of money.\\nThe gains on the orders my team created after the price breakout were around 100%.\\nCompared with making money, I believe that many friends hope to learn these skills while making money, which is what I will do.\",), ('Understanding important policies, mastering market expectations and directions, using technology, patiently waiting for the emergence of buying and selling points, and finally transforming our knowledge and wisdom into profits are the basic qualities of a trader.\\nNext I will share the latest strategies and signals.\\n\\nI have created an order for a call contract with less than 5% of the funding position.\\nBecause the following information can be seen from the 30-minute analysis chart below.',), ('1)🔸 The price gained support near the support line, and the negative value of MACD began to decrease.\\n2)🔹 If the price falls below the support line, I will choose to stop the loss and wait for an indicator to deviate from the price to enter again.\\n3)🔺 The upper pressure levels are 29,000 and 30,000 respectively.\\n4)🔸 Focus on the running direction of the middle track of the Bollinger Bands, as shown in the example description.',), ('Friends please pay attention.\\n1️⃣The fast and slow line of MACD in the daily trend chart is still running below the zero axis, indicating that the price has not entered a strong range. Therefore, the current period belongs to the period of establishing basic capital positions, and it is not appropriate to use too many capital positions to participate.\\n2️⃣ It is unknown whether the support line in this strategy can form an effective support price, and the next step is to pay attention to the running direction of the middle track of the Bollinger Bands.\\n3️⃣Although many friends agree with my strategies and signals after seeing them, and follow me to use contract trading tools to make money.\\nHowever, if you want to achieve long-term stable profits, you must patiently follow changes in market trends.',), (\"As the voting window opens tomorrow for global investors, I'll be sharing these tips starting tomorrow.\\nFriends who want to get the voting window can write to my assistant, Ms. Mary.\",), ('Mary Garcia',), (\"Next, I will share two other very important topics.\\n\\n2. Important events this week: focus on non-farm employment data in May and the debt ceiling resolution.\\n1) The U.S. Department of Labor will release non-farm payroll data for May on Friday.\\nNon-farm employment data is highly correlated with economic performance. The output of non-farm industries accounts for 80% of the total output of the United States. The improvement of non-farm data indicates that the economy is improving.\\nIt's one of the last pieces of data the Fed will look at before its meeting in mid-June, and it's relevant to the rate decision, so this week's data is very important.\",), ('2) The debt ceiling.\\nA bipartisan agreement in principle to raise our U.S. debt ceiling and avoid a catastrophic default that could destabilize the global economy.\\nTheir next task is to overcome the opposition of bipartisan hardliners, so that the framework agreement can finally be quickly passed in Congress.\\nThis Wednesday is a critical time.',), (\"3. The value of AI is undeniable, but they have been grossly overestimated.\\nIn fact, many investors have such a feeling in 2023 that they did not get what they wanted in the stock market.\\nIf you feel this way, you should pay more attention to the views I will express next.\\nFrom investor optimism about AI to better-than-expected earnings from technology companies to investors fleeing safe assets and optimism about reaching a debt ceiling agreement, U.S. stocks rise on Friday.\\nAs Nvidia's financial forecast exceeded expectations, the core technology stocks of Apple, Microsoft, Alphabet, Amazon, Meta and Tesla rise, as well as the stock index rise.\",), ('1) Fundamental data shows that they are grossly overvalued.\\nThe seven tech stocks have risen a median 43% this year, almost five times as much as the S&P 500. The other 493 stocks in the S&P 500 rise an average of 0.1%.\\nThe average price-to-earnings ratio of the seven largest technology stocks is 35 times, which is 80% higher than the market level.\\nThe combination of price-earnings ratio, stock price and profit reflects the recent performance of the company.\\nIf the stock price rises, but the profit does not change significantly, or even falls, the price-earnings ratio will rise.',), ('Generally, we can understand that the price-earnings ratio is between 0-13, which means that the company is undervalued.\\n14-20 is the normal level. 21-28 means the company is overvalued. When the price-earnings ratio exceeds 28, it reflects that there is an investment bubble in the current stock price.\\nTherefore, a price-earnings ratio of 35 times is a frightening figure.',), (\"2) The current investment environment should not be greedy.\\nIn an environment of high interest rates, tightening credit conditions and debt-ceiling negotiations, stocks rose on the back of AI.\\nCalm down and think about it, it's scary.\\nIt's true as some good companies won't go out of business, but prices are too high right now.\\nThis situation is fraught with risks, and when the hype cycle around AI ends, the market may falter as well.\\nBuffett said, Be greedy when others are fearful, and be fearful when others are greedy.\\nWhen prices are at the top, the average investor feels comfortable.\\nWhen the price is at the bottom, ordinary investors feel uncomfortable.\",), ('For example, when BTC recently built a mid-term buying point near MA120, many people felt very uncomfortable.\\nBut we are different. We have obtained nearly 2,000 US dollars in price difference and excess returns through contract trading, and this profit is safe, and it will increase. This is the opportunity and fun at the bottom.',), ('On May 24, I expressed the following important points.\\n1) Even if the debt ceiling crisis is resolved, the collapse of US stocks may be inevitable.\\nIf the debt ceiling talks fail to reach an agreement, that would certainly be bearish for stocks.\\nIf a negotiated agreement is reached, it will also cause the stock market to fall. Because the U.S. Treasury Department will increase the issuance of treasury bonds, sucking the liquidity of the financial system.',), (\"2) As can be seen from the chart above, the Treasury's new bond issuance will suck up the Fed's reserves. U.S. stocks tend to fall when debt issuance increases.\\n3) US stocks plummeted nearly 20% in the 2011 crisis.\\n4) The current market and economic backdrop may make the stock market more vulnerable than it was during the 2011 debt default crisis.\\nHigher inflation, higher valuations and tighter monetary policy could mean the current market environment could be worse for risk assets.\",), (\"While we believe in the long-term benefits of AI, from an investor's perspective, the current environment is showing a certain mania.\\nAs a qualified investor, we must know how to prevent profits from shrinking and be prepared for danger in times of peace.\\nIf you have not reaped satisfactory returns from your stock investment this year, you should consider choosing a more suitable investment market at this moment.\\nIf you have earned a certain return on your stock investment this year, I suggest that you should pay more attention to the current risks so as to preserve profits.\\nOf course, no one values your own investment more than you.\",), (\"I am very optimistic about the value of AI. Just now Nvidia became the first chip company with a market value of one trillion US dollars, ranking fifth in the US stock market.\\nIf you're interested in it, maybe we can chat about it.\",), ('If you are also concerned about investing in AI and related stocks, please pay attention to the views shared today.\\nBecause the fall of Nvidia or AI concept stocks will happen at any time, the major US stock indexes will drop sharply at that time.\\nAnd there is a negative correlation between BTC and US stocks, so June is very likely to become a period of BTC\\'s skyrocketing.\\nThis is another important factor catalyzing the rise of the cryptocurrency market after the banking crisis.\\nThe representative of the Btcoin trading center has informed us today that the voting window for \"Btcoin-2023 New Bull Market Masters-Final\" will open tomorrow for global investors.\\nI think it\\'s a great moment, it\\'s a well-timed moment.',), (\"It is recommended that friends put this group on top, hoping to get your support.\\nLet's show our talents together.\\nShare these today and see you tomorrow.\",), (\"Hello ladies and gentlemen.❤️\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nIn order to thank everyone for their support, Professor Jim also prepared a mysterious gift for everyone.🎁🎁\\nFriends who have not received the gift can click on the business card below and write to me to get it. I believe this first gift can help my friends a lot.\\nRemember to stick this discussion group to the top, hoping that more friends will join and support Professor Jim's competition.🏆🏆\\nIf you want to receive a $3,000💰💰 voting reward, or want to get Professor Jim's real-time trading strategies, please add my business card and write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nBecause \"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors, in order to allow investors and friends to have a better investment experience, our trading center has fully upgraded the application, and the upgrade has now been completed.\\nVoting authority has been opened to the world today, and everyone is welcome to vote for our contestants.\\nYou will get many generous rewards for voting and supporting players.',), ('Mary Garcia',), ('Hello dear friends, I\\'m Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nIt has been half a year since I participated in \"Btcoin-2023 New Bull Market Masters-Final\", which is organized by Btcoin Tech Group.\\nThis is a grand game',), ('In recent years, many countries around the world are accelerating the development of the cryptocurrency market.\\nIt is reported that in order to better seize the cryptocurrency market and become a leader in the industry, Btcoin Tech Group has acquired several important mining companies in the industry and integrated high-quality ICO qualification resources to establish a Btcoin trading center.\\nIn order to let more investors pay attention to this competition, they publicized this competition in nearly 1,500 well-known media around the world.',), ('Mary Garcia',), ('For example, you can see similar callouts by searching for the following.\\n\\nBtcoin Trading Center is determined to become the first trading center in the global cryptocurrency market. Btcoin-2023 New Bull Market Masters-Final officially begins.\\n\\n\"Btcoin-2023 New Bull Market Masters-Final\" Jim Anderson is the favorite to win the championship\\n\\nThe new generation of cryptocurrency market leader Btcoin trading center has been launched',), ('Because more and more investors are paying attention to this competition, the Btcoin trading center has upgraded its system. As a result, the progress of the finals has been delayed.\\nToday, voting rights have been opened globally. I hope to receive your support in the voting process because the ranking of the contestants is determined by two parts: actual performance and votes. Actual performance is the profit earned by the contestants through trading with Btcoin application during the competition.',), ('Actual performance showcases the trading skills of the contestants, while voting reflects their popularity. Actual performance accounts for 60% of the total score, while voting accounts for 40%. The top three contestants will receive bonuses of $5 million, $3 million, and $1 million respectively. However, what I am most interested in is obtaining the management rights of the \"B Fund\" - a special cryptocurrency fund to be issued by the Btcoin exchange in the future.',), ('I believe many friends have been following the NBA Finals recently. I really admire Jimmy Butler and LeBron James. We can see shades of Michael Jordan in them, which is very inspiring and moving. I wish LeBron James all the best next year to continue creating miracles. I also wish Jimmy Butler and his team great success. In soccer, my idol is Lionel Messi.\\nHe understands the efforts of every comrade, respects every teammate and opponent, is a grateful person, and has great love. He is a leader who combines passion and warmth. They are all people I admire. Competitive sports are full of energy, and the investment market also needs this kind of energy.',), ('I consider myself very fortunate because I have chosen a path that is different from others, and I have always maintained a learning mindset. During my student days, I began to dabble in the financial markets and achieved some success. Later on, I ventured into many investment markets, and although I experienced some failures along the way, my overall performance was good. Although I realized my childhood dream very early on, through this competition, I deeply appreciate the high level of this event.',), ('I have several trading and investment research teams, and I believe that the B Fund on the Bitcoin exchange is a powerful platform. I hope to lead my students onto this stage, which has ignited my dream. To achieve this, I have made sufficient preparations and received strong support from my family. Today, I want to make a solemn promise to my friends who support me in this group:',), ('1. Starting today, I will focus my main energy on the finals. \\n1) My goal is not to enter the top three, but to become the champion. \\n2) I will lead my trading team or some interested friends to surpass other competitors. \\n\\nTo this end, I have made a bet with my trading team members and some friends. If I cannot win the championship, I will punish myself. \\n\\nI believe this is a very friendly incentive method. \\nIt makes our goals clearer. \\nIt gives us more motivation.\\n\\n2. If I win the championship, I will share the $5 million prize money with my friends who voted for me. This is definitely much more than the official reward of $3,000.',), ('3. Through communication with many friends in the group, I found that many of them, like me, are using portfolio investment to invest. Therefore, there are many investment markets and varieties involved, such as stocks, real estate, US dollars, gold, bonds, and so on.\\n\\nAlthough there are many varieties of investment markets, most of them are closely related to each other.\\nIf you have been following the information in our group recently, you will not only see that my analysis and trades in the cryptocurrency market have been continuously validated, but also that my analysis of investment varieties such as gold, stocks, US dollars, and bonds has been validated by the market.',), ('4. Most importantly, I am currently participating in a competition and the opportunities in the cryptocurrency market are obvious. To win the competition, I will use a combination strategy.\\n\\nTherefore, there are daily opportunities for short-term trading in the cryptocurrency market, and it is not difficult to obtain profits of more than 30% through the use of contract tools in daily short-term trading.\\n\\nAs shown in the above chart, we have gained a lot from recent trades.\\n\\nHowever, for me, my core trading philosophy is \"go with the trend and pursue long-term stable profits through a combination of investments.\"',), ('If you are investing in cryptocurrencies and want to achieve excess and steady returns like us, I recommend that you bookmark this group and follow the information in this group.\\n\\nStarting tomorrow, I will share trading signals every day.\\nIf you want to follow me and seize these opportunities, you can prepare for it.',), ('5. If you are interested in trading but feel stuck and unable to break through some bottlenecks, feel free to write to me. Because I hope to cultivate some students to join my trading team through this competition, I can not only help you establish a complete trading system but also provide financial support based on your abilities.\\n\\n6. For friends who love trading, hope to improve themselves through learning, and are willing to support my competition, today I will give away an important gift. This gift is the \"Investment Secrets\" that I have summarized from more than 30 years of practical experience in major investment markets. It is a set of risk control secrets. In the investment market, as long as you control the risk, profits will come naturally. You can receive this important gift through my assistant, Ms. Mary.',), (\"Now, I would like to introduce my assistant, the beautiful and kind Ms. Mary. Friends, she is a high-achieving student. She is an IT engineer and holds a Bachelor's degree in Economics. In many ways, she is my teacher and has helped me a lot. I am very grateful to her.\\nShe is highly proficient in the fields of economics, software, and IT. Therefore, I believe she can help you solve many problems. If you want to receive this gift, if you want to receive real-time trading signals from my trading team, if you want to access the voting window, or if you want to learn about the pros and cons of different cryptocurrency trading center applications.\",), ('You can write to her if you want to. Also, if you want to learn more about the Btcoin trading center and the competition, you can write to Ms. Mary or the official representative of the Btcoin trading center.',), ('Mary Garcia',), (\"Dear friends, thank you for voting for me. I believe other contestants are also working hard. I am currently behind, but I believe I will receive more of your support. Starting tomorrow, I will share trading signals at least once every workday, leading friends to achieve excess returns of over 30% per day. Remember, this is our basic goal, so be prepared for it.\\nTomorrow will be the first day of June, which is very meaningful to me as it marks the beginning of my new dream. As we realize our dreams, tomorrow will be a commemorative day for many friends who embark on the journey with me. Let's work hard together, as opportunities always favor those who are better prepared. Friends who want to receive real-time trading signals can write to Ms. Mary. That's all for today, see you tomorrow.\",), (\"Ladies and gentlemen, hello.\\nI am Mary Garcia, assistant to Professor Jim. \\nWelcome new friends to this investment discussion group. \\nThanks to Professor Jim's sharing, he has achieved extraordinary success in many investment markets and he wants to realize his new dream through this competition. \\nThis is lucky for our group of investor friends because I believe he will lead us to success.\\nI see many friends voting for Professor Jim, thank you all.\\nIf you have voted, please send me a screenshot as proof to claim your reward.\\nProfessor Jim has sent out his gift today, you can write to me and claim it.\\nIf you want to access the voting window, or if you want to receive real-time trading strategies or signals from Professor Jim's team, or if you need any help, please add my business card and write to me.\",), ('Mary Garcia',), ('Hiii dear. Here as well 👋🏻',), ('Good chatting with ya \\nSide note \\nI’m looking for someone to do the kind of stuff I told you I’m involved with',), ('Got someone I can trust?',), ('I do',), ('Signal though',), ('Thx 👍🏻',), ('Ladies and gentlemen, hello everyone.\\nI am the official representative of Btcoin Trading Center, and we are the creators of this group. This is a discussion group mainly focused on \"cryptocurrency investment competitions\" and \"voting for participants\".\\nAs \"Btcoin-2023 New Bull Market Masters-Final\" has attracted global investors\\' attention, in order to provide a better investment experience for our investor friends, our trading center has completed a comprehensive upgrade of the application program.',), (\"We have now opened voting rights globally and welcome everyone to vote for our competition participants. By voting and supporting the participants, you will receive many generous rewards.\\nThis group has invited Professor Jim, who was the first participant to lock in a spot in the finals during the preliminary rounds and has exceptional skills.\\nLater on, I will invite him to share with us today.\\nYou can obtain the voting method from me or Jim's assistant, Miss Mary.\",), ('Mary Garcia',), (\"Dear friends, hello, I'm Jim Anderson. I am thrilled to have made it to the finals and to be able to share with fellow investors. I hope my insights can be helpful to everyone and earn your voting support.\\nNew friends are welcome to join this group. If you have any questions, please feel free to reach out to my assistant, Miss Mary.\\nThank you for your votes. With your support, I am more confident in winning the championship.\\nI hope more friends can vote for me. Thank you.\\nYou can obtain the voting window through my assistant, Miss Mary.\",), (\"Today is the day I officially enter the finals, marking the beginning of my new dream. Prior to the voting window opening, I have shared my insights on various investment markets in this group for some time and have received recognition from many friends after market validation. I am thrilled about this.🤝🏻🎉🤝🏻\\nIt is my honor to bring real value to my supportive friends. Today, I will be sharing my trading signals in real-time and some important insights on other major investment markets. Let's now observe the trend of BTC together and come up with real-time strategies to seize trading opportunities.📊\",), ('Just now, I created a BTC bullish contract order with a very small capital position.\\nNext I will share my logic.',), (\"As I am actively trading and monitoring the markets, time is precious to me. I will share detailed information on the fundamentals of cryptocurrencies after my trades are completed or when I have more time available.\\nFirst, let's review some technical analysis on BTC. Based on the daily chart analysis, the following technical points can be observed: \\n1️⃣ The price has fallen to a zone of price density.\\n2️⃣ The price is above the MA120, and the upward trend of the MA120 provides support for the price.\\n\\nTherefore, I will focus on creating long contract orders.📊\",), ('Based on the 1-hour chart analysis, the following technical points can be observed:\\n1.🔸 The price has fallen near an important support line.\\n2.🔹 The histogram area of the MACD is shrinking, indicating a divergence between the indicator and the price.\\nThe price is moving in the direction of least resistance.',), ('Trading is about choosing to participate in high probability events.\\nTherefore, I created this order and have gained a good short-term profit. \\nI am still holding this order. \\nIf the price falls below the support line, I will choose to stop loss. 📈\\nIf the price reaches near the target price, I will judge the selling point based on the buying power, and I will disclose my trading signal.🔔\\n\\n📍Next, I will share some important topics that my friends have written to me about for discussion.',), ('Recently, my comments on stocks, gold, bonds, and the US dollar in this group have sparked widespread discussion. \\nOn Tuesday of this week, I shared my view that \"AI concept stocks are overvalued,\" and some friends wrote to me asking for my thoughts on the stock market.',), ('In recent weeks, investors have clearly shifted towards mega-cap stocks, distorting the trend of the indices, especially the Nasdaq 100 index. \\nThis is mainly due to its overly centralized nature, where a few stocks drive overall returns. \\nStrong balance sheets, massive market capitalization, substantial free cash flow, and strong earnings potential are all characteristics of these stocks. \\nIn addition, they have high liquidity and in some cases, their market capitalization even exceeds that of some G7 economies, which may attract investors seeking safe havens from interest rate risks.',), ('However, it is evident from the trend of the S&P 500 index that breaking through 4,200 has been a challenging task. \\nIn the event of a soft landing in the US economy, the S&P 500 index may rise to 4,400 by the end of the year, but if the economy falls into recession, it could drop to 3,300. 📉\\nIf you have been reading my recent comments in this group carefully, you should be well aware of the following key points.⬇️⬇️',), (\"1)🔹 If it weren't for the rise of AI concept stocks, the stock market would have already fallen.\\n2)🔸 Both AI concept stocks and large tech stocks are overvalued and are expected to return to normal valuations at any time, leading to a significant drop in the stock market.\\n3)🔺 After the debt crisis is resolved, new bonds will be issued, absorbing liquidity from the financial markets and leading to a sell-off in the stock market. \\nI shared this logic in detail on May 24th, and you can obtain that day's investment diary through my assistant.\",), ('The yield on government bonds is steadily increasing. Although the majority of US government bonds are held by the government and financial institutions, individual investors hold a relatively small proportion. However, bond yields are highly positively correlated with the US dollar, which will impact the trends of major investment markets. As the Fed raises short-term interest rates from near 0% to 5%, US bond yields are steadily increasing, with yields on 3-month and 6-month bonds reaching around 5.3%, easily surpassing the average inflation rate of 3.6% over the past 6 months. Therefore, US short-term bonds have become the hottest investment tool at present.',), (\"The Fed's Beige Book shows that the US economic outlook is quietly weakening. The Beige Book is typically released by the Fed two weeks before each meeting of the Federal Open Market Committee (FOMC), and contains the results of the Fed's surveys and interviews with businesses in its 12 districts. This survey was conducted from early April to May 22nd. \\n\\nThe Beige Book shows that most districts experienced employment growth, but at a slower pace than in previous reports. Prices rose moderately during the survey period, but the pace of growth slowed in many districts.\",), ('The prospects for stock market returns in 2023 were already not very strong, and with the investment bubble in AI concept stocks and the upcoming issuance of new bonds, as well as bond yields rising to a certain level, would you still take the risk of investing in the stock market?\\n\\nI am gradually selling my stocks and preparing to fully focus on this competition.',), ('The prospects for stock market returns in 2023 were already not very strong, and with the investment bubble in AI concept stocks and the upcoming issuance of new bonds, as well as bond yields rising to a certain level, would you still take the risk of investing in the stock market?\\n\\nI am gradually selling my stocks and preparing to fully focus on this competition.',), ('If you are currently investing in stocks or other investment products, but you are unsure how to determine what trend it is in and therefore do not know how to make a decision, please feel free to contact me for discussion.📧\\n\\nReturning to the topic of technical analysis and trading today, in trading we only need to pursue high probability events in order to maintain long-term stable profits. We cannot control trends, the only thing we can do is follow them. Once a major trend is formed, it is difficult to change and it takes time to complete its logic. And 2023 is the starting point of the fourth bull market in the cryptocurrency market, which is the biggest logic.',), ('The daily analysis chart tells us that since this mid-term buying point is established, we will naturally choose to create more bullish orders at times. This gives us confidence in the market. Then, by using our techniques and strictly executing buy and sell points, long-term stable profits will naturally emerge.',), (\"Let's analyze the current 1-hour trend chart together.\\nWe understand the yellow line as a support line.📊\\n1)🔸 When the price is above point A and has been tested at points B and D, the support of this line on the price can be understood as very effective.\\n2)🔹 The price at point D is lower than that at point C, but there is a divergence in the corresponding MACD histogram, which can be understood as a decrease in selling pressure and an increase in buying pressure.\\n3)🔺 Moreover, the price at point D is still above the support line, which provides us with good bullish evidence.\\n4)🔸 The price just fell slightly to near the support line to form point E, and then quickly rose, indicating the effectiveness of the support line.\\nTherefore, this strategy has a high success rate.\",), (\"Patience is a fundamental quality for traders. Waiting patiently for the market's outcome, there are only two possibilities: the price falls below the support line or the price reaches the target level. We will correspondingly choose to set a stop loss or take profit.\\nParticipating in high probability events will naturally lead to long-term stable profits. During the trading process, we need to strictly follow our plan. Sometimes, when the trend changes and does not move in the original direction, we can change our strategy along with the trend. In my opinion, this is never wrong, but rather a way to seek gains and avoid losses. As long as our trading system does not have serious loopholes, we must believe that every meticulous analysis we make is correct.\\nOnly by doing so can we become a king in any investment market.\",), ('This is not telling everyone to beat the market. We never need to be against the market because the market is always right. It is always important to conquer ourselves, and the primary condition for conquering ourselves is to have confidence. Strong and successful leaders in any field possess this quality of confidence. When you like a girl, you also need to have the confidence to tell her: \"I like you.\"\\nThe reason why I achieved good results in the preliminary round is that I came to an important conclusion through comprehensive analysis: this year is the beginning of a bull market for cryptocurrencies. I am very confident in my conclusion. Therefore, in the preliminary round, I actively created long BTC contracts using contract trading tools around $16,700.',), (\"Some of my friends may not have enough knowledge about investing in the cryptocurrency market, so I will take some time to share with them in the future. Similarly, the current price of BTC is around $27,000, and I am very optimistic about this mid-term buying point. I believe that the price of BTC can rise to $360,000, and I will share these insights in the future.\\nLet's put aside other viewpoints for now and think about this question together: Assuming this mid-term buying point is valid, isn't its cost-effectiveness very high? From the daily trend chart, we can see that BTC has had two upward movements of $10,000-$11,000. \\nThe corresponding increase was about 65% and 55%, respectively, with corresponding contract values that were several tens or even hundreds of times higher.\",), ('If this mid-term buying point is valid, we will have the potential to gain a price difference of $10,000 and corresponding contract values that are several tens or even hundreds of times higher. This could create amazing profits.💰💰',), (\"When the price reaches a relatively low level, I use a smaller amount of capital to create a new order. \\n1)🔸 Before the new strategy is announced, I will still follow the 1-hour strategy shared today. \\n2)🔹 I will determine whether to take profits based on the upcoming upward momentum.\\n\\nIf you are trading Bitcoin today or would like to receive my latest trading strategies or signals, please inform my assistant Ms. Mary or send me an email.📧\\n\\nHealthy living, happy investing, communication and sharing, gratitude and mutual assistance. This is the culture of our group, let's work together to achieve our dreams. \\nThat's all for today's sharing, see you tomorrow.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.🎊🎊\\nThanks to Professor Jim for sharing. He has made extraordinary achievements in many investment markets. He wants to realize his new dream through this competition.❤️\\nThis is lucky for the investor friends in our group, because I believe he will lead us to success.👏🏻👏🏻\\nI saw many friends voted for Professor Jim, thank you.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, please add my business card and write to me.💌💌\",), ('Mary Garcia',), (\"Talked to our mutual friend today. Seems cool. I'd actually met him one time before. Remind me to tell you about it next week.\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nBecause \"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors, in order to allow investors and friends to have a better investment experience, our trading center has fully upgraded the application, and the upgrade has now been completed.',), (\"Now the voting authority has been opened to the whole world, everyone is welcome to vote for our contestants. You will receive many generous rewards for voting and supporting contestants.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or Professor Jim's assistant Miss Mary.\",), ('Mary Garcia',), (\"Hello dear friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWelcome new friends to join this group. If you have any questions, you can write to my assistant, Ms. Mary.\\nThank you for your votes. With your support, I am more confident to win the championship.\\nI hope more friends can vote for me, thank you.\\nYou can get the voting window through my assistant, Ms. Mary.\",), (\"Today is a very important day with many data releases that will have a significant impact on major investment markets. \\nHow will non-farm payroll data, debt ceiling, and expectations for the Fed interest rate decision affect the stock market?\\n\\nThere seems to be an inverse relationship between stock indices and BTC. Why is the stock market rising while BTC refuses to fall, and what opportunities does this present?\\n\\nYesterday's strategy was undoubtedly successful, and later I will share my trading results with you and provide the latest strategies or signals.📍\",), (\"The above two pictures are my order status and yesterday's strategy respectively.\\nYesterday I created two bullish BTC contract orders, both of which achieved good profits.\\nI sold an order while continuing to hold another order, why?\\nI'll share why I do this later, and I'll share a few remaining investment themes that are extremely important\",), ('When I sell another order, I will post my signal.\\nThe figure below shows yesterday’s supplementary strategy and the current BTC trend. From the analysis chart, you can see that yesterday’s strategy is very correct.\\nThis is my confidence in my trading system.\\nI went out of my way yesterday to stress the importance of confidence and patience.\\nThe improvement of these qualities is far more important than the learning and improvement of technology.',), ('Important information.\\nFriends who followed me yesterday to create a BTC bullish contract order, I suggest you sell this order at this moment.\\nBecause BTC is currently in a narrow range of volatility, we have to lower our profit expectations, fast in and fast out, and keep profits.\\n\\nImportant information.\\nFriends who followed me yesterday to create a BTC bullish contract order, I suggest you sell this order at this moment.\\nBecause BTC is currently in a narrow range of volatility, we have to lower our profit expectations, fast in and fast out, and keep profits.',), ('I have already sold another order.\\nThe returns of the two orders are 27.85% and 51% respectively.\\nCongratulations to the friends who followed me and participated in this transaction and got a good profit.\\nBecause I am very busy recently, I only communicate with you by writing letters.\\nIn order to make our group generate greater value, in order to let more friends gain joy and success in this group.\\nI suggest that every friend regards himself as the master of this group.',), (\"Next, I'll turn on the group chat feature.\\nLet's have a collective exchange, and you can speak in the group if you have any questions.\\nThen I'll answer your questions and share the latest strategy and several other important topics.\",), ('What is this group for',), ('Hi everyone, I have already voted',), ('My name is,Benjamin nice to meet you',), ('I have voted, dear mary.',), ('This is a group to vote for Mr. jim, who is in a cryptocurrency contest.',), ('How to get the $3,000 bonus?',), ('What are you investing in and how did you make so much money?',), ('Hello friends, where are you? I am from New York.',), (\"Cryptocurrency contest? It's interesting. What kind of contest is this?\",), (\"Nice to meet you, nice to be in Professor Jim's group, I'm from Las Vegas\",), (\"Nice to meet you, nice to be on Professor Jim's group, I'm from Valdalas, Texas\",), ('This is a cryptocurrency contract transaction. Mr. Jim has made a lot of money recently. He is a master and he is the most outstanding performer among the preliminary contestants.',), ('Earning 50% of the income in one day is too enviable. How did this happen?',), ('Professor Jim, hello, I have observed this group for a while, and I agree with your views on the major investment markets, and your technology is too powerful.',), ('Wow this is shocking my stock is only making 12% in a month',), ('Mr. Jim, this is amazing. After you issued the order, the price of btc started to fall. How did you do it?\\nI think it will drop to 26,700, is there any trading signal today?',), ('I have a fresh cup of coffee next to me, waiting for the trading signals to come in',), ('I have voted for you Professor Jim good luck',), ('Mr. Jim said that the stock market is about to peak, and we should pay attention to risks. Do you see these views?',), (\"I've just been here not too long ago, it's nice to meet you all, I don't know much about Bitcoin, it's nice to be able to learn from you\",), ('My babe mary i just voted for mr jim',), ('I think cryptocurrencies are very mysterious and fascinating things.',), ('Is this a group for trading BTC?',), (\"I'm usually busy and don't have much time to watch group messages, but I seem to have noticed some of his views, some of which I don't quite understand.\",), (\"How to buy and sell, why can't my APP operate like this\",), ('Where can I see this contest?',), (\"I'm also learning about cryptocurrencies, but I don't know how to start.\",), ('Thank you Mr. Jim for sharing. I am a novice. Your sharing has taught me a lot of knowledge that I did not know before. I think this group is very valuable.',), (\"Damn why am I voting I'm fed up with elections\",), (\"His views are very professional and correct, and can represent the views of professional investment institutions. This is my review.\\nI think it is lucky to be able to see Professor Jim's point of view, you can spend a little time to understand it, I believe it will be helpful to your investment.\",), ('What are cryptocurrencies? How to make money?',), (\"You can consult Professor Jim's assistant Miss Mary, she is omnipotent.\",), (\"I don't quite understand, is this futures trading?\",), ('thx',), (\"Hello, Professor Jim. I was recommended to come here by Mr. Wilson.\\nI've heard of your name a long time ago, and it's a pleasure to join your group.\\nI have carefully observed your views and strategies, which are second to none on Wall Street.\\nEspecially your views on gold and stock indexes, which are very professional, and our views are consistent.\\nIn fact, many cryptocurrency traders on Wall Street have been losing money recently. I saw that your transaction last week was a masterpiece.\\nIf you are free, you are welcome to come to Wall Street as a guest, maybe we can talk about cooperation.\",), (\"Hello dear friends.\\nThank you very much for voting for me, my votes are increasing and my ranking is improving, and other players are working hard.\\nWith your support, I believe I will be able to win the championship.\\nBecause voting accounts for 40% of the results of this competition, I hope you can continue to support me, thank you.\\nI am very happy to see friends asking questions, and I will answer your questions next.\\nAnd I'll share the latest strategies and several other important investment themes.\",), ('Thank you for your recognition, thank you friends for your support.\\nNearly 1,500 media outlets around the world are promoting this competition, which shows that Btcoin Trading Center attaches great importance to this competition.\\nThis is a great opportunity for all of us, because since the Silicon Valley Bank incident, the risk in many investment markets has increased.\\nTherefore, I have shared a lot of investment themes recently. On the one hand, I have invested in many markets, and on the other hand, I want everyone to recognize the direction.\\nIt is my honor to be able to bring value to my friends.\\nWe hope that these groups of ours can become a warm family.\\nWe work hard for our goals and dreams.\\nI keep an investment diary every day, a habit I have maintained for more than 30 years.\\nThe picture below is my promise to my friends on May 31, friends are welcome to supervise together.',), (\"Thank you for your endorsement.\\nI'm sorry, but because of the finals, I've been very busy recently, so I need to focus more.\\nWe can be with a lot of friends and get together in New York after the finals.\\nIn fact, I have a deep understanding of the recent BTC trend and transaction difficulty. The recent transaction difficulty is very high.\\nFortunately, our profits have been increasing steadily.\\nEspecially for last week's transaction, I am very satisfied\",), (\"Likewise, I would like to express the following opinion to my friends in this group.\\n1) This week's trading is still going on, as long as the market gives us a chance, we will definitely be able to firmly grasp more profits.\\n2) However, risk control always comes first.\\n3) As I said yesterday, patience and confidence are the keys to our success.\\n\\nOf course, we still have many ways to make money, and there are many tools that can be used. I will talk about this when I have time.\\nNext, I will share a few topics for today.\",), ('📍What impact will non-farm data, debt ceiling, Fed interest rate resolution expectations, etc. have on the stock market?❓\\n\\n🔔The Labor Department released non-farm data for May today, and the number of employed people once again exceeded consensus expectations, with an increase of 339,000, even much higher than expected. Combined with an upwardly revised 93,000 for the previous two months, the overall figure is undeniably strong.👍🏻👍🏻\\nThe unemployment rate rose to 3.7%, well above expectations of 3.5%. Meanwhile, monthly wage growth was in line with expectations, but slightly weaker than expected on an annualized basis as previous data was revised down slightly.❗❗',), ('Taken together, the data could lead to the Fed finally continuing to raise interest rates in June, but the rise in unemployment could be enough to keep rates on hold this month.\\nThe probability that the Fed will keep interest rates unchanged in June is about 70%, and the probability of raising interest rates by 25📈 basis points is about 30%.📊',), (\"Easing concerns about the debt ceiling also boosted market sentiment.\\nThe Senate passed a bill to raise the debt ceiling late Thursday and sent it to President Joe Biden's desk.\\nThe House of Representatives passed the Fiscal Responsibility Act on Wednesday.\\nEarlier, some investors feared that the U.S. could default if a deal was not reached.\\nThis uncertainty has now been largely eliminated. I have already told you not to worry about this issue, and history has already told us the answer.\",), (\"Tech giants are still driving much of the stock market's gains, with Bank of America saying tech stocks attracted record inflows last week.\\nIn addition to the AI-related obsession that drove large-cap stocks up 17 percent in May, tech stocks also got a boost from bets that the Fed will soon stop raising interest rates.\\nIf you are not clear about the relevant logic of the stock market, you can get my investment diary through my assistant, Ms. Mary.\",), ('Mary Garcia',), ('The stock index and BTC have begun to show an inverse relationship. Why is the stock index rising but BTC refuses to fall? What kind of opportunities are there?\\n\\nJudging from the 30-day pearson coefficient trend chart, since May, BTC and US stocks have begun to show a negative correlation.\\nThere are 2 important pieces of information here.\\n1.🔸 The stock index rose sharply, but BTC fell slightly, indicating that BTC refused to fall back.\\n2.🔹 If the stock index falls, will BTC usher in a big rise?\\nThis is very simple logic.',), ('As I said yesterday, the stock market’s earnings outlook in 2023 is not strong enough. With the AI concept stock investment machine bubble and the imminent issuance of new bonds, and when the bond yield rises to a certain level, will you still take risks in the stock market?\\nThe picture below is a 15-minute analysis chart of the Nasdaq 100 Index. \\nThe index and the price have deviated, indicating that buying is weakening and a decline may occur at any time.',), ('As shown in the 1-hour analysis chart above, the upward trend of BTC will not be so smooth, and it is still understood as a range shock.\\nBut we have to make full preparations for the outbreak of mid-term buying points.\\nAt present, I still continue to hold some medium-term bullish contract orders.',), (\"As long as we follow the trend under the protection of a complete trading system, wait patiently for market opportunities to appear, and work hard, the results will definitely not be bad.\\nI'm going to give up rest this weekend, I'm laying the groundwork for the final, and timing is important.\\nFriends who want to get real-time trading signals from my trading team can write to my assistant, Ms. Mary.\\nShare these today and see you tomorrow.\",), ('Hello Ladies and Gentlemen,\\nMy name is Mary Garcia and I am an assistant to Professor Jim. I would like to welcome our new friends to this investment discussion group.\\nProfessor Jim is currently in the contest and we would appreciate it if you could vote for him. He has achieved impressive results in many investment markets, and hopes to realize his new dream through this competition❤️\\nWe thank Professor Jim for sharing, and many of our friends have followed his advice today and made extraordinary short-term profits. 💰\\n\\nFriends who voted, please send me a screenshot of your vote as proof of eligibility for the reward.\\nThanks. 👏🏻',), (\"If you would like to receive the voting link, Jim Professor's gifts, real-time trading signals and strategies from Jim Professor's team, or if you need any assistance with your investments, please add my business card and send me a message.💌💌\",), ('Mary Garcia',), ('I should be in town late Sunday afternoon. I have a few things to collect during the first half of the day.',), (\"Hello, dear friends.\\nIt's the weekend, but my team and I are still fighting.\\nBecause we want to lay a good foundation for income in the opening stage of the finals.\\nBTC is currently in an important stage, and the big trend is about to emerge. Once the price breaks the deadlock, the expected benefits will be beyond imagination.\\nOpportunity awaits those who are prepared.\\nI created an order and I will share my strategy with you.\\nFriends who want to make money together on weekends are welcome to communicate together.\",), ('The following points can be drawn from the 1-hour analysis chart of BTC.\\n1.🔹 The upward trend of MA120 is good and provides good support for the price.\\n2.🔸 The Bollinger Bands present the following technical points.\\n1) The distance between the upper and lower rails becomes smaller, which is a precursor to the start of the trend.\\n2) The middle track changes from downward to horizontal movement, indicating that the buyer power of BTC is increasing.\\n3) The price is above the middle track, indicating that the trend is strengthening, which remains to be observed.',), ('3. MACD presents the following technical points.\\n1) The fast line shows signs of upward movement, indicating that the trend is strengthening, which remains to be observed.\\n2) The positive value of MACD stops and continues to shrink, indicating that the strength of sellers is weakening, which remains to be observed.',), (\"Although my order has realized a profit of nearly 20%, I have not increased my capital position.\\nI'm waiting for confirmation of the signal.\\nAs shown in the 1-hour analysis chart above.\\n1️⃣ The price starts to rise near the middle track of the Bollinger Band. At the same time, the value of MACD turns from negative to positive, and the fast and slow lines form a golden cross.\\nAt this time, buying point A is formed, and I use point A to submit a bullish contract order for BTC.\\n2️⃣ If the price breaks through the pressure line strongly to form a buying point B, I will increase the use of funds.\\n3️⃣ The third buying point is when the price breaks through and backtests the support line to form buying point C, which will be another opportunity.\",), (\"Although the current graphics present these signals, the trend is changing, and we must follow the trend instead of subjectively speculating on the trend.\\nIf the price fails to make a complete and strong breakthrough, the positive value of MACD in the 1-hour graph will not continue to increase effectively.\\nAt the same time, the trend chart of the 15-30 minute period will show the signal that the buyer's strength is weakening in advance.\\nThis is what I want to focus on observing.\",), ('If the price can successfully complete a strong breakout, it will show some clear bullish signals in the technical graphics.💡\\nFor example, the fast line of MACD in the 1-hour trend chart will accelerate upward and exceed the height of the fast line on the left.📊\\nOr, in the 1D trend chart, the MACD fast line continues to rise or even crosses the zero axis, and the price may break through the upper track of the Bollinger Band.📈\\n...\\n\\nI can find buy points from the sub-1 hour cycle level and increase the use of my capital position.',), ('In short, we must look at trends and changes in trends objectively and patiently.\\nWe have a sound trading system as a strong backing, and we have full confidence in maintaining long-term steady profits.\\nHere I would like to emphasize two points.\\n1️⃣ If you are conducting contract transactions such as BTC or ETH according to my strategy or signal, please inform my assistant, Ms. Mary, so that we can grasp market changes together.\\n2️⃣ If you want to know the follow-up selling points, buying points for increasing capital position, etc., please leave a message to my assistant, Ms. Mary immediately. She will share the real-time trading signals of my trading team with you for free.',), ('Ms. Mary is an IT and software engineer, and she is my teacher in many ways.\\nBelow is her business card, if you want her help in other matters, you can write to her.💌',), ('Mary Garcia',), (\"Let's meet and see where everything stands.\",), ('At the airport now',), ('Landed or waiting to leave?',), ('Waiting to leave.',), ('Board in an hour',), ('Sounds good. Should be there around the same time you are. Have a few things to take care of and then we can link up.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nThis Thursday, \"Btcoin-2023 New Bull Market Masters-Final\" opened voting rights to global investors. The number of votes for the 10 finalists has obviously increased, and the rankings have also begun to change.',), (\"Although the volatility of the cryptocurrency market is not large this week, players are actively seizing market opportunities. The income of Jim Anderson's combination strategy of short-term and medium-term contracts is in the lead.\\nI wish all players excellent results and wish all investors a happy investment.\\nIn addition, the trading center will soon launch a new ICO project that is popular among users, so stay tuned.\",), (\"Hello dear friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWelcome new friends to join this group. If you have any questions, you can write to my assistant, Ms. Mary.\\n\\nMy team and I kept fighting this weekend because we wanted to build a good base of earnings early in the finals.\\nBTC is currently in an important stage, and the big trend is about to emerge. Once the price breaks the deadlock, the expected benefits will be beyond imagination.\\nI believe that opportunities are always reserved for those who are prepared.\",), (\"This is the status of my current order.\\nMy strategy has not changed, I still follow yesterday's strategy. I am waiting for the formation of buying point B.\\nBecause I have the protection of the original profit, it will be easier for me to choose to increase the capital position.\\nAt the same time, I will continue to pay attention to changes in the intensity of buying. If the trend is not strong enough, I may choose the right time to take profit on yesterday's order.\",), (\"I personally think that there is still a lot to improve in this week's trading, and next week I will work harder to present a better level of competition for everyone.\\nIf you are investing in cryptocurrencies and agree with my investment philosophy, investment tools, strategies and signals, you can choose to follow my trading rhythm and tell my assistant, Ms. Mary, we will give some suggestions in real time.\",), ('ICOs are certainly one of the best investment projects, 70% of my income this year is related to it, I will spend time researching and following it, and I will share valuable information.❗\\n\\nWhy is it said that raising interest rates will make this round of cryptocurrency bull market more violent? This is the conclusion I reached after discussing with many industry elites over the weekend, and I will share this important content tomorrow.🔔\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nDear friends, if you have any questions, please leave a message or ask my assistant, Ms. Mary.🙎🏼\\u200d♀️💌\\nShare these today and see you tomorrow.🤝🏻',), ('Mary Garcia',), ('Landed',), (\"I'll be with Matt for a bit\",), ('Ok. In town. Taking care of some shit.',), ('Currently here.',), (\"Ruth's\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.💰💰\\n\\nThe price of Bitcoin rose as scheduled, and Professor Jim's income has further expanded. Congratulations to friends who have seized the opportunity with them and gained short-term excess income.\\U0001fa77\\n\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the contest and I hope you can vote for him.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, please add my business card and write to me.\",), ('Headed that way soon',), ('Headed over to the \"main site\" for food.',), (\"I'm at the other spot.\",), ('Things look clear on the water',), (\"I'll be over shortly. Wrapping up.\",), (\"Bringing a friend. He's cool.\",), ('Okay. Safe?',), ('Def. Can provide tech assistance if needed.',), ('What a nice sky',), ('Location?',), ('Rooftop bar.',), ('Okay',), (\"I'll head up in a few\",), ('Oops',), ('I actually feel sick. Meet in the am?',), ('No problem. Get better. We have a lot of planning to do.',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors.\\nOur trading center has fully upgraded the application and opened voting rights to the world. Welcome everyone to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nGood luck to the finalists this week and happy investing.',), (\"Hello dear friends, I'm Jim Anderson.\\nA new week has started again, this week I will show a higher level of competition, this is my requirement for myself, that is to say, I want to obtain higher profits this week.\\n\\nI just created a BTC bullish contract order, and I will share my logic and strategy later.\\n\\nA friend asked about the topic of ICO, which is very important, because this is an excellent investment project, and it is also very important to my game. I will study every ICO project carefully, and I will take the time to share the secrets.\\nWhy is it said that raising interest rates will make this round of cryptocurrency bull market more violent? This is the conclusion I reached after discussing with many industry elites over the weekend, and today I will share this important topic.\",), (\"Welcome new friends.\\nThanks everyone for voting for me, my ranking is improving.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nOn the day when the voting window opened to the world, I said that my goal is to be the champion, and I want to lead the cryptocurrency enthusiasts who support me to surpass other finalists.\\nAt the weekend, my trading team summarized last week's trading, and this week's strategy will be adjusted, and we strive to achieve better profitability.\\nI will share some important strategies and signals in this group. On the one hand, I will show the logic, status, and skills of my trading, and on the other hand, I will give back to my supporters.\\nNext I will share today's strategy and other important investment themes.\",), ('Check your apps.',), (\"The following points can be drawn from the daily analysis chart.\\n1️⃣ After BTC started a rally in mid-March, the price recently fell back to around 0.618, which is an important psychological support level.\\nIf the price breaks below this level, 0.5 will be challenged.\\nSo today's closing line is extremely critical.\\n2️⃣ The current price has fallen back to around MA120, which is another important support level, which is also the focus of attention.\\nFrom a fundamental point of view, I am still optimistic that BTC is currently in the period of building a mid-term buying point.\",), ('Just now, the black swan incident happened, the SEC sued binance and its CEO for violating securities trading rules.\\nThe cryptocurrency market experienced violent shocks, and the price of BTC fell below the MA120.\\nThe change in market sentiment is an important reason for the sharp fluctuations in short-term prices.\\nTherefore, why have I repeatedly emphasized \"reducing earnings expectations\", \"strictly controlling capital positions\" and \"treating with caution\" recently.\\nIt is a good thing that the price breaks the deadlock, which will give birth to a new trend, and the difficulty of trading will decrease accordingly.\\nI will keep an eye on the market in real time, and if there is a better opportunity, I will issue a trading signal.',), (\"After the price of BTC plummeted today due to the black swan event, the price entered a narrow range.\\nBinance is currently issuing relevant clarifications, and market investors are waiting to see.\\nTherefore, the trend of BTC today is crucial, and whether its price can stand above MA120 has become an important technical concern.\\nFrom a rational point of view, it is a better strategy to choose to wait and see at the moment.\\nMoreover, in the process of looking for new opportunities, I found that in the process of BTC's decline, there is a target that is very strong.\\nIt is BUA/USDT, and there are signs of the operation of the main funds.\\nSo I create a bullish contract order of BUA with a smaller capital position.\\nNext I will share why I do this.\",), ('When BTC is falling, there is obviously a large number of buying orders entering other currencies, which is the internal rotation law of a typical cryptocurrency market.\\nIt can be seen from the 30-minute trend chart of BUA that BUA is the representative of the current market.\\nThis pattern is common in any investment market.',), ('The following points can be seen from the analysis diagram.\\n1. After the technical indicators deviated from the price, the buying increased sharply.\\n2. The MACD fast and slow line quickly forms a golden cross, and the positive value of MACD increases rapidly.\\n3. The middle track of the Bollinger Bands turns upwards, and the price breaks through the upper track, which is a very strong signal of a stronger trend.\\n\\nThis variety belongs to the ICO variety, because I participated in it and made a lot of profits during the period before and after its listing, and I will share the specific skills when I am not busy.',), (\"A few friends wrote to me just now and asked: Has the trend of BTC changed?\\nThat's a good question to ask.\\nMy answer is not to jump to conclusions.\\nBecause it is not difficult to judge the trend, but it is necessary to wait for the confirmation signal.\\nThe driving force behind the technical trend is capital, industry fundamentals and policy guidance, etc.\\nFor example, the trend of BUA/USDT just now is driven by funds.\\nFor example, the black swan event just now, although not common, is a policy event.\\nDon't be surprised that this kind of thing happens, it happens in any market.\\nProfessional traders are not worried about such events, because they all have the ability to prevent such risks in real time.\\nOrdinary investors can avoid this risk as long as they pay attention to the use of capital positions.\",), ('I share an important fundamental message.\\nInfluenced by Silicon Valley bank failures, debt ceilings, interest rate decisions and expectations, bank users will continue to deposit money in banks that are too big to fail.\\nThe big banks deposit any additional money they receive at the Fed, which increases the amount of money the Fed prints, and the new money is used to pay interest on the money held at those facilities.',), ('Therefore, the dollar liquidity injected into the financial system will continue to grow.\\nWhen wealthy asset holders have more money than they need, they invest it in more valuable risk assets, such as Bitcoin and AI technology stocks.\\nCombined with other fundamental views I have shared, in fact, the medium-term fundamentals of cryptocurrencies are strengthening.\\nHowever, from a trading point of view, we only follow the trend.',), (\"The BUA/USDT bullish contract order I just created is now profitable, and the price of BTC has a signal to stop falling, which is more conducive to the rise of BUA.\\nTherefore, this order can achieve short-term excess returns with a high probability.\\nI will release my latest trading signals in real time, please pay attention.\\n\\nBecause I am very busy recently, I only communicate with you by writing letters.\\nIn order to make our group generate greater value, in order to let more friends gain joy and success in this group.\\nI suggest that every friend regards himself as the master of this group.\\nNext, I'll turn on the group chat feature.\\nLet's have a group exchange, and if you have any questions, you can speak in the group, and then I will answer your questions.\",), ('Ok',), ('I have voted mr jim',), ('I already voted for you Mr. Jim and I will keep voting for you',), ('Wow, I made 20% of the profit, this is so exciting',), ('What is it and how is it done',), ('Earn about 40% in an hour, this is so much fun',), (\"Thanks, I've spoken to Ms. Mary Garcia. I believe you can be champion. I'll stick with my vote for you.\",), ('This is a contract transaction of cryptocurrency.',), ('I am a beginner. I need help, I would like to know how to start the first step.',), ('What is a contract transaction',), (\"According to Professor Jim's point of view, this transaction is expected to achieve good returns\",), ('It has been a pleasure to support you and I have learned a lot from the group that is useful to me. Thanks.',), ('Why are there no contract transactions in my application?',), ('I totally agree with your point of view',), (\"Drink later? I'm stressed\",), (\"Too bad I didn't keep up with the deal, I should have come sooner. Otherwise I can make money like you.\",), (\"Dear Mary, I have already voted for Professor Jim, today's market is too exciting\",), ('Important information.\\nThe price of BUA is already close to the price pressure zone on the left, and the current market sentiment in the cryptocurrency market is unstable, I will sell this order and keep the profit.\\nFriends who participated in this contract transaction, let me take a look at your income.\\n\\nImportant information.\\nThe price of BUA is already close to the price pressure zone on the left, and the current market sentiment in the cryptocurrency market is unstable, I will sell this order and keep the profit.\\nFriends who participated in this contract transaction, let me take a look at your income.',), ('How is this done, and what type of investment is this? Is it futures?',), ('Professor Jim, I have carefully read many of your views and strategies, and I think they are very reasonable, but it is difficult for me to learn.\\nWhat are cryptocurrencies? What is btc? What is a contract transaction? I want to make money, what should I do?',), ('Although I missed the big drop of BTC, the transaction of BUA is also wonderful',), ('I want to learn cryptocurrency as soon as possible, how should I start?',), ('Professor Jim, I am investing in stocks and foreign exchange. I have a deep understanding of the emergency you mentioned today. What I want to learn is how to control the risk of this emergency? I am learning cryptocurrency, this contract trading is similar to foreign exchange, right?',), ('Beautiful Ms. Mary, I seem to be lost, I need your help, I need to make a transaction ASAP.',), (\"I don't have the app, where can I get it\",), ('You can write to me and I will teach you.\\nFriends, if you are a beginner in the cryptocurrency market and have similar problems, you can write to me.\\nOr you can ask your friends in the group for advice.',), (\"Lugano's Plan Bitcoin names Swiss Cup football final jersey\",), ('Enjoy the good weather',), (\"No bua in my app, is btcoin's app easy to use, is it safe?\",), ('It amazes me to see you guys making 50% profit in two hours, I want to know how it is done? What should I do to be like you? Can anyone help me?',), ('Lovely!',), (\"I also have the same question, I don't know much about cryptocurrency and contract trading. Hope to get your help, Mr. Jim.\",), ('Enjoy the good weather',), (\"Mary, I hope you're taking care of yourself and finding some time to relax amidst all the busyness. Remember, it's always important to take breaks and prioritize your well-being, too\",), (\"Hello dear friends.\\nThank you very much for voting for me, my votes are increasing and my ranking is improving, and other players are working hard.\\nWith your support, I believe I will be able to win the championship.\\nBecause voting accounts for 40% of the results of this competition, I hope you can continue to support me, thank you.\\n\\nToday's cryptocurrency market fluctuates greatly due to the impact of unexpected events, but with our hard work, we still gained some short-term excess returns.\\nOpportunity awaits those who are prepared. Congratulations to some friends who took the opportunity with me and made a profit.\\nI am very happy to see friends asking questions. Next, I will spare a little time to answer your questions.\",), (\"The cryptocurrency market, like investment markets such as stocks, bonds, gold, foreign exchange, futures, and commodities, is an independent trading market in the global financial market.\\nThrough the questions from friends, I saw that some friends do not understand the basic knowledge of cryptocurrencies, contract transactions, etc., which belong to relatively basic investment knowledge.\\nWait a moment, everyone, I will look up some information I used to train junior traders and share them with you.\\nWhen you understand the basic information, let's summarize together.\",), ('Absolutely. I can meet somewhere after some of these meetings.',), ('This is the Bitcoin that we are all familiar with. I believe that all of us have heard of Bitcoin, but there may not be many friends who really understand Bitcoin.\\nAlthough Bitcoin is not a hard currency at present, as a representative of cryptocurrency, its prospects are beyond doubt.\\nThe cryptocurrency market will also become a hot spot in the investment market in the future, and may even surpass gold to become one of the largest investment products in the world.\\nIts current market cap surpasses that of Nivdia and approaches Amazon.',), (\"I believe that through the above sharing, many friends have at least understood a few points.\\n1. The concept and characteristics of cryptocurrency.\\n2. As the best representative of cryptocurrency - how Bitcoin was born.\\n3. The rules and characteristics of Bitcoin issuance.\\n4. The logic of Bitcoin's appreciation and the reasons why it is recognized by the market.\",), ('In fact, for us investors, the most important thing is to learn how to use cryptocurrency to make money.\\nFor the subject of investment, it is a very profound knowledge.\\nWhy do many people understand the logic of \"Bitcoin appreciation\", but they lose a lot of money on Bitcoin?\\nHow to make money with cryptocurrency? Is this the question that everyone is most concerned about?',), ('Spot trading, contract trading, ICO... What are these most basic investment functions, and how to use them reasonably?\\nWhy is it said that the fourth round of bull market will inevitably be born in 2023?\\nWhat is driving this bull market?\\nHow long can this bull market last?\\nHow should ordinary investors participate in this round of bull market?\\n...\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\nWelcome to discuss together.\\nShare these today and see you tomorrow.',), ('Dear users, nearly 500 media around the world are constantly promoting this competition, so more and more people are paying attention. Among them, the number of iOS system users has increased rapidly, resulting in a small number of iOS system users experiencing unsmooth use.\\nIn order to let users have a better experience, our system will be upgraded again, please pay attention to the time of system upgrade and maintenance.\\nSorry for any inconvenience caused.',), (\"Hello ladies and gentlemen.\\nThose who have added my business card believe that everyone already knows me. I am Mr. Jim's assistant Mary. Welcome new friends to join this investment discussion group.\\nMr. Jim is working hard to improve his ranking. I hope friends can vote for him. He has made extraordinary achievements in many investment markets. He wants to realize his new dream through this competition.❤️\\nRecently, many friends have started to follow Mr. Jim’s trading signals to earn good profits. These are one of the rewards you can get for supporting Mr. Jim, besides the 3k USD voting reward.👏🏻\",), ('Friends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\nBy voting for Mr. Jim, you can get more than just 3k dollars in rewards, and you can get more by staying in the discussion group,💰💰\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you also want to trade with Mr. Jim like the friend above, or if you need my help, please add my business card and write to me💌💌',), ('Mary Garcia',), ('Rooftop',), ('Embassy suites. I ordered some food',), ('I should be finished soon.',), ('Few more people to talk to.',), ('Ok',), ('Crazy people here',), (\"Man, make sure we aren't sitting next to them.\",), ('Ha',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n*\"Btcoin-2023 New Bull Market Masters-Final\" has attracted the attention of global investors.*\\nEveryone is welcome to vote for our contestants. You will receive many generous rewards for voting and supporting players.\\nPlease pay attention to the time period for system upgrade and maintenance today.',), (\"The group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or Professor Jim's assistant Miss Mary.\\nGood luck to the finalists this week and happy investing.\",), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThank you for voting for me, my number of votes is increasing, and my ranking is improving.\\n*Voting results account for 40% of the total score. With your support, I am more confident.*\\nAt the weekend, my trading team summarized last week's trading, and this week's strategy will be adjusted, and we strive to achieve better profitability.\",), ('I will share some important strategies and signals in this group. On the one hand, I will show the logic, status, and skills of my trading, and on the other hand, I will give back to my supporters.\\nSome short-term gains were realized yesterday, and today the market trend is relatively obvious, and the difficulty of trading will be much reduced.\\n*I will share strategies and signals later.*\\nFriends who are investing in cryptocurrencies, please pay attention.\\nAt the same time, *I will share more important information in the market.*',), ('First, I quickly share my goals and strategies with my friends.\\nMarket opportunities come at any time, and I may publish my trading signals at any time.\\nThere are two targets of contract trading that I am concerned about today.\\nJust now I created a BTC bullish contract order with very little capital.\\nBut I might focus on another target.\\nLet me first share the strategy of BTC.',), (\"The following points can be drawn from the 1-hour BTC analysis chart.\\n1. *After the price falls, the strength of the seller is exhausted, and the MACD indicator deviates from the price.*\\n2. *The price has entered a new range, and the current price is likely to fluctuate within this range.*\\n3. *However, the current price has entered a weak range, so it is mainly to sell at high levels and supplemented by buying at low levels.*\\n4. *Therefore, I will lower the profit expectation for this order, and will choose to take profit at any time.*\\nNext, I will share today's more important strategies.\",), ('From the 30-minute BUA analysis chart, the following points can be drawn.\\n1. *The price is breaking through the pressure line.*\\n2. *There are signs of turning upwards in the direction of the middle track of the Bollinger Bands.*\\n3. *The MACD fast and slow line forms a golden cross near the zero axis, and the positive value of MACD gradually increases.*\\nThis is a very strong upward signal, and this kind of technical graphics can often be concluded: the probability of a real breakthrough in the price is relatively high.',), ('In comparison, BTC has a larger strategic cycle and a weaker trend.\\nThe BUA strategy has a shorter period and a stronger trend.\\nTherefore, BUA has the expectation of greater short-term profits.\\n*So I used more funds than BTC and created a BUA bullish contract order.*',), ('Important information.\\nBecause the current trend of BTC is still not strong enough, I sold the BTC contract to keep the profit.\\nWaiting for the next opportunity.\\nToday I focus on BUA, and I continue to hold BUA orders.\\n\\nImportant information.\\nBecause the current trend of BTC is still not strong enough, I sold the BTC contract to keep the profit.\\nWaiting for the next opportunity.\\nToday I focus on BUA, and I continue to hold BUA orders.',), ('*I analyze two important messages.*\\n1. Coinbase opened nearly 20% lower, driving cryptocurrency concept stocks lower, MicroStrategy fell more than 2%, and Riot Blockchain fell about 5%.\\nFollowing Binance, the SEC sued Coinbase for violations.\\n2.With Biden signing the debt ceiling bill, the crisis has just subsided, but another wave of crises may be quietly brewing.',), (\"Regarding the first news, I think it is a good thing, which is bad for the entire cryptocurrency market in the short term, but good for the medium and long term.\\nThis is clearly paving the way for a bull market. Because after the rectification, the whole market will have a new look.\\nThe cryptocurrency market is currently in the early stage of vigorous development, and the regulatory department has made adjustments to allow the entire industry to develop healthily.\\n\\n*Kind tips.*\\n1.🔹 Here, I would like to remind all investors and friends that when you choose an exchange, you must look for its formality.\\n2.🔸 In order to protect the safety of your own assets, don't trust any trading center without filing.\",), ('Similar problems have already been reported by friends and my assistants. Don’t trust the news not shared by this group. We will not be responsible for any accidental losses.\\nIf you have any questions, you can ask my assistant, Ms. Mary, who is an IT and software enginee',), ('Mary Garcia',), ('*Issuing new debt is imminent, which means for the US banking industry that bank deposits will continue to flow.*\\n*As of the beginning of this month, the Treasury\\'s cash balance was at levels last seen in October 2015.*\\n*By the end of the third quarter of this year, the Ministry of Finance\\'s new bond issuance may exceed US$1 trillion, and a large amount of market liquidity will be \"sucked back\" to the Ministry of Finance.*\\n*The impact on the U.S. economy of the bond issuance wave is equivalent to a 25 basis point rate hike by the Fed.*',), ('*For the banking industry, it is more difficult to retain the deposits of depositors, and the situation of deposit migration will continue.*\\n*U.S. deposits have been pouring into money market funds since the collapse of Silicon Valley Bank triggered a market panic.*\\n*And as the U.S.* *Treasury issues massive amounts of debt, more deposits will be lost.*',), ('Money market funds invest primarily in risk-free assets such as short-term government bonds.\\nMonetary Funds continued to see net capital inflows, partly because the Fed continued to raise interest rates, making market interest rates continue to rise.\\nWhen a large number of bonds are issued, the yield rate that money funds can provide will be more attractive.\\nWhichever institution decides to buy Treasuries is expected to free up funds by liquidating bank deposits. This will damage bank reserves, exacerbate capital flight, and affect the stability of the financial system.\\nWhen financial stability is at stake, it tends to be good for the cryptocurrency market.\\nThis is good news for the cryptocurrency market in the short and medium term.',), ('*Warning: The impact of a large number of U.S. debt issuance on liquidity, stocks and bonds.*\\n*We have poor market internals, negative leading indicators and declining liquidity, which is not good for the stock market.*\\n*Major investment banks have expressed similar views that bond issuance will exacerbate monetary tightening, and U.S. stocks will fall by more than 5%.*\\n*The US stock index is currently showing a negative correlation with BTC.*\\n*The expectation of the stock index falling increases, and the expectation of BTC\\'s rise increases.*\\n\\n*On May 24, I shared \"The Debt Ceiling Negotiations Bring Risks to U.S. Stocks Soon\", which analyzed the relevant logic in detail.*\\n*You can get the investment notes of the day through my assistant.*',), ('*Important information.*\\nThe bullish contract order of BUA that I just created has also achieved a return of more than 40%.\\nThe price of BTC is close to the target level, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.\\n\\n*Important information.*\\nThe bullish contract order of BUA that I just created has also achieved a return of more than 40%.\\nThe price of BTC is close to the target level, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.',), (\"I once told everyone that the reason why I was able to enter the finals as the first place is that 70% of the proceeds are related to ICO.\\nI am following this new opportunity. Friends who are interested in this project, we can discuss together.\\n\\nToday's short-term contract transactions are relatively smooth, and the two transactions just shared have achieved good returns.\\nThere are many cryptocurrency enthusiasts in this group, and some friends like the method of combination investment.\",), (\"In response to friends' questions, the basic knowledge shared yesterday has been well received by everyone. It is my honor that my sharing is valuable to you.\\nNext, in the process of waiting for the opportunity, I suggest that friends communicate with each other. If you have any questions, you can speak in the group, and then I will answer your questions.\",), (\"Good afternoon everyone, Professor Jim's content is very exciting, which piqued my interest, I will vote for you and I will ask Mary to help me finish later.\",), ('What kind of investments are you making? How did you manage to make so much profit in such a short period of time?',), (\"Wow, 50% off the two times, it's unbelievable I bought it late.\",), ('Nice to meet you all, I think this group is very valuable, with correct views, clear logic, and precise strategies.',), ('This is the cryptocurrency contract trading tool',), ('Thanks mr jim i have voted for you',), ('Today I saw your double profits in BTC and BUA, which made me very excited. I will prepare for work as soon as possible, and Mary will help me. Already voted for you today',), (\"I've voted you up, Prof. Jim.\\nNice to be in this group and I appreciate the point you just shared.\\nI used to work in a bank and am now retired.\\nNow the plight of many banks has not been resolved. You have shared a lot about the impact of new bond issuance. I have been paying close attention to it, which is very helpful for my investment.\",), ('What is a contract transaction?',), (\"I've voted you up, Prof. Jim.\\nNice to be in this group and I appreciate the point you just shared.\\nI used to work in a bank and am now retired.\\nNow the plight of many banks has not been resolved. You have shared a lot about the impact of new bond issuance. I have been paying close attention to it, which is very helpful for my investment.\",), (\"I have a similar problem, Mr. Jim, I want to understand it, but I don't know where to start, can I get your help?\",), ('What kind of investments are you currently involved in, sir?\"',), ('What is an ICO',), ('Bitcoin and the stock index began to show a negative correlation, which is too intuitive.\\nIf Bitcoin starts to rise, it means that the signal of the top of the stock market is confirmed. Thanks to Mr. Jim for sharing.',), (\"I'm investing in gold, stocks and cryptocurrencies at the same time.\",), ('I am very interested in cryptocurrency. It is said that many of my friends are investing in cryptocurrency. I also want to learn about this investment. What should I do?',), ('Seeing ICOs excites me, I own some Dogecoins in 2020 and earn 300x+ in 2021.\\nWhat is the potential of this project, Mr. Jim? What information did you get? Can you share with me?',), (\"Then you can pay more attention to Mr. Jim's point of view.\",), ('I have heard of contract trading but have never participated in it. Is it risky?',), ('Mr. Jim, I have carefully summarized your views. I think AI concept stocks and bank stocks still have certain value at present. But AI stocks are currently overvalued and could pull back at any time. From the perspective of value investing, some bank stocks are still good. This made my choice a little difficult.',), (\"Yes, while I invest in these for fun, I read and research a lot.\\nI have followed this group and Prof.Jim's views for a long time, and his views are of great value.\",), ('How about the btcoin app?',), ('Mr. Jim, I want to learn contract trading, can you talk about it?',), ('Thanks.\\nThank you friends for your approval.',), (\"That's great. We can write letters to communicate.\",), ('You summed it up very well.\\nIt depends on your investment cycle and future expectations.',), ('OK. I am very happy to see the summaries and questions from my friends.\\nGlad to make my sharing valuable to you guys.\\nThank you very much for voting for me, my votes are increasing and my ranking is improving, and other players are working hard.\\nWith your support, I believe I will be able to win the championship.\\nBecause voting accounts for 40% of the results of this competition, I hope you can continue to support me, thank you.\\n\\nBecause of the competition, sometimes I am busy, so please understand that I did not reply to the letters from my friends in time.\\nNext, I will spare a little time to answer your questions.\\nI see that some friends do not know what contract trading is, so I will answer this question today.',), ('There are two basic types of transactions in the cryptocurrency market, spot transactions and contract transactions.\\n\\n1. Spot trading.\\nDirectly realize the exchange between cryptocurrencies, which is called spot transaction.\\n\\nSpot trading is also known as currency-to-currency trading. Matching transactions are completed in the order of price priority and time priority, directly realizing the exchange between cryptocurrencies.\\nSpot trading is the same as buying what we usually do, with one-hand payment and one-hand delivery.\\nSay you bought a BTC token for $27,000, then you really own that BTC token. You can trade it on any exchange, you can transfer it to your own private wallet, or give it generously to others as a gift.',), ('2. Contract transactions.\\nCompared with spot trading, contract trading is a separate derivatives trading market. It uses a \"margin trading mechanism\".\\n\\nIn other words, you don\\'t need to spend $27,000 to buy Bitcoin, you only need to use a little margin to trade.\\nContract trading provides the possibility of obtaining higher returns with less capital, and at the same time significantly reduces the trading time of traders, avoiding the impact of unexpected events, unexpected events and black swan events.\\nFor example, yesterday the US Securities and Exchange Commission issued charges against binance and its CEO, which triggered a plunge in the cryptocurrency market.\\nIf you are using contract trading at this time, even if there is a loss, it will only lose part of the margin.',), ('3. Compare the advantages and disadvantages of the two.\\n3.1 Advantages and disadvantages of spot trading.\\n3.1.1 Advantages.\\nThe operation of spot trading is simple and convenient, and the cryptocurrency you buy is yours.\\nThe number of tokens held by an investor does not change whether the token price rises or falls.\\nProfits are made when the market is doing well and prices are rising.\\n3.1.2 Disadvantages.\\nOnly when the tokens you own go up, you can make money, and you can get room for token appreciation.\\nIf the token price falls, you can only choose to sell with a stop loss or continue to hold the token until the token price rises again.',), (\"Ps.\\nThis is equivalent to buying 1g of gold. No matter the price of gold rises or falls, you own 1g of gold, but you can only sell gold for a profit when the price of gold rises higher than your buying price.\\nThis is why most people hold Bitcoin and take losses from the bear market.\\nSpot trading is not technically demanding and mostly depends on the price you buy and the future appreciation potential of the cryptocurrency you buy.\\nThe spot trading cycle is usually 1-4 years, which is in line with the bull-bear market cycle generated by Bitcoin's halving mechanism.\\nTherefore, we also refer to spot trading as long-term value investment.\",), ('3.2 Advantages and disadvantages of contract transactions.\\n3.2.1 Advantages.\\n1) Low loss and high return.\\nIt supports margin trading, so you only need a small amount of principal to buy the corresponding number of tokens, which greatly increases the efficiency of capital utilization, and can achieve the effect of \"Limited Losses, Unlimited Profits\".\\n\\n2) Low cost.\\nThere is no interest on borrowed currency. Contract transactions have no expiration or settlement date.\\nIn all investment markets around the world, the cost of contract transactions is much lower than that of spot transactions because there is no stamp duty.',), ('*3) Two-way transaction mechanism.*\\n*By judging the rise and fall, you can choose to create a bullish order or a bearish order, and realize two-way profit from the rise and fall of the price.*\\n*Hedging can be done using two-way trading, which is how hedge funds profit.*',), ('4) Instant transactions.\\nSpot transactions in many markets are based on a matching system. When the quantity and price of buyers and sellers do not reach an agreement, the transaction cannot be completed.\\nThere is no such problem in contract transactions, and instant transactions can be completed.\\n\\nBecause of the above advantages, contract transactions can greatly improve transaction efficiency and capital utilization, and save transaction time.',), ('*3.2.2 Disadvantages.*\\n*Although contract transactions increase the flexibility of transactions, they also require higher technical requirements for investment.*\\n*In addition, margin ratio management, price position selection, target profit price, target stop loss price and mentality control are all important aspects of contract trading.*',), ('*For example.*\\nToday I used a margin ratio of 50X and bought 5,000 BTC contracts with an input cost of $100,000. A gain of 43,229.3 was earned for a yield of 43.2293%.\\n1. If I want to earn these profits with spot trading, I need to invest $5 million.\\n2. The whole transaction process takes nearly 2 hours, which is very efficient.',), ('A lot of people have created a lot of myths in the cryptocurrency market using futures trading tools because they are used to analyzing trends and seizing opportunities.\\nAnd what I pursue from beginning to end is long-term stable profit.\\nCryptocurrency is a thriving market with many opportunities.\\nThe most effective way to learn is by doing.\\n\\nI use many applications, and the contract trading mechanism of each trading center is similar.\\nIf you want to know about the use of the contract trading function of the Btcoin exchange application, then I asked their representatives to share.\\n\\nBecause of the competition and time, I will share these today. Friends who want to get trading signals can consult my assistant, Ms. Mary. See you tomorrow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and I hope friends can vote for him. He has made extraordinary achievements in many investment markets, and he wants to realize his new dream through this competition.\\nThanks to Professor Jim for sharing, many friends have followed him today to earn excess short-term profits.💰\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.🎁\\nIf you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, *please add my business card and write to me.*💌💌\",), ('Mary Garcia',), ('You feel okay today?',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThank you for voting for me, my number of votes is increasing, and my ranking is improving.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nThe rectification measures in the cryptocurrency industry are continuing, which paves the way for the healthy development of the industry. But the short-term is not good for market sentiment.\\nTherefore, the difficulty of trading has increased relatively. In order to realize the expected return more safely this week, I will adopt a contract combination strategy.\\n*I will share the latest strategies and signals later.*\\n*Friends please pay attention.*\",), (\"I'm okay\",), ('Just tired.',), ('From the BTC one-hour trend chart, we can see its operating range.\\nAt present, the price pressure is high, so the short-term strategy of BTC will be mainly to create bearish contracts.\\nThe current price is close to the pressure level, so I use very little capital position testing.\\n*In the combination strategy, BTC is not my focus.*\\n*I am watching the market, and I will send out another more important strategy and signal at any time.*',), ('It is precisely because the current market sentiment is unstable and the difficulty of trading has increased, so I am more cautious.\\nThe combination strategy will greatly reduce the difficulty of my transaction and increase the success rate.\\nJust like when we invest in stocks, we can choose different investment varieties such as cryptocurrencies, gold, futures, and U.S. dollars.\\nThrough the way of combination, the risk is controlled at the best level, so as to achieve stable returns.\\nSimilarly, in contract trading, I often choose a dual-currency strategy, which is more beneficial.',), ('*BUA/USDT is the variety I focus on.*\\nIt can be seen from the 15-minute analysis chart that the price has shown a step-wise decline, and this trend is very smooth.\\nMoreover, the fast and slow lines of MACD continued to hit new lows, and the price and indicators did not diverge.\\nI am waiting for an opportunity for the price to rebound to the resistance line.\\nFriends who are following my trading signals, please note that I will use more capital positions than BTC for this transaction, and you can prepare for it.',), ('*Important information.*\\n1. I created an order for the BUA bearish contract.\\n2. My investment position in BUA is twice that of BTC.\\n3. Today I adopted a combination strategy. If you missed the BTC order just now, I suggest you focus on BUA.\\n\\n*Important information.*\\n1. I created an order for the BUA bearish contract.\\n2. My investment position in BUA is twice that of BTC.\\n3. Today I adopted a combination strategy. If you missed the BTC order just now, I suggest you focus on BUA.',), (\"As I wait for earnings and market changes, I share two important themes.\\nFirst let's look at the economic and stock market news.\\n1. The U.S. trade deficit expanded significantly in April, indicating that the economy is under enormous pressure.\\n2. The stock prices of AAPL, GOOGL, and MSFT fluctuate, indicating that the gains in technology stocks are fading.\\n\\nEveryone has noticed that the economic outlook for the second half of the year is not optimistic. I often express this point.\\nCentral banks are likely to keep interest rates higher for longer, dashing hopes of a shift to rate cuts later this year and weighing on technology stocks.\",), ('Since the value of these types of companies is derived from future cash flows, higher interest rates will limit the upward trend of large-cap stocks.\\nCombined with some previous important points, stock market investors should pay attention to this risk approaching.',), (\"A friend wrote to ask about the impact of the SEC's supervision, and asked whether it would affect this round of bull market.\\nMy point of view is that the strengthening of the SEC's supervision has created a short-term negative for the cryptocurrency market, but this is clearing obstacles for a new round of bull market and protecting the rights and interests of investors.\\n\\nWhy is my expectation of this round of bull market so firm?\\nWhat kind of opportunity to change the destiny of investment lies behind it?\\n*Next, I will simply make a share.*\\n1. The reason why the halving mechanism gave rise to the bull market.\\n2. What price will Bitcoin rise to in this round of bull market?\",), ('This round of bull market is determined by the Bitcoin generation mechanism, and it will not be changed by any factors unless the cryptocurrency disappears.\\nThe halving of Bitcoin mining rewards has been the biggest catalyst for any previous bull market.\\nIt reduces the supply of new bitcoins on the market.\\nAccording to the law of supply and demand in the market, if the circulation quantity of a certain commodity is not restricted, hyperinflation will easily occur, and the price of the commodity will be greatly reduced.',), ('Likewise, if bitcoins are widely available, their value may decrease.\\nSetting the Bitcoin reward to be halved every 210,000 blocks can effectively reduce the inflation rate of Bitcoin gradually, thereby preventing the occurrence of hyperinflation.\\nSimply put, Bitcoin is not infinitely produced, its quantity is limited and fixed. \\nTherefore it is scarce.',), ('I first sold my BTC bearish contract, because the current BTC trend momentum is insufficient, I first kept the profit.\\n*I will focus mainly on BUA.*',), (\"I first sold my BTC bearish contract, because the current BTC trend momentum is insufficient, I first kept the profit.\\n*I will focus mainly on BUA.**The halving has become a definite bullish catalyst and even created a hype cycle.*\\nHalving events help determine the scarcity or availability of Bitcoin by reducing the rate of production of new coins, similar to precious metals like gold and silver.\\nThe concept of scarcity or limited availability is based on supply and demand economics, which means that when the supply of an entity or item is scarce but the demand increases, the price of that entity or item will increase.\\nA similar phenomenon occurs in the Bitcoin network, where the halving event significantly reduces its inflation rate.\\nHalving events typically catalyze an uptrend in Bitcoin, as reduced supply and increased demand lead to a surge in Bitcoin prices in the cryptocurrency market.\\n\\n*What price will BTC rise to in this round of bull market?*\\n*Let's do a simple calculation.*\",), (\"When I sold after I sent the message, the profit retraced a bit, and there was a profit of about 40%, but this is not a pity.\\nBecause today I adopt a combination strategy, I mainly trade BUA, and I invest in more capital positions. The current income is 20%, and the income is still expanding.\\n\\nNext, let's calculate the expected price of BTC in this round of bull market.\",), ('This is the relationship between the three historical halving cycles and the bull market.\\n*The following data can be seen from the monthly chart of BTC.*\\nThe bull market of the first halving cycle was from 2011 to 2014, when the price of BTC rose from $7.50 to $1200, an increase of 15,900%.\\nThe bull market of the second halving cycle was from 2015 to 2018, when the price of BTC rose from $222 to $20,000, an increase of 8,900%.\\nThe bull market of the third halving cycle is from 2019 to 2022, when the price of BTC rose from $3,300 to $70,000, an increase of 2,021%.\\n\\nThat is to say, in the first three rounds of bull markets, the minimum increase of BTC was 2,021%. According to this increase, the price of BTC will reach above $320,000 in this round of bull market.',), ('*Important information.*\\nThe bearish contract order of BUA that I just created has also achieved a return of about 40%.\\nThe trend of BTC is not strong enough, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.\\n\\n*Important information.*\\nThe bearish contract order of BUA that I just created has also achieved a return of about 40%.\\nThe trend of BTC is not strong enough, I am worried that it will affect the profit of BUA.\\nSo I sold the BUA order, thus keeping the profit.\\nWaiting for the next opportunity.',), (\"Isn't the expectation of this round of bull market very exciting?\\nAlthough this is a simple calculation method, its logic is so simple and visible.\\nThe logic of the bull market cannot be changed. Are you ready for this?\\nWe have reasons to fully believe that the SEC's supervision is an important opportunity to start a bull market.\\n\\nWhat is the driving force behind this bull market?\\nWhat are the main opportunities in this bull market?\\nHow can ordinary investors get involved?\\nDo you care about these?\\nI will share these themes when I find time.\",), (\"At the same time, please note that the online purchase of the original share of the latest ICO project NEN has started. Friends who are interested in this suggest that you focus on it.\\nNext, I will open the group chat function. Regarding today's transaction and the content I shared above, if you have any unclear points, you can ask questions.\\nThen, I will take time to answer questions from my friends.\",), (\"I already voted for you Mr. Jim, today's deal is very timely and very beautiful.👍🏻\",), ('Why does the SEC regulate Coinbase, and will it have any impact?',), (\"Will BTC rise to $320,000? It's incredible.\",), (\"Yesterday's transaction was too beautiful, but it's a pity that it was sold a little early.\\nHow do I create a mid-term contract, Professor Jim?\",), ('I have voted for you today.',), ('Not only coinbase, but also binance are regulated.',), (\"I already voted for you Mr. Jim, today's deal is very timely and very beautiful.\",), ('Yesterday, I learned the knowledge about contract trading shared by Professor Jim, which made me very happy.\\nI want to learn contract trading quickly, where should I start?',), (\"Although I haven't participated in the plan yet, I will do everything I can to get involved in your plan.\",), ('The message from our trading room is that the BTC turmoil caused by the SEC lawsuits against major cryptocurrency exchanges may be a harbinger of short-term gains for BTC.\\nBTC fell more than 5% on Sunday before recovering more than 5% on Tuesday.\\nSimilar consecutive see-saw moves of at least 5% have occurred five times over the past two years and have portended an average gain of nearly 11% over the ensuing 30-day period.\\nAccording to historical data, as long as the SEC sues and causes BTC to fluctuate by 5% or more in a row, the price of BTC will often rebound by 11% in the next 30 days.\\nAccording to the current price, the price of BTC can touch 30,000 US dollars before the beginning of July.',), ('Beginners often only say right or wrong afterwards, worrying about gains and losses. Sophisticated traders tend to follow trends and weigh pros and cons.',), ('The main reason is because some of their businesses are not compliant. These are to protect investors, because there is too much chaos in the cryptocurrency industry.',), ('You need a secure cryptocurrency applicationwith contract trading functionality.',), (\"lt seems to be getting worse. The court granted the SEC'srequest to freeze the assets ofthe Binance.US company.\\n80% of Coinbase's business comes from the United States,which isvery dangerous this time\",), (\"Historically, every production halving event will bring a production reduction shock. The impact of production cuts will directly reduce the number of bitcoins released to the market, resulting in a supply shortage and triggering price hikes.\\nI very much agree with Professor Jim's sharing of this logic. I think this calculation method is very valuable.\",), ('Are there any good apps you can share with me?Whatabout Btcoinapp?',), (\"I've voted for you, Mr. Jim.\\nI study your point of view carefully every day, is the bitcoin bull market coming?\\nI am not ready yet, what should I do to catch this round of bull market? Can you tell us about it?\",), ('Already voted, how about the Btcoin app?',), ('You can consult Mary. she is a software engineer.',), ('Whether it is intentional by the federal government or for other reasons, as Professor Jim said, SEC regulation is good for the entire industry. We all need a safe and quiet investment environment.\\nThere is such a point of view in our trading room that the icons feed back all the fundamental information.\\nIn this round of bull market, this matter is not worth mentioning.\\nProfessor Jim, what do you think of this latest ICO project - NEN?',), ('Hello everyone, I have seen your questions.\\nRight now, I am in a meeting regarding an important trading plan for my team. \\nI will share the details with you later.',), (\"Hello everyone, thank you for your support and welcome to our new friends. \\nToday is quite busy as the SEC's regulatory oversight presents a significant opportunity for the industry. My trading team and some institutional friends are currently holding a web conference. \\nAs this meeting is crucial and will take some time, I won't be able to share more with you today. \\nI have received many messages from friends asking about topics such as 'how to seize the current cryptocurrency bull market.' \\nI will continue to share with you tomorrow.\",), ('Good seeing you. Fingers crossed',), (\"it was good meeting up with you as well. I talked with Abe last night after you left and we're all set to go.\",), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThank you for voting for me, my number of votes is increasing, and my ranking is improving.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nThe rectification measures in the cryptocurrency industry are continuing, which paves the way for the healthy development of the industry. But the short-term is not good for market sentiment.\\nTherefore, the difficulty of trading has increased relatively. In order to realize the expected return more safely this week, I will adopt a contract combination strategy.\\nI will share the latest strategies and signals later.\\nFriends please pay attention.\",), ('Because many friends are worried about the impact of SEC supervision, yesterday I shared the views of \"the relationship between the halving event and the cryptocurrency bull market\" and \"this round of bull market BTC is expected to exceed 320,000 US dollars\".\\nAfter the point of view was shared, it aroused heated discussions, and I received messages from many friends.\\nFriends who are unclear about these two points can ask my assistant, Ms. Mary, to get my investment diary yesterday.\\n\\nWhat is driving the current cryptocurrency bull market?\\nWhat are the main opportunities?\\nHow can ordinary investors get involved?\\nI will find time today to share these topics.\\nFirst, let us quickly enter today\\'s technology sharing.',), ('The views of my friends on Wall Street, I think are very valuable.\\nWith his point of view, let\\'s analyze the trend of BTC together.\\nOn Monday, I expressed the view that \"if the price falls below the 0.618 price of this increase, the price will challenge the 0.5 position\".\\nIn the upward range of BTC 19,610-31,000, the price of 0.618 is around 26,650, and the price of 0.5 is around 25,300.\\nThe technical graph shows that point C is just close to the price level of the technical analysis.\\nThis is similar to point A/B, and point D is relatively weak, but after the formation of point D, the price of BTC has also formed a certain increase.\\nSo, I agree with this point of view.',), ('However, the environment is different now than it was in March.\\nThe upward trend was catalyzed by the Silicon Valley bank failure in March.\\nAt present, the rectification of the cryptocurrency industry is actually detrimental to the price in the short term, so we should be more cautious.\\nHowever, judging from the shape of the candle chart combination in this trend chart, the market sentiment has not been slack.\\nThis shows that funds have re-entered the market, price declines are relatively limited, market sentiment has been restored, and buying power is accumulating.\\nTherefore, I think the relationship between price and MA120 is the focus of observation.\\nObserve whether market investors can re-reach a high degree of consensus at this price in the short term. And watch the progress of regulatory events.',), (\"*The following technical points can be obtained from the 1-hour trend chart.*\\n1. The operating range and direction of high probability of short-term price.\\n2. Judging by the current MACD indicator, the buyer's strength is increasing.\\n3. The market outlook pays attention to the status of MACD.\\n1) Whether the fast and slow lines can cross the zero axis and continue upward.\\n2) Whether the positive value of MACD can increase.\\nA bullish P/L ratio is a bargain. Time for space.\",), ('From the 15-minute trend chart, it can be seen that the current price has just risen above the triangle range.\\nThe take profit and stop loss of creating a bullish contract order is shown in the figure.\\nBut in the current environment, please remember that the use of capital positions must be reasonable.\\nThe fund position I use is the one commonly used in testing.',), (\"In contrast, the trend of BUA is smoother than that of BTC.\\nUsing the trend of BTC to guide BUA's transaction success rate is much higher.\\nSo in the current environment, I use this combined strategy and focus on BUA.\\nSo I create BUA orders using more funds.\",), ('In terms of the stock market, many friends are more concerned.\\nIn the first 5 months of this year, a total of 8 stocks from 7 companies contributed all or even more than the return rate of 9.65% of the S & P 500 index.\\nHowever, if these seven companies are excluded, the S & P 500 index will decline slightly in the first five months of this year.',), (\"As of the end of May, Nvidia's weight in the FT Wilshire 5000 index was only 2.19%, but the return it contributed was higher than the index's return for the month, reaching 36%.\\nFor such a seriously overrated situation, I panic in my heart.\\nTherefore, this year I mainly invest in the cryptocurrency market.\\n\\nThe question I keep thinking about is, how am I going to prepare for this cryptocurrency bull market? Is what I'm doing right now deviating from my plan?\\nNext, I share a few important points.\",), ('1. The driving force of this round of bull market is different from previous ones.\\nIn the past, the main driving logic of the bull market was the shortage of supply in the market caused by the halving of mining capacity. The bull market generally occurred before and after the halving cycle of mining.\\nThe great bull market in 2017 is a typical example. Although its madness relies on ICO, it is essentially affected by mining supply and demand.\\nIn 2022-2023, there will be nearly 20 million bitcoins in the market.\\nSupply and demand may not be the main factor affecting Bitcoin.',), ('Bitcoin has become a strategic asset that Wall Street institutions and technology giants such as Grayscale Fund, MicroStrategy, and Tesla are vying to deploy.\\nObviously, the investment logic and purchasing power of institutional funds are not comparable to retail investors, which provides strong support for the growth of the bull market.',), ('2. *The market fundamentals that catalyzed the bull market to go crazy have changed.*\\nThe peak period of the bull market in 2017 was brought about by the ICO model, which is an eternal theme in the cryptocurrency industry.\\nIn this current round of bull market, ICO will inevitably become a hot spot, but the technical threshold for project development and the threshold for user participation are relatively high.\\nAnd the ICO issuer will make more considerations about the level and advantages of the trading center.',), (\"Ps.\\n*What are ICO?*\\nICO is the abbreviation of Initial Coin Offering.\\nIt is a behavior similar to IPO (Initial Public Offering), except that ICO issues cryptocurrencies and IPO issues stocks.\\nICO means that the issuer issues a new cryptocurrency to raise funds, and the funds raised are used to pay for the company's operations.\\nThe reward for investors is to obtain this new cryptocurrency and the premium expectation of future listing.\",), ('For example, NEN is a very good ICO project.\\nIt is understood that this is a new energy future market application solution project.\\nAs a combination of alternative energy and blockchain, its concept is meaningful to the market.\\nThis concept must have attracted the attention of the market.\\n\\nThis logic is the same as that of the stock market.\\nFor example, Nvidia recently drove the skyrocketing of AI concept stocks.\\nIt is because the concept of AI is very good.',), (\"The online purchase progress bar data of NEN's original share shows that its listing price cannot be lower than 2.5 US dollars, which allows us to see the opportunity to obtain the price difference.\\nAccording to the current data and progress, it is not difficult to obtain several times the income when it goes public.\\nAccording to past case experience, it is expected to be listed next week.\\nFriends who are interested in this can pay attention to it, and I have already participated in it.\",), (\"3. The main theme of the story supporting the existence of the bull market is changing.\\nA good topic is the core of hot money speculation in the investment market since ancient times.\\nTo put it simply, in the past bull markets, everyone mainly talked about the disruptive value of blockchain technology. Now, more attention is paid to practical value.\\nFor example, DeFi, now doing loans, derivatives, stable coins, aggregators, etc. are all applications of the traditional financial system in the blockchain industry.\\nFor example, ICO is now more focused on serving certain industries, especially the new technology industry and industries that change people's lifestyles.\",), ('For example, NEN.\\nAs an alternative energy source, the value of new energy is beyond doubt.\\nUsing blockchain technology to combine new energy with applications, there is a story to tell, which will attract the pursuit of funds, thereby shaping market expectations and profit opportunities.',), ('Important information.\\n1. The short-term income of BUA is around 45%.\\nBut the current trend of BTC is unstable, and I am worried that it will affect the profit of BUA, so I choose to sell to keep the profit.\\n2. BTC maintains the internal operation of the channel in the short term, and the trend is weak.\\nShort-term trading strictly implements the strategy, reaches the stop profit near the target position, and stops the loss when it falls below the trend line. The lower support level is around 25,500.',), (\"I made a very good profit in the BTC contract today, but why didn't I sell it?\\nBecause I am testing the current market's recognition of this price range, which belongs to the fund position of the medium-term strategy, I have expressed my views on the daily analysis chart.\\n\\nGood short-term gains have been achieved through the combined strategy in the past few days, which shows the correctness of the strategy.\\nDon't pursue too much in trading to buy at the lowest point and sell at the highest point.\",), (\"As a friend said yesterday, weigh the pros and cons.\\nThe reason why many traders have not made great achievements throughout their lives is that they are always pursuing the ultimate point of buying and selling.\\nAnd most of the more successful traders follow the trend forever.\\nNext, I will open the group chat function. Regarding today's transaction and the content I shared above, if you have any unclear points, you can ask questions.\\nThen, I will take time to answer questions from my friends.\",), ('A good day has begun, everyone, support Professor Jim and vote for him to win the championship.👌🏻',), ('Thank you Mr. Jim, you are my God, I earned 59%, a total of $35',), ('I will vote for you every day, and I will trade with you when I am ready.',), ('This feeling is wonderful, thanks Mr. jim for sharing, I have already voted for you.',), ('I feel like the federal government is the biggest controller of Btc.',), (\"I'm late sir, luckily I bought it for *$ and made a *76% profit, *74$. Thank you very much, I am very happy.\",), ('Professor Jim grasped this trend very accurately. how did you do it?',), ('As your supporter, I will keep voting for you. until you get the champion.',), (\"Originally, I had such a question: why invest in cryptocurrency?\\nThrough Professor Jim's two-day sharing, I understand that the cryptocurrency market is more valuable and the opportunity has come.\\nBut I don't have the app, how do I get started? What application are you using now?\",), ('Why do you say that?',), ('Bitcoin holdings on exchanges have seen net outflows for three consecutive days.\\nThis shows that the rise will take time, right? Mr. Jim.',), ('where can i download this app?',), ('Miss Mary, I need your help, thank you for your patience.',), ('According to professional statistics, the federal government has seized at least 215,000 bitcoins since 2020.\\nAs of the end of March this year, they held an estimated 205,515 Bitcoin balances, worth about $5.5 billion.\\nAt the time, the federal government controlled 1.06% of bitcoin’s circulating supply and was the largest holder of bitcoin.\\nThe federal government holds 2 of the top ten bitcoin wallets.',), ('Btcoin APP',), ('I think contract trading is very interesting, I want to catch this bull market, I am looking forward to it.',), (\"I'm using three apps, coinbase, btcoin and crypto, and I think they're all good\",), (\"Wow, that's incredible, but what does it mean?\",), (\"I haven't learned how to trade yet, how did you guys do it?\",), (\"I used to do spot trading and lost a lot of money. I didn't find out about this contract deal until recently, and it's pretty cool.\",), ('I think this SEC regulatory action is intentional, and there may be some plan for it.',), ('You can ask Ms. Mary, she is very familiar with the software industry, she can help you.',), ('ok.thx',), ('Professor Jim, I did it, and I feel very fulfilled. Thank you. I want to take you as my teacher.😎',), ('So this is consistent with Mr. Jim\\'s view that \"regulation clears the way for the bull market\"?',), ('Professor Jim, I have already voted for you, thank you very much for sharing.\\nHow should we seize the opportunity of this round of cryptocurrency bull market?\\nThis is what I am more concerned about.\\nI feel really lucky to be in these groups.',), (\"I don't think the SEC regulatory incident with binance and coinbase is anything compared to the Silicon Valley bank collapse. There are still many banks in deep trouble.\\nProf.Jim has summed up many times that the instability of the financial market is good for the cryptocurrency market, which is why I invest in gold and cryptocurrencies.\\nThen, industry regulation and rectification is also good news, which creates opportunities for us to make profits.\",), ('Friends, where is your cryptocurrency contract trading? Why do I have no contract transactions? What do I need to do to enable contract transactions?',), ('Thanks to Professor Jim for his guidance, I have completed the online purchase of NEN.',), (\"OK. I saw the questions from my friends, and I am very happy to make my sharing valuable to you.\\nThank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nBecause of the competition, I have been busy recently. Yesterday's meeting was about this ICO investment plan.\\nSo that some letters from friends have not been replied, please understand.\\nI hope you will continue to support me, and I will share more exciting content next.\",), ('It is impossible to succeed in any investment market easily, and more efforts are required. But the premise is that the direction must be correct.\\nI believe that as long as you can understand my views these two days, you will gain a lot.\\nI firmly believe in this, because I have gained a lot, our profit model and investment plan have been verified by the market, and I am still working hard.\\n\\nThe bull market expectations for this round of cryptocurrencies are well known, and many large institutions have already participated in it.\\nAs an ordinary investor, how do you compete with them and how do you take advantage of this opportunity?\\nNext, I will take some time to share this topic.And I suggest that everyone make investment notes on my important views in the past two days.',), ('*Viewpoint 1: In this round of bull market, mainstream currencies such as Bitcoin and Ethereum must play the leading role, and other ICOs and DeFi will play a supporting role in enjoying the opportunities of hot rotation.*\\n\\nThe main reason is that mainstream Wall Street institutions focus on prudent asset allocation, and they value the market stability of the currency they invest in.\\nTherefore, BTC, ETH and other mainstream currencies with large group consensus will be favored by institutions.\\nSome subsequent investment institutions will also use this as a key investment target layout.\\nThis means that retail investors should also regard mainstream currencies as key holdings in the initial stage of participation.',), ('Every trading center is grabbing these opportunities.\\nTake the Btcoin trading center as an example, they are more focused on ICO, and other hot spots are summarized as B-Funds. When I have investment plans in the future, I will share them with you.',), ('*Viewpoint 2: In this round of bull market, it is difficult to repeat the situation of skyrocketing thousands of coins, and the entire market will be more mature and rational than in 2017.*\\n\\nPerhaps driven by mainstream currencies such as BTC and ETH, ICO, DeFi, NFT, BSC and other tracks will generate some hundred-fold coins and thousand-fold coins due to hot spots, but most of the funds supporting such projects are hot money.\\nPlease remember this sentence, it is very important.',), ('When the time comes, we can do something within our capabilities.\\nWhat can we do and gain in this round of bull market?\\nThis is what I want to focus on planning, and this will be the focus of my competition this time.\\nIn short, in this round of bull market, my goal is 1,000 times, and my plan is brewing.\\nSo, why do I dare to say: I want to lead my friends who support me to surpass other competitors.\\nLet us witness together.',), ('*Viewpoint 3: The process of this round of bull market will be relatively long.*\\n\\nJust because the first three rounds of bull markets are well known, and the investment market will give early feedback on the bottom and top, the process of this round of bull market will be longer.\\nWhether it is the start time or the end time, it will be relatively long.\\nSo BTC around $15,500 in 2023 is the starting point of this round of bull market.',), ('*How to steadily obtain super profits?*\\nWe must understand the method of asset allocation, that is, adopt a combination strategy, and not blindly hold a certain target.\\nFor example, in contract trading, I often use three combinations of medium-short-long.\\nFor example, the combination of contract trading and ICO.\\nFor example the combination of ICO and B-Funds.\\nOf course, there is a more effective way, this is my plan. We were planning a large-scale plan at the meeting yesterday, and we will share it with you when we have the opportunity.',), ('*Viewpoint 4: If retail investors want to become stronger and bigger, they must make good use of tools.*\\n\\nFor example, contract trading instruments.\\n1)🔹 The contract trading tool is a margin trading mechanism. Only a small amount of principal is needed to buy the corresponding number of tokens, so as to achieve the effect of \"limited loss, unlimited profit\".\\n2)🔸 There is no interest on the borrowed currency, and the contract transaction has no expiration date or settlement date, so the cost is low.\\n3)🔹 By judging the rise and fall, you can choose to create a bullish order or a bearish order, and realize two-way profit from the rise and fall of the price.\\n4)🔸 There is no problem of matching transactions in contract transactions, it is an instant transaction mechanism.',), ('To sum up, contract transactions can greatly improve transaction efficiency and capital utilization, and save transaction time.\\n\\nWhat are the tools I usually use and am I using? I share it with you in actual combat.',), (\"This round of bull market will be a bustling event for many investors.\\nHowever, the methods of the past may not be effective, because concepts, technologies, tool usage, and profit models are all being updated.\\nThe most important thing to consider is to quickly develop a mature profit model.\\nThis is an era of picking up money, what are you waiting for?\\n\\nIf you want to invest in cryptocurrency, if you want to make money with me, but you don't have the app.\\nYou can consider the application of the Btcoin exchange center, my experience of using it tells me that it is very good.\\nIt has some great features, such as contract trading, ICO, B-Funds.\\nI suggest that friends can go to understand these.\",), (\"Well, next, we will invite the official representative of the Btcoin trading center to explain the application of Btcoin to you.\\nI'll share that today, see you tomorrow.\",), (\"Thanks to investors and friends for your attention and support to this competition and Btcoin trading center.\\nI wish Mr. Jim Anderson, the favorite to win this competition, excellent results.\\nOur company is about to set up a special cryptocurrency fund with a level of 100 billion US dollars. Select fund managers by holding competitions, publicize the advantages of the Btcoin trading center through competitions, and let more investors understand and use our application. This is the purpose of our competition.\\nJust in the past two days, because of the SEC's regulatory measures against industry giants Binance and Coinbase, investors have paid more attention to the compliance of trading centers.\\nI would like to remind investors and friends to verify clearly when choosing cryptocurrency applications.\\nOn behalf of Btcoin Tech Group and Btcoin Trading Center, I will explain to you the important information related to our company and this competition.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and I hope friends can vote for him. He has made extraordinary achievements in many investment markets, and he wants to realize his new dream through this competition.\\nThanks to Professor Jim for sharing, many friends have followed him today to earn excess short-term profits.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\n*If you want to get a voting window, if you want to get a gift from Professor Jim, if you want to get real-time trading strategies or signals from Professor Jim's team, or if you need my help, please add my business card and write to me.*💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nTime flies so fast, and it's almost the weekend again.\\nLast weekend, my trading team had a meeting. In order to deal with short-term negative factors and achieve better returns, we adopted a contract combination strategy.\\nSo far, this decision is correct, and we have achieved certain results.\\nOf course we can do better\\nI will share the latest strategies and signals later.\\nFriends please pay attention.\",), ('It is precisely because the current market sentiment is unstable and the difficulty of trading has increased, so I am more cautious.\\nThe combination strategy will greatly reduce the difficulty of my transaction and increase the success rate.\\nJust like when we invest in stocks, we can choose different investment varieties such as cryptocurrencies, gold, futures, and U.S. dollars.\\nBy means of combination, the risks are better controlled, so as to achieve stable returns.\\nThis is a common method of asset allocation.\\nIn any investment market, as long as the risk is controlled, profits will follow.',), ('In contract trading, I often choose a dual currency strategy.\\nEspecially when the BTC trend is not clear, use BTC as a reference to find varieties with clearer trends, so as to increase the winning rate.\\nOf course, there are other methods, which I will share with you in actual combat in the future.',), ('*Important information.*\\nI created two put contract orders simultaneously.\\nToday I still use a combination strategy.\\nAnd I mainly use BUA, supplemented by BTC.\\n\\n*Important information.*\\nI created two put contract orders simultaneously.\\nToday I still use a combination strategy.\\nAnd I mainly use BUA, supplemented by BTC.',), (\"The Fed's trillion-dollar debt issuance is imminent, and Wall Street is worried about the coming shock.\\nOn Wednesday, the U.S. Treasury Department said it would return cash balances to normal levels by September after reaching their lowest level since 2017 last week.\\nOfficials concluded by saying the Treasury Department's general account (TGA) is targeting a $600 billion balance.\\nThat sparked collective concern among Wall Street analysts.\\nThe sheer size of the new issuance, they argue, will drive up yields on government bonds, suck cash out of bank deposits and suck money out of other investment markets.\\nI have recently done a detailed analysis of this logic.\",), (\"What I want to emphasize today is that the issuance of new bonds is not only bad for the stock market, it is also bad for most investment markets, and it will take away funds from the market.\\nCoupled with the SEC's supervision of industry giants, this has brought short-term negatives to the cryptocurrency market.\\n\\nThe following points can be drawn from the 1H analysis chart of BTC.\\n1. The price fails to break through the support level.\\n2. The MACD fast and slow line has a dead cross near the zero axis, and the value of MACD changes from positive to negative.\\nThis is a sign of a weaker trend, so I created this order with very little capital.\",), ('*The trend of BUA is clearer.*\\nFrom the 15-minute trend chart, we can clearly draw the following points.\\n1. There is a significant deviation between technical indicators and prices.\\nWhen the price is at a new high, the fast and slow lines of MACD are approaching the zero axis.\\n2. The MACD fast line crosses the zero axis downward, and the negative value of MACD is increasing.\\n3. The direction of the middle rail of the Bollinger Bands starts to turn downwards, and the upper and lower rails show an expansion pattern.\\nThis is a classic signal of a strengthening downtrend.\\n\\nSo, I created this put contract order with more money in the position.',), (\"The pressure on the U.S. banking industry is mounting.\\nBig banks are required to bid for Treasuries through agreements with the government, and these primary dealers may actually be forced to fund the TGA's replenishment.\\nMeanwhile, bank deposits have fallen as regulators seek to boost banks' cash buffers in the wake of the regional banking crisis and customers seek higher-yielding alternatives.\\nAdditionally, the Fed is shrinking its balance sheet, further draining liquidity from the market.\\nThe end result of deposit flight and rising bond yields could be that banks are forced to raise deposit rates, to the detriment of smaller banks, which could prove costly.\",), (\"*Today, let's re-understand the relevant logic.*\\n1. The issuance of new bonds will draw liquidity from the market, causing short-term negatives for most investment markets.\\n2. From the 30-minute trend chart of the US stock index, it can be seen that the technical indicators have deviated from the price. This is a signal of a short-term peak.\\n3. AI concept stocks in the stock market are overvalued, which is a medium-term unfavorable factor for the stock market.\\nAnd the plunge can happen at any time, which scares me.\\n4. The stock index and BTC have begun to show a negative correlation. If the stock index peaks, the probability and momentum of BTC's upward movement will increase.\\n5. Increased pressure in the banking industry will affect the stability of the financial system, and the decentralized value of cryptocurrencies will be reflected, which is good for the cryptocurrency market.\",), ('Therefore, the two negative effects of new bond issuance and SEC supervision are only short-term.\\nBecause the logic of the fourth round of bull market cannot be changed, it is determined by the generation mechanism of BTC.',), ('*Here are a few key takeaways I shared this week.*\\n1. The halving mechanism of BTC mining rewards and the relationship between bull and bear markets.\\n2. The fourth round of bull market of cryptocurrency will be born in 2023, and $15,500 is the starting point.\\n3. In this round of bull market, BTC will rise above $320,000.\\n4. The driving force, fundamentals and main theme of this round of bull market will undergo great changes.\\n5. Four key points for retail investors to participate in this round of bull market.\\n\\nIf you are new to our group, you can get this information by requesting my investment diary through my assistant Ms. Mary.',), ('Mary Garcia',), ('A friend asked some questions about NEN, the latest ICO variety.\\nLet me briefly analyze future expectations based on current data.\\n\\n1.🔹 The current online purchase progress bar of the original share is about 337%.\\n1)🔸 337% means that the funds participating in the online purchase of NEN in the market are 3.37 times the fixed amount.\\n2)🔹 More than 100% means that the opening price of the new currency will not be lower than 2.5 US dollars in the future, which means that this project has no risk.\\n3)🔸 Based on experience and current data, the opening price of the listing is expected to be above $7.',), ('*Important information.*\\nBecause the trend of BTC is not strong enough, I sold the BTC order to keep the profit.\\nBUA continues to hold.\\n\\n*Important information.*\\nBecause the trend of BTC is not strong enough, I sold the BTC order to keep the profit.\\nBUA continues to hold',), ('2. USD 2.5 has a good price advantage and will attract a large number of buyers to participate.\\nAt that time, the purchase price of BUA’s original share was similar to that of NEN. The opening price of BUA was around US$9, and it rose to around US$54 after listing.\\nI made a lot of profits in the ICO project of BUA, which was an important investment before I entered the finals, so I am very concerned about this target.',), ('The advantage of low prices is that many investors can participate, which will accumulate more buying orders.\\nIn the case of limited quantity, the more buying orders, the higher the opening price will be.\\nThe first step income of ICO varieties is the premium income of listing.\\nThis is why I pay more attention to the investment project of ICO.',), (\"*Important information.*\\nThe BUA bearish contract I created just now has a 43% return.\\nBecause the short-term downward trend of BTC is not as strong as expected, and the price of BUA is close to the profit target.\\nI'm worried this will affect my earnings.\\nShort-term trading requires fast in and fast out. In order to improve the utilization rate of funds, I chose to sell to keep profits.\\nWaiting for the next opportunity.\",), ('In order to cope with the current complicated situation, I adopted a contract combination strategy this week, and the benefits obtained so far are still considerable.\\nAs an investor, you must not only recognize the situation clearly, but also know how to be flexible.\\nThe use of tools combined with the concept of asset allocation is very important at any time.\\n\\nNext, I will open the group chat function, and I suggest friends to make a summary together.\\nFriends, if there is anything unclear, you can ask questions.\\nThen, I will take time to answer questions from my friends.',), ('Professor Jim I have voted for you.',), ('Thanks to Professor Jim, I have gained a lot this week, not only knowledge, but also money.\\nI hope you will be able to win the championship.',), ('I have already voted, where can I claim the reward',), ('Send voting screenshots to Ms. Mary, there will be rewards for continuous voting',), (\"Thanks to Professor Jim for leading me to make money.\\nToday I'm going to invite my friends over for drinks and watch the game, I hope Jimmy Butler wins.\",), (\"SEC Chairman Gary Gensler defended the SEC's recent enforcement actions against Binance and Coinbase, and issued a stern warning to any other businesses in the space. And said, follow the rules or you could be sued too.\",), ('Ok',), (\"Come on, friend, let's drink it up.\",), (\"Is Btcoin's business affected?\",), ('What is ICO, I am very interested in it',), ('oh no we drink beer',), ('The SEC made big moves in two consecutive days, causing Binance CEO CZ to lose $1.4 billion in two days, and Coinbase CEO Brian Armstrong’s net worth also dropped by $361 million.',), ('My friend, let me take a cup of buffalo trace , cheers',), ('cheers',), ('I consulted Online Service about this issue and they told that this incident will not affect any business of Btcoin.',), ('Thanks to Mr. Jim for his explanation yesterday, which made me understand what I should do as a retail investor.👍🏻',), ('OK, thanks. Where is the Online Service?',), ('Good',), ('Miss Mary, I would like to know where can I start trading as a beginner.',), ('Can you tell us your point of view? I would love to learn more from you guys.',), (\"I think there are two main purposes for the SEC to rectify and investigate the two leading companies in the industry this time.\\nOne is to warn the entire industry, and to make this industry develop healthily, the greater the intensity this time, the healthier the industry will be in the future.\\nThe second is to protect investors. The results of this investigation and rectification will enable regulators to reset new norms for the future development of the industry.\\nHere, I would like to express that I agree with Professor Jim's point of view. \\nAt the same time, I have a guess, will this give this round of bull market a new opportunity?\",), (\"Its location at the top of the app's home page. You can send any query, it's useful.\",), ('thx',), ('Friends, what do you think of the medium-term trend of Bitcoin?',), ('The value of cryptocurrencies is self-evident, and this trend is irreversible.\\nIf the SEC goes too far with these two companies, it will hurt the entire industry, so I think they will definitely stop more serious measures after they have achieved their purpose.\\nThen the whole market will have a new explosive point.\\nNo matter what opportunity or theme, ICO will never be absent.\\nThis is my experience investing in dogecoin.\\nIt would be great if I got to know Mr. Jim earlier, so that my 300 times profit would not be greatly reduced to 120%.',), (\"I think it's time to sell my stock, as Mr. Jim said, the valuation of technology stocks is too high, which makes people feel scared.\",), ('300 times the income, this is unbelievable, how did you do it?',), ('I think there are several points.\\nBecause the generation mechanism of BTC and market expectations determine that this round of bull market exists objectively, this makes me full of confidence, and institutions have already entered the market.\\nBut many good projects are unable to participate because of our cognitive limitations.\\nThen it is a good way to combine mainstream currencies with contract transactions, so I am going to use contract transactions to start my bull market journey.',), ('Have you started trading yet?',), ('Short-term bearish.\\nWhether the medium-term MA120 buying point is established or not is critical.\\nThe medium and long term is a bull market.\\nThe long-term value is huge, because the circulation of BTC is limited, but there will be more and more investors.',), ('ICO is easy to understand and is equivalent to a stock market IPO, but how do I get involved?',), (\"Reading Mr. Jim's opinion this week has got me fired up.\",), (\".I don't care how the trend of BTC changes, what I pay most attention to is how to make money, especially short-term trading.\\nLook at Professor Jim's income this week, this is what I am most concerned about and what I want to learn.\",), ('Yes, I am learning from Mr. Jim, I am seriously studying his analytical skills, and at the same time I am learning about ICOs.',), (\"I heard about ICO, NFT, DeFi, but I don't know how to do it? I think contract trading is simpler, easier to understand, and easier to operate.\",), ('I wish you success.',), ('Let us work together.',), ('ICO is very simple, even simpler than contract transactions. After you buy it, just wait for it to go public. Good projects will not lose money.',), (\"OK, it's my pleasure, thank you.\",), ('Yes, this is an era of picking up money. But the key is that we have to determine a profit model.',), ('Last year, a master earned 1,000 times the income in the Bitcoin market, and he used the α+β model.\\nThat is to say, after determining the general trend and keeping the mid-line capital position unchanged, use the combination strategy to continuously earn the price difference through the short-term.\\nI believe that Prof Jim should know such a thing.\\nThis is a trading method commonly used by many teams on Wall Street.\\nThe core of this method is to follow the trend, so the key point to obtain a high success rate in short-term trading is to recognize the big trend.\\nAt this Prof Jim is a master .\\nIt is my honor to come to this group to watch your competition, Prof Jim.\\nYour income this week is already ahead of most trading managers on Wall Street, and I believe you can win the championship.\\nPlease come to our company when you are free, we can cooperate on many projects.',), ('I want to participate in the ICO project of NEN, just buy directly, right?',), ('Sure enough, as Mr. Jim said, bond yields are rising, and the dollar is also rising, while stock indexes and gold are falling.',), (\"Thank you for your attention, support and recognition. After the game, I will hold an important party on Wall Street. At that time, we invite Wilson to communicate together.\\nMy target for this year is 1,000x, and I think it's achievable.\\nIn fact, for this week's transaction, I think there are still many areas for improvement, and I can do better, but I think the combination strategy is very necessary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\nIf there is a better strategy or profit method, friends are welcome to share and discuss more.\",), (\"OK. I saw the questions from my friends, and I am very happy to make my sharing valuable to you.\\nThank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nBecause of the competition, I've been quite busy recently, so please forgive me if I didn't reply to some friends' messages in time.\\n\\nNow it's the weekend break, but our team is still fighting, because the other finalists are very strong, and we have to work harder.\\nTaking advantage of the break, let us summarize this week's sharing.\",), ('Many times, people often talk about tracks and trends.\\nBut if I asked you the following two questions, how would you answer them?\\n1. Taking stock, gold, and cryptocurrency as an example, which market do you think has more investment value? How to participate?\\n2. What do you think of the trend of BTC?\\n\\nIn fact, these are just the most basic questions.\\nAs an investor, if you want to achieve greater success in the investment market, you must have a clear understanding of the policy path, be familiar with the bull-bear laws of the industry, grasp the trend, and make good use of tools.\\nThese are all basic skills.\\nIn view of the letters from many friends, I see that most people are not very clear about this knowledge.',), ('In order to better help my friends who support me, I share a lot.\\nThere are a lot of important investment knowledge, how much have you learned?\\nNext, I briefly summarize the main points shared this week.',), ('This round of bull market is determined by the Bitcoin generation mechanism, and it will not be changed by any factors unless the cryptocurrency disappears.\\nThe halving of Bitcoin mining rewards has been the biggest catalyst for any previous bull market.\\nBecause the total amount of Bitcoin is limited, the reward is halved every 210,000 blocks. According to the law of supply and demand in the market, it can effectively gradually reduce the inflation rate of Bitcoin, there by preventing the occurrence of hyperinflation.\\nAs users and investors continue to increase, this will make its scarcity advantage more and more obvious, so the price will continue to rise.\\n*According to the data of the previous three bull markets, the price of BTC in this round of bull market will rise above $320,000.*\\n*Do you know how to calculate it?*',), ('The driving force of this round of bull market is different from previous ones. Institutions have begun to deploy cryptocurrencies as strategic assets.\\n*This provides strong support for bull market growth.*\\nThe market fundamentals that catalyzed the bull market to go crazy have changed, but ICO is still the focus of this round of bull market, but the market will make more considerations about the technology, practicality, and advantages of the trading center of the project. This is more conducive to hot money speculation.',), ('Therefore, this round of bull market will be more mature, rational and protracted.\\nThis will be another institution-led bull market.\\nIt is bound to be a bull market in which mainstream currencies such as Bitcoin and Ethereum play the leading role, and other ICOs and DeFi enjoy the opportunity to enjoy the rotation of hot spots.📊📊',), ('*As a retail investor, we must pay more attention to the combination of funds.*\\nWe must be good at discovering some good investment projects and invest them in a portfolio. This is the most stable asset allocation.\\nFor a good project, you must know how to use tools and make good use of them.\\n\\nContract trading is a good entry-level tool.\\nBecause it is a margin mechanism, only a small amount of principal is required to buy the corresponding number of tokens, which can better control risks. And it can achieve the effect of \"limited loss, unlimited profit\".\\n*Because of low-cost advantages, two-way transaction mechanism, instant transaction mechanism,* *365D*24H time mechanism, etc.,* contract transactions can greatly improve transaction efficiency and capital utilization, *and save transaction time.*',), ('Contract trading has created a lot of myths in the cryptocurrency market, and it has made many people very rich. There are many examples of getting rich overnight in this market, because they are used to analyzing the market and seizing opportunities.\\nAnd what I pursue from beginning to end is: *long-term stable profit.*\\nCryptocurrency is a thriving market, and with the \"halving cycle\" and bull market on the horizon, opportunities abound.',), (\"The most effective way to learn is practice. If you don't even understand the basic technical indicators, it will be difficult for you to make money in this market.\\nSo, if you have an application for cryptocurrency contract trading,*I hope you put the tips and trading signals learned here into practice.*\\nIf you don't have any apps about cryptocurrencies, then I suggest you sign up for one, improve yourself in practice, *and seize the opportunity of this bull market*\",), (\"If you don't have the app, if you don't know how to check the security of the app.\\n*I suggest that you can ask the official representative of Btcoin.*\\n*Or you can ask my assistant, Ms. Mary,* who is an IT and software engineer and my teacher.\\n\\nKeep thinking, let us always be sober and wise to see everything.\\nWork hard, let us approach our dreams every day, and provide better living conditions for our families.\\nHelp others, make our life full of fun, and constantly improve the height of life.\\nCultivate the habit of summarizing and keep us creative all the time.\\n\\nHave a good weekend.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and he hopes that his friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\U0001fa77\\n\\nThanks to Professor Jim for sharing this week, his combination strategy this week has achieved good returns. Many friends followed him and made excess short-term profits.🎁🎁\\n\\nIf you want to get voting windows.\\nIf you want to get a gift from Professor Jim.\\nIf you want to get real-time trading strategies or signals from Professor Jim's team.💡\\nOr you need my help.\\nPlease add my business card to write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\nThe votes for the 10 finalists are clearly increasing this week and the rankings are starting to shift.\\n\\nThe online subscription of NEN tokens, a new ICO project that is popular among investors, is very popular.\\nThe lottery winning status has been announced today, please check your lottery winning status in your account.\\nNEN tokens will be listed soon, so stay tuned.',), ('Although the volatility of the cryptocurrency market is not large this week, players are actively seizing market opportunities.\\nJim Anderson uses the short-term combination strategy of contract trading, which makes his income in the lead.\\nI wish all players excellent results and wish all investors a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nI am very happy to enter the finals and be able to share with investors and friends. I hope my sharing can help everyone and get your votes.\\nWelcome new friends to join this group. If you have any questions, you can write to my assistant, Ms. Mary.\\n\\nAlthough BTC's medium-term bull market expectations remain unchanged, the SEC's regulatory measures against industry giants have created a short-term negative for the cryptocurrency market, causing market sentiment to be chaotic and transactions more difficult.\\nTherefore, I used the asset allocation plan, and I only used the short-term combination strategy in contract trading.\\nAt present, it has been verified by the market, and this plan and strategy are very wise and correct.\\nThis allows us to maintain solid earnings through tough times.\",), (\"However, I am not satisfied with this week's earnings.\\nAlthough my winning rate is very high, I dare not use too many capital positions because of the difficulty of trading.\\nIn order to get a higher support rate and earn more income, in order to make my votes and actual income surpass other players, I made a decision after meeting with my trading team.\\n\\n1. This week I will focus on short-term trading, and I will continue to adopt a combination strategy.\\n2. I will increase the use of short-term capital positions, and I will keep the use of capital positions at around 20%.\\n3. In order to better help some supporters and get more votes from friends, I will use a form to record my transactions.\\n4. My short-term profit target for next week is 100%.\",), ('*Friends are welcome to communicate on how to accomplish this goal.*\\nIf you have a better way to achieve this goal, and this method is requisitioned by me, I will give some rewards.',), ('At the same time, many friends wrote to me asking me how to achieve accurate analysis.\\nI often share this sentence with my trading team: the investment that can be sustained and successful must be continuously replicable, and the investment method that can be replicated must be simple.\\n\\nFor this, we can do a survey.\\nIf you are interested in learning how to make money, that is, if you are interested in learning technical analysis, you can take the initiative to write to my assistant, Ms. Mary.\\n\\nThis is in line with my original intention. I have said many times that I hope to discover some potential and talented traders in this competition and let them join my trading team.',), ('*If there are more people interested in learning how to make money, I can share my trading system.*\\n\"Perfect Eight Chapters Raiders\" is a relatively complete trading system that I have summed up in the stock market, futures, gold, exchange rate, cryptocurrency and other investment markets for more than 30 years.\\n\\n*Traders fall into four categories.*\\nThe first category, you don\\'t know how to start.\\nThe second category is that you start to understand how to make money, but you cannot achieve stable profits.\\nThe third category is to obtain a complete trading system and be able to achieve stable profits.\\nThe fourth category is to simplify investment methods, master super funds, and be able to maintain stable profits in any market.',), ('And \"Perfect Eight Chapters Raiders\" is a trading system suitable for all investors that I summarized and simplified after achieving stable profits in many investment markets.\\nMembers of my trading team are using this system, and the income is stable.',), ('*Keep thinking, let us always be sober and wise to see everything.*\\n*Work hard, let us approach our dreams every day, and provide better living conditions for our families.*\\n*Help others, make our life full of fun, and constantly improve the height of life.*\\nCultivate the habit of summarizing and keep us creative all the time.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\n*Hope to get more support from friends.*\\nToday I set the income goal and realization method for next week, we can witness or complete it together.\\nFriends who are more interested in learning how to make money can take the initiative to write to my assistant, Ms. Mary.\\nSee you tomorrow.💌',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\n*Friends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.*\\n\\nIn the last week, I used a portfolio investment strategy, achieved some results, and was ahead of many investors in the market.\\nIt seems that many of my friends agree with my strategy.\\nYesterday I summarized last week's transactions and set new goals.\\nI will work harder to present a better competitive level.\\nI hope to get the support of more friends, thank you.\",), ('*In order to better grasp market opportunities at the moment, I made the following resolutions after meeting with my trading team yesterday.*\\n1. This week I will focus on short-term trading, and I will continue to adopt a combination strategy.\\n2. I will increase the use of short-term capital positions, and I will keep the use of capital positions at around 20%.\\n3. In order to better help some supporters and get more votes from friends, I will use a form to record my transactions.\\n4. My short-term profit target for this week is 100%.\\n\\nPlease come and witness my performance this week.\\n*Later I will share my trading strategy or signal.*',), ('*During the weekend, I received letters from many friends, talked about many topics, and provided some pertinent investment suggestions of mine to many friends.*\\nFor example, talk about the stock market, AI, and Nvidia.\\nToday I will take the time to share some of my views.\\n\\n*For example, talking about learning the skills of making money, building a trading system and other topics.*\\nStarting today, I will share \"Perfect Eight Chapters Raiders\" in actual combat. This is a relatively complete trading system that I have summarize in the stock market, futures, gold, exchange rate, cryptocurrency and other investment markets for more than 30 years.',), ('This is in line with my original intention. I have said many times that I hope to discover some potential and talented traders in this competition and let them join my trading team.\\n\\nFor example, investment knowledge about ICOs.\\nYou can learn about investment skills in this area through NEN.',), ('*Important information.*\\nI just created a bearish contract order for BTC.\\nBut I will focus on the BUA deal.\\nThis is a combination of short-term contract transactions, we have to fast in and fast out.\\nI am watching the market, and I will send out trading signals of BUA at any time.\\n\\n*Important information.*\\nI just created a bearish contract order for BTC.\\nBut I will focus on the BUA deal.\\nThis is a combination of short-term contract transactions, we have to fast in and fast out.\\nI am watching the market, and I will send out trading signals of BUA at any time.',), ('*The SEC poses a short-term negative for industry regulation, so we mainly create bearish contract orders at high prices, so that the success rate will be higher.*\\nThe following points can be drawn from the 15-minute trend chart of BTC.\\n1. The direction of the middle track of the Bollinger Band is downward, indicating that it is currently in a downward trend.\\n2. Just now the price touched near the top of the 15-minute range, and the price is close to the middle track.\\n\\nSo, I created this order with a smaller position of funds, which is a position of funds for testing.\\nIf it goes well, I will use more capital positions to trade BUA.\\nNext, I will share the strategy of BUA.',), ('*The following points can be drawn from the 15-minute trend chart of BUA.*\\n1. The price is facing resistance in the upward trend, and a technical pattern similar to divergence appears.\\n2. The direction of the fast line of MACD is downward, and it is currently near the zero axis, which indicates that a new trend is about to emerge, and there is a high probability that there will be a downward trend.\\n\\n*Focusing on the following points can be used as an opportunity to create a BUA bearish contract order.*\\n1. The negative value of MACD increases, and the fast line crosses the zero axis downward.\\n2. The middle track of the Bollinger Bands starts to go down, and the upper and lower tracks of the Bollinger Bands begin to expand.\\n3. The price successfully fell below the lower track or support line of the Bollinger Bands.',), ('*Important information.*\\nFrom the 15-minute BUA trend chart, it can be seen that the price is going down and the negative value of MACD is increasing.\\nThis is a good signal, so I create a bearish contract order.\\nAnd I use more fund position than BTC.\\n\\n*Important information.*\\nFrom the 15-minute BUA trend chart, it can be seen that the price is going down and the negative value of MACD is increasing.\\nThis is a good signal, so I create a bearish contract order.\\nAnd I use more fund position than BTC.',), ('*Many friends wrote letters over the weekend to talk about topics such as the stock market, AI, and Nvidia.*\\nOn Friday, I wrote in my investment diary that \"The Fed\\'s trillion-dollar debt issuance is imminent, and Wall Street is worried about the coming shock\" and \"The pressure on the U.S. banking industry is mounting\".\\nThe stock market started to show signs of weakness today.\\n\\nBecause I am watching the market, I will briefly describe my views on these topics, hoping to help you invest in stocks.',), ('If you have any questions about any investment market, please feel free to write to us.\\nOr, you can write to my assistant, Ms. Mary, and she will take care of you. You can find her to get my important views or information on the recent stock market, bonds, US dollar, gold, crude oil, etc.',), ('*Important information.*\\nThe current trend of BTC is weak and the volatility is small.\\nThis shows that there are still many buyers interested in this price, so it has not gone out of a relatively smooth trend, which is the current status of BTC.\\nIn order to keep profits and increase efficiency, I choose to sell the bearish contract order I just created.\\n\\nI am still holding the BUA contract order.',), ('Some longtime Nvidia investors began selling shares, taking profits.\\n\\n1) The Rothschild family reduced their holdings of Nvidia.\\nBenjamin Melman, global chief investment officer at Edmond de Rothschild, revealed that the company has been overweight Nvidia since the end of 2020, but has taken some profits and now holds a \"much smaller\" position.\\n*This asset management institution has a history of more than 200 years and currently manages assets of 79 billion Swiss francs.*\\n\\n2) ARKK, the flagship fund of Cathy Wood\\'s Ark Investment Management Company, liquidated its Nvidia stake this year.',), ('3) Damodaran, known as a valuation master, has held Nvidia since 2017 and has now sold it.\\n*He believes that the $300 billion increase in market capitalization in a week is challenging the absolute limits of sustainable value.*\\n\\n4) On June 7, according to SEC disclosure, Nvidia director Harvey Jones reduced his holdings of approximately 70,000 shares on June 2, cashing out $28.433 million.',), (\"*For the stock market, AI and Nvidia, I add the following important points.*\\n1) The EPS of the stock market will decline by 16% year-on-year this year, and the U.S. stock market is in the depression period of the profit cycle. Stock market margins and earnings will decline rapidly.\\n\\n2) The current market's madness towards Nvidia is not based on current performance, but based on imagination.\\n\\n3) The management has also begun to reduce its holdings, which is interpreted by the market as a signal that Nvidia's short-term stock price has peaked.\",), ('4) Individual companies will undoubtedly achieve accelerated growth this year through increased AI investment, but this will not be enough to completely change the trajectory of the overall trend of cyclical earnings.\\nThe recent revenue growth of U.S. stock companies has been flat or slowing down, and companies that decide to invest in AI may face further pressure on profitability.\\n\\n*Therefore, please stock market investors pay attention to this risk.*',), (\"*Important information.*\\nMy BUA order is currently yielding around 37%.\\nBecause the short-term downward trend of BTC is not as strong as expected, and the price of BUA is close to the profit target.\\nI'm worried this will affect my earnings.\\nIn order to keep profits and increase efficiency, I choose to sell the bearish BUA contract order created just now.\\nWaiting for the next opportunity.\",), (\"When the volatility of BTC is small, I use a small capital position to test on BTC and participate in things with high probability.\\nWhen I think there is no problem with the test results, I will put more capital positions into the combination strategy.\\nThis way my success rate and earnings are higher.\\nToday's short-term trading can be said to be quite difficult, but we have succeeded, which makes me happy.\\n\\nMany friends are following my trading signals, and many of my friends sold at a better timing than me just now, so your yield is higher than mine.\\n\\nIn order to better help friends, I will open the group chat function next, and friends can ask questions if they have any unclear points.\\nThen, I will take time to answer questions from my friends.\",), ('Professor Jim, I keep voting for you every day. Hope to be able to participate in your plan',), (\"Today's transaction is so exciting, it's great to be able to get so much profit in a short period of time.\",), (\"Friends, what do you think of the SEC's supervision?\",), ('My plan is to vote for you first. When my funds can be transferred, I will participate in the transaction with you',), (\"I've voted for you, Mr. Jim. I am very interested in learning your technique, can you tell more about how you judge the trend and buy and sell points? I want to worship you as my teacher.\",), ('First of all I am very grateful to you, I have learned a lot. Now the working hours are relatively busy, and I have endless work every day, which makes me very troubled. Take your time to vote first',), ('Voted for you today. I hope you can win the championship, I can see your strength.\\U0001fae1\\U0001fae1',), ('I also voted for you. support you.',), ('As Mr. Jim said, value investors and directors of Nvidia are selling Nvidia shares, which is bound to bring greater volatility to market sentiment, because Nvidia has a high contribution to the index.\\nThank you, Mr. Jim, I am going to sell some stocks and configure some cryptocurrency investments.',), ('How did you do it? What is a contract transaction?',), ('Why is there no trading pair BUA in my application?',), ('If Binance stops serving US customers, the industry will find a way around it.\\nThe encryption system is antifragile. Some other companies with different strategies will gain a large number of new users, such as Btcoin exchange center, whose ICO and B-funds are featured.\\nWhere there is a market, there is demand. People always have alternatives.',), ('Hello there!',), ('NEN is listed at a price of $7.1, will it still rise?',), (\"Yeah? Who's selling nvidia stock?\",), ('What’s up folks! Check out this picture of the fish I caught',), ('Professor Jim, are you going to achieve 100% of your profit target this week?\\nIn other words, based on a $1 million account, your goal this week is to make a profit of $1 million, right?\\nI think this is incredible, how can we do it?',), (\"It's going up, I just saw it's gone above $8.\",), ('How about the Btcoin exchange center? I am also planning to switch to another trading center. I feel that the advantages of Coinbase and Binance are getting smaller and smaller, and I am even worried that they may encounter trouble.',), ('I have the same concern and am trying to switch apps as well.',), (\"This week, Mr. Jim will use the cryptocurrency contract trading function to achieve 100% of the profit target.\\nI have observed Mr. Jim's transactions for half a month, and I think it is not difficult for Mr. Jim to accomplish this goal.\",), ('Nvidia director Harvey Jones sold about 70,000 shares on June 2.\\nThere are also some institutions that are selling.',), (\"Can anyone tell me how to make money like you guys? I'm in a hurry, but I don't know how to start.\",), ('The Btcoin exchange center has obtained the relevant license, and I have asked relevant personnel, and their business will not be affected. I think their app is pretty good.',), ('You can ask Miss Mary for help with any questions.',), ('oh ok thanks',), ('I think Nvidia will go up in the short term.',), (\"Wow, that's incredible, that equates to a gain of over 224% in one week.\\nIt's interesting. Is anyone involved in this ICO project?\",), (\"Bank of America CEO Moynihan said that the US capital market will get back on track and remain open. The Fed is expected to keep interest rates unchanged in the near term before starting to cut rates in 2024. The Fed may pause rate hikes, but won't declare the rate hike cycle is complete.\\nThis is completely consistent with Professor Jim's prediction.\",), (\"It doesn't matter whether it rises in the short term, because its valuation is too high, and technology stocks such as Tesla and Apple have high valuations. After the market calms down, the stock price will inevitably fall.\",), (\"Yes, it might be time to see who's been swimming naked.\",), ('ICO is the simplest investment strategy and profit model, and the ICO of a good company should not be missed.\\nLooking forward to and optimistic that NEN can continue to rise.',), (\"Thanks to Professor Jim for sharing strategies and signals for making money, I am honored to be in this group.\\nI'll keep voting for you, Professor Jim, and I'll have my friends vote for you.\\nI am very much looking forward to your sharing your trading system, and I want to learn more ways and techniques to make money.\",), (\"Hello, dear friends.\\nThank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nBecause of the competition, I've been quite busy recently, so please forgive me if I didn't reply to some friends' messages in time.\\n\\nI saw the questions my friends asked, and I am happy to make my sharing valuable to you.\\n*I turned off the group chat function, and I will answer the questions of my friends next.*\\n1. How will I achieve my 100% profit target for this week?\\n2. What techniques did I use in today's transaction?\",), (\"*1. How will I achieve my 100% profit target for this week?*\\nI will use contract trading tools and use the combination of BTC and other tokens to trade, so as to achieve the purpose of safe and stable profits and achieve this week's goal.\\n\\n*1) The importance of portfolio investment strategies.*\\nThrough the combination of BTC and BUA that I have recently used, everyone will find that my transaction method is safer.\\nNo matter what kind of investment targets are used for combination, no matter what tools are used, it is to reduce risks and increase returns.\",), (\"Especially when the risk of the market increases and the trend is uncertain, this method is more effective.\\nThese advantages were fully demonstrated in last week's contract transactions. And last week there were a lot of people on Wall Street who were losing money.\\n\\n*Therefore, the effectiveness of this method is beyond doubt.*\",), ('*2) Advantages of contract trading.*\\nWhy contract trading can greatly improve transaction efficiency?\\nMainly because of two points, the margin trading mechanism and grasping the trend of certainty.\\nThe margin trading mechanism can achieve the effect of \"limited loss, unlimited profit\", which is the best risk control method.\\nUnder normal circumstances, we only need an hour or so to grasp a relatively certain trend, and we can achieve a profit of more than 30%.\\nIf the trend is good, it is normal for a transaction to achieve a return of more than 200%.\\nCompared with spot transactions, the advantages of contract transactions are very prominent.',), ('*3) Focus on the performance of NEN after listing.*\\nI successfully obtained a valuable original share in the online subscription of NEN. The online subscription price of NEN is 2.5 US dollars. It has risen well after listing today. The current price is around 9.3 US dollars. I have obtained 272% of this investment rate of return.\\n\\n*Next, there are two points that I pay more attention to.*\\nPoint 1: When will the Btcoin trading center list NEN in the contract trading market.\\nPoint 2: The continuation of the rally.\\nFor example, MGE and BUA gained 1,275% and 500%, respectively, within one month of listing.\\nTomorrow I will share the key points in the \"NEN Research Report\" in detail.\\n\\nIf you don\\'t know enough about the basics of ICO, contract transactions, etc., you can consult my assistant, Ms. Mary, or ask friends in the group.',), ('Mary Garcia',), ('2. *What techniques did I use in today\\'s transaction?*\\nIn fact, the method I used in today\\'s transaction is extremely simple. I used the relationship between the Bollinger band middle rail and the price to determine these two trading signals, and reaped short-term benefits.\\nIn order to let friends have a basic understanding of Bollinger Bands, I will now send some information about my training traders for everyone to have a look.\\nIn the future, I will share \"Perfect Eight Chapters Raiders\" in the process of actual combat every day, and explain the technical points used.\\nLater we will compare and summarize today\\'s trading signals and technical points.',), ('*Next, I will summarize the technical points successfully used in actual combat today.*\\nAs shown in the figure below, both BTC and BUA showed the following two points at that time.\\n1. The direction of the middle track of the Bollinger Bands is downward, and the price encounters resistance near the middle track.\\nBecause BTC is used for testing, I created the order first.\\nWhen I found that there was no problem with my judgment, BUA began to fall, and I decisively created an order for BUA.\\nYou can build a basic understanding of Bollinger Bands by following the internal training materials I shared today.\\n\\n2. There is no divergence between the price and the indicators, so I judge that the downward trend is not over, so I follow this trend.\\nThis is shared in a more advanced technical bullet point in the future.',), ('*In fact, today\\'s two transactions are very difficult.*\\nBeing able to successfully obtain excess short-term returns is not only based on these two points. But these are the basics.\\nRome wasn\\'t built in a day, but every stone used to build a beautiful palace had to be solid.\\nEvery technical point of \"Perfect Eight Chapters Raiders\" is summed up after more than 30 years of experience.\\n\\nActual combat is always the best way to learn, and the market is the best teacher.\\nIf you have any questions, please feel free to write to me, or write to my assistant, Ms. Mary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nShare these today and see you tomorrow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and he hopes that his friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\n\\nThanks to Professor Jim for sharing today, his combination strategy today has achieved good returns.\\nCongratulations to the friends who followed him to seize the opportunity.\\n\\nIf you want to get voting windows.\\nIf you want to get a gift from Professor Jim.\\nIf you want to get real-time trading strategies or signals from Professor Jim's team.\\nIf you want to learn Professor Jim's method of making money, profit model, and trading system.\\nOr you need my help.\\nPlease add my business card to write to me.📩\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim, who was the first among the preliminary contestants to enter the final contest, with outstanding strength.\\nLater, I will invite him to do today\\'s sharing.\\nVoting methods can be obtained from me or Professor Jim\\'s assistant Miss Mary.\\nI wish the players excellent results and wish everyone a happy investment.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my votes and ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send your voting screenshot to my assistant, Ms. Mary, as a basis for receiving the $3,000 reward.\\n\\nThe portfolio investment strategy I used last week was successful, and this week I want to achieve 100% short-term income goals, please friends to witness for me.\\nNEN is included in the contract trading market, what great value and opportunities does it have?\\nWhich technique will I use today to seize market opportunities?\\nWhat impact will the May CPI data and FOMC meeting expectations have on the major markets?\\nI will share these today.\",), ('From the 1-hour trend analysis chart of BTC, it can be seen that the downward trend is obvious.\\nThe 15-minute trend analysis chart can draw the following points.\\n1. After the price goes up, the price deviates from the indicator, and then the price falls.\\n2. Then the price fell below the middle rail of the Bollinger Bands.\\n3. The MACD fast and slow line crosses the zero axis downward, accompanied by an increase in the negative value of MACD.\\n4. The middle track of the Bollinger Bands turns and runs downward, the price falls below the lower track of the Bollinger Bands, and the upper and lower tracks of the Bollinger Bands expand.',), ('When the price runs outside the Bollinger Bands, this is an unconventional trend. This requires fast in and fast out.\\nSo, please note that in order to keep profits, I will choose to close positions at any time.\\n\\nToday I will focus on NEN contract transactions, and I will release important strategies and signals later.',), ('*Important information.*\\n1. The current trend of BTC is weak and the volatility is small.\\nIn order to keep profits and increase efficiency, I choose to sell the bearish contract order I just created.\\n\\n2. I am waiting for the time when BTC will stop falling, and NEN is brewing an important opportunity.',), ('Please see, NEN has been included in the contract market, and I will share its huge contract value and opportunities later.\\n*The following points can be drawn from the 15-minute trend analysis chart.*\\n1. When BTC is falling, the small drop of NEN is not large.\\nThis shows that there are buyers supporting the market. This is a very normal phenomenon after the ICO is listed, and there will be a steady stream of buyers to push the price upward.\\n\\nI have created a small amount of NEN bullish contract orders before BTC, but I did not share this signal because I was waiting for a better opportunity.\\n\\n2. If the negative value of MACD starts to decrease in the 15-minute graph, or the fast line starts to turn upward, it is a better time to intervene.',), ('*Important information.*\\nI created a bullish contract order for NEN again.\\nBecause the 15-minute trend chart clearly shows that the negative value of MACD is shrinking.\\nAnd the MACD fast line has changed. Although the fast line has not started to go up, it has changed from down to horizontal.\\nIn the 30-minute trend chart, the price just stopped falling at the lower track of the Bollinger Band, and the negative value of MACD is shrinking.',), ('Friends who want to learn how to make money, please remember this real-time analysis chart of NEN and the analysis chart of BTC. After the transaction is completed, I will explain the mystery in detail.\\n\\nNext, I will share with you the following contract value and opportunities of NEN.\\nThe illustration below is what I shared yesterday, and it shows the performance of the ICO varieties MGE and BUA after their listing.\\n1. The issue price of NEN is close to that of MGE and BUA, around $2.\\n2. The opening price of the listing is also relatively close, around 7-9 US dollars.\\n3. The increases of MGE and BUA within one month after listing were 1,275% and 500% respectively.',), (\"*If we refer to the trend of BUA for analysis.*\\nThe opening price of NEN was US$7.1. According to the expected increase of 500%, NEN may rise to US$42.6.\\nIf calculated using the margin ratio of 50X, the contract value of NEN within one month after listing can reach 25,000%.\\n\\nFor example, the current price of NEN is around $10, and you use $100,000 to trade NEN contracts, using a 50X margin ratio.\\nIf the price goes up to $42.6, your yield is 50*(42.6-10)/10*100%=16,300%.\\nThat's a gain of $16.3 million for you.\\n\\nFor example, if you are engaged in spot trading and want to use $100,000 to reap a profit of $16.3 million, the price of NEN must rise to $1,640.\\n\\nComparing the two profit models, who is easier to achieve such excess returns?\\nIn this comparison, the advantages of contract trading are very prominent.\",), ('*While waiting for profits to expand, I share an important message.*\\n\\nMay CPI data and FOMC meeting expectations, as well as the impact on major markets.\\nIn the United States, CPI inflation slowed more than expected in May, and the year-on-year growth rate of core service inflation excluding housing fell to 4.6%, the lowest since March 2022.\\nThat provided a reason for Fed officials to pause rate hikes after raising them for more than a year.\\nThe Fed will decide whether to raise interest rates at the new FOMC meeting, or to suspend interest rate hikes and further assess the economic situation.',), (\"Several policymakers, including Fed Chairman Jerome Powell, have signaled their preference for no rate hikes at the June 13-14 meeting, but left the door open for future tightening if necessary.\\nInflation fell to about half of last year's peak in May, but remains well above the 2 percent target the Fed wants to see.\",), (\"*The Fed will most likely keep interest rates unchanged this time. But another rate hike at next month's meeting is divided.*\\nThe Fed may need time to assess whether its policy and banking pressures are exerting enough downward pressure on prices.\\n\\n*Let me briefly describe the impact of this on the major markets.*\\n1. Short-term benefits for US stocks and futures.\\n2. This will moderately weaken the short-term negative factors in the cryptocurrency market.\\n3. Short-term negative for the dollar and U.S. Treasury bonds.\\n4. Short-term support for gold prices, but gold will likely fall to $1,800-1,850 per ounce this year.\\nI have recently analyzed the relevant logic of gold and the U.S. dollar in detail. You can consult my assistant, Ms. Mary, for relevant information.\",), ('*Important information.*\\nI sold my NEN contract order.\\nBecause the short-term upward momentum of BTC is insufficient, I am worried that this will affect the short-term trend and profits of NEN.\\n\\n*Important information.*\\nI sold my NEN contract order.\\nBecause the short-term upward momentum of BTC is insufficient, I am worried that this will affect the short-term trend and profits of NEN.',), (\"Friends, I am busy today.\\nJust now, my trading team and I were discussing NEN's trading plan.\\nThe NEN trading signal I shared today is a bit of a pity. This signal only earned 134.92% of the profit.\\nThis transaction can actually help us earn about 300% of the income.\\nHowever, from the perspective of risk control, there is no problem in keeping fast in and fast out in the rhythm of short-term trading.\\nIt doesn't matter, this shows that the trend of NEN is very strong, and my judgment on it is not wrong. I look forward to the next opportunity and performance of NEN.\\n\\nIn order to better help friends, I will open the group chat function next, and friends can ask questions if they have any unclear points.\\nThen, I will take time to answer questions from my friends.\",), ('Learn more about cryptocurrencies by learning in groups. Voted for you today.',), ('how did you do that? It is wonderful to be able to make a profit of 100% or 300% in the short term.',), ('This is very intuitive, not only records the change of total assets, but also records the change of initial capital under the condition of compound interest.',), ('I downloaded the voting platform and keep voting for you every day, and I also learned some knowledge about this field in your explanation. I love it and it will bring me fortune. I support you.',), ('Every day, I follow the messages of the group in time, and I am afraid of missing important content. I am already preparing to trade with you.',), (\"I've already voted, Mr. Jim.\\nI think it seems simple to achieve 100% of the profit target with your profitability.\",), (\"I don't understand, can you tell me your opinion?\",), ('Members of Congress submit bill to fire SEC Chairman Gensler.',), (\"I didn't participate in the NEN in time this time, which caused me to lose my wealth. Make me feel sorry.\",), ('what happened?',), ('The trend of crude oil is exactly in line with your previous prediction, Mr. Jim, this is amazing.',), ('This is not to use all capital positions to participate, but 20%, which is still very difficult.',), ('The contract trading is too wonderful, and the rise of NEN is very good',), (\"Yes, this is to control risk, it is a combination strategy. And the income of BTC/USDT is not as high as that of NEN/USDT.\\nThrough Professor Jim's explanation, I am looking forward to the next trend of NEN.\",), ('Because members of Congress believe that Gensler abused his power, the capital market must be protected and the healthy development of the cryptocurrency market must be protected.',), ('This not only intuitively reflects the change of total capital, but also presents the situation of compound interest in the theoretical model.\\nIt can reflect risk control ability and profitability.\\nIf the profitability is strong, the compound interest data will show geometric multiplication, and the total assets will also grow steadily.\\nIf the risk control is not done well, the initial capital of 200,000 US dollars may be lost quickly, and the total assets will also be affected.',), ('this looks interesting',), ('That is, some officials think the SEC has gone too far with binance and coinbase?',), ('The beach is where I feel happy and relaxed. I was on the beach, listening to the sound of the waves, feeling the breeze, and my mood became relaxed and happy. The beautiful beach and peaceful atmosphere made me feel calm and relaxed, making me forget about the worries and stress in my life.',), (\"Watching NBA games makes me think scoring is easy, watching Ronnie O'Sullivan makes scoring goals easy, and watching Mr. Jim make money easy.\",), ('Lol, what you said is exactly what I thought',), (\"The incident has attracted global attention, but Europe's attitude is much better. In short, the SEC's measures are not good for the US market, so let's wait and see.\\nIf the SEC mishandles it, it will indeed affect the business of Binance and Coinbase.\\nBecause for users, we may change a trading center.\\nI am going to use the Btcoin trading center to make money with Professor Jim.\",), (\"But Rome wasn't built in a day\",), (\"Originally today was a bad day, I had a fight with my wife. But when I saw Mr. Jim's game and patient explanation, it inspired me, I think I need more patience.\",), ('Can the content sent by Gary Gensler on social media be understood as good news?',), ('family is more important than money',), ('You are right, watching the game is a very happy thing, and being able to learn from the master is a very meaningful thing.',), (\"The management also began to reduce its holdings, which was interpreted by the market as a signal that Nvidia's stock price is about to peak in the short term.\\nI think this is very important.\",), (\"Yes, thanks for the reassurance. But this thing is a bit complicated and it's overwhelming me.\",), (\"It's wonderful to be able to make money together and learn this technology.\\nProfessor Jim, if you can achieve 100% of the income this week, I will mobilize my staff and their families and friends to help you vote.\\nI own a supermarket and I'll help you spread the word about voting.\\nHope you can share some stock market information, I am investing in stocks, forex and cryptocurrencies.\\nI am very concerned about your game and looking forward to it.\",), (\"You're welcome\",), (\"Prof.Jim, I'm surprised to see your last week's earnings and profits in ICO projects.\\nIs this just one of your many trading accounts?\\nI also talked about you with my friends at the Ivy League today. Your record in college is used as a case for the younger generation to learn from.\\nIt turns out that you are such a low-key person.\\nI really look forward to working with you.\",), (\"I've voted for you, Mr. Jim.\\nI wish you success in the competition and look forward to sharing more money-making tips from you.\",), (\"Thank you friends for your approval.\\nSome achievements in the past do not represent the future.\\nLooking forward to NEN's better performance, the fund position I tested shows that it is developing in a good direction.\\nI hope my friends can support my game more.\\n\\nAt the same time, thank you very much for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me, thank you.\\nI saw the questions my friends asked, and I am happy to make my sharing valuable to you.\\nI turned off the group chat function, and I will make a summary of today's trading tips.\",), ('*Next, I share two themes.*\\n1. Focus on the follow-up trend of NEN, which is very likely to enter a strong upward trend stage.\\n2. What trading techniques did I use today to obtain short-term excess returns?\\n\\n*The following points can be drawn from the 30-minute trend analysis chart of NEN below.*\\n1. The price successfully breaks through the high point on the left.\\nThis indicates that the price is most likely entering a strong uptrend phase, which is characterized by \"prices repeatedly making new highs\".\\n2. Through the analysis of the trend line, we can assume that the price is running inside the ascending channel.\\nThis shows us an excellent trading opportunity, and I will analyze it based on the real-time trend in subsequent transactions.',), ('*The line connecting the highs and highs in the trend forms the price high trendline.*\\nThe line connecting the lows and lows forms the price low trendline.\\nTwo lines form an ascending channel.\\n\\n*It can be obtained by analyzing the four prices in the chart.*\\n1. Based on the calculation of the range of 11.8-9.86, it may be normal for NEN to increase by more than 19.7% in the ascending channel.\\nCalculated according to the margin ratio of 50X, its contract value exceeds 983%.\\n2. Calculated in the range of 6.8-9.8, the increase is expected to reach 44.18%. Calculated according to the margin ratio of 50X, its contract value is expected to reach 2,205%.',), ('*That is to say, the price is moving in this upward channel, using the margin ratio of 50X, the profit of contract trading is expected to reach 10-20 times, or even more.*\\nTherefore, I will focus on the follow-up trend of NEN, and I will use it as the main contract transaction object.',), ('*Next, summarize today\\'s trading skills.*\\nThe \"Bollinger Bands Indicative Effect on Dynamic Space\" I explained yesterday has been fully used in today\\'s trading.\\n\\nAfter you find the NEN variety in the application, select the technical indicator \"Bollinger Bands\" from the technical indicator options.\\n\\nNext, I use NEN\\'s 30-minute analysis chart and trading process to explain the buying point.\\nI use BTC\\'s 15-minute analysis chart and trading process to explain the selling points.\\n*At the same time, consolidate the knowledge points shared yesterday.*',), ('1. *I used two techniques in grasping the buying point of NEN.*\\n1) The negative value of MACD in 15-30 minutes shrinks, indicating an increase in buying.\\nI will gradually share the knowledge of MACD in the future.\\n2) At that time, the price of NEN was near the lower track of the 30-minute Bollinger Band.\\nI judged that this would be a good buying point, so I bought decisively and shared this signal with my friends.\\n\\n*Summary of technical points.*\\n1) The price runs inside the Bollinger Bands most of the time.\\nSo I used more capital position to participate in this transaction.\\n2) The space between the upper and lower rails of the Bollinger Bands indicates the range of price fluctuations.\\nTherefore, this transaction has achieved a relatively large return, with a yield as high as 134.92%.',), ('2. *I used 3 skills in BTC trading, the most important one is the skill of selling points.*\\n1) The middle rail of the Bollinger Bands runs downward.\\nThe middle rail of the Bollinger Bands often represents the direction of the trend, so I choose to create a bearish contract order.\\nThis is the essence of trend-following trading. Following the trend is to participate in high-probability events.\\n\\n2) At that time, the negative value of MACD was gradually increasing, indicating that the selling power was increasing.\\nI will gradually share the knowledge of MACD in the future.',), ('3) Use the support line to predict the selling point in advance.\\nBecause the recent trend of BTC is relatively weak, I sold it in advance and made a profit of about 17%.\\n\\n*Next, I will share the knowledge points of the support line.*',), ('A basketball that is thrown into the sky and then falls, rebounds after hitting the ground, which explains the role of drag.\\nAmong them, the two points of strength weakening and reaction force constitute the high and low points.\\nThe weakening of strength is what I often call \"divergence between indicators and prices\", and I will share it in detail later.\\n\\n*Prices move in the direction of least resistance.*\\nIn trading, if you grasp the resistance level, you can predict the approximate range of the price in advance.',), ('Both support and resistance lines are resistance lines.\\nBollinger Bands can also solve this problem very well, and I will share it in detail step by step in the future.\\nToday I will share one of the easiest ways to judge resistance levels.\\nThat is, price-packed ranges and highs and lows in a trend form resistance levels.\\n\\n⬇️As shown below.⬇️',), ('From the recent transactions, you can clearly see that except for today\\'s NEN transaction, any other transaction is very difficult.\\nBeing able to make sustained and steady profits is not just based on these simple knowledge points. But these are the basics.\\nRome wasn\\'t built in a day, but every stone used to build a beautiful palace had to be solid.\\nEvery technical point of \"Perfect Eight Chapters Raiders\" is summed up after more than 30 years of experience.\\n\\nActual combat is always the best way to learn, and the market is the best teacher.\\nIf you have any questions, please feel free to write to me, or write to my assistant, Ms. Mary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nShare these today and see you tomorrow.',), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia, and I'm Professor Jim's assistant.\\nWelcome new friends to join this investment discussion group.\\nProfessor Jim is in the competition, and he hopes that his friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\",), (\"Thanks to Professor Jim for sharing today, his combination strategy today has achieved good returns.\\nCongratulations to the friends who followed him to seize the opportunity.\\n\\n*If you want to get voting windows.*\\nIf you want to get a gift from Professor Jim.🎁🎁\\nIf you want to get real-time trading strategies or signals from Professor Jim's team.💡💡\\nIf you want to learn Professor Jim's method of making money, profit model, and trading system.📊📊\\nOr you need my help.\\nPlease add my business card to write to me.💌💌\",), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim Anderson, who was the first to enter the final among the preliminary contestants, with outstanding strength.',), (\"Later, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or from Ms. Mary Garcia, assistant to Professor Jim Anderson.\\nI wish the players excellent results and wish everyone a happy investment.\",), ('*Important information.*\\nI created a NEN bullrish contract order.\\nThis is a very classic technical graphic.\\n\\n*Important information.*\\nI created a NEN bullrish contract order.\\nThis is a very classic technical graphic.',), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my votes and ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send a screenshot of your vote to my assistant Mary as a basis for receiving the $3,000 reward.\\n\\nThe portfolio investment strategy I used last week was successful, and this week I want to achieve the goal of 100% short-term compound interest income, please friends to witness for me.\\nThe signal I shared yesterday earned an average rate of return of 75.93%. Can we gain more today?\\nWhich technique will I use today to seize market opportunities?\\nTreasury Secretary Yellen made some important remarks on the dollar, what is the impact?\\nI will share these today.\",), (\"*Important news to share.*\\nU.S. Treasury Secretary Janet Yellen said on Tuesday that the U.S. dollar's share of global foreign exchange reserves will slowly decline, but there is no substitute for the U.S. dollar that can completely replace it.\\nThe views she expressed are as follows.\\n1. Some countries may seek alternative currencies due to sanctions.\\n2. But the current role of the US dollar in the world financial system is for good reason, and no other country can replicate it, including China.\\n3. The United States has a highly liquid, open financial market, a strong rule of law, and no capital controls. It is not easy for any country to come up with a way to bypass the US dollar*Important news to share.*\",), (\"4. US lawmakers have not done anything in favor of the dollar. She reiterated longstanding concerns about the U.S. debt ceiling crisis, saying it undermined global confidence in the U.S. ability to meet its debt obligations and damaged the dollar's reputation.\",), ('*The following points can be drawn from the 30-minute trend analysis chart of BTC.*\\n1. The current price has entered the end of the triangle range.\\n1) The volatility will become smaller and smaller, and the chance of profit will become smaller and smaller.\\n2) The direction cannot be determined. If you participate in it now, there is only a 50% success rate.\\n2. The best strategy is to wait for the trend to form.\\n1) Create a bullish contract order based on the strength of the price breaking the red pressure line.',), ('If the price breaks through successfully, the pressure line becomes the support line, and when the price falls back near the support line, create a bullish order when the selling force is exhausted.\\nThe target position is the upper yellow pressure line.\\n2) Price breaks below the white trendline to create a bearish contract order.\\nThe target position is the green support line below.',), (\"*Yesterday, I had a late chat with a lot of friends after finishing the transaction, and I found two problems.*\\n1. My friends are very appreciative of the content I share, but some of the content is a bit esoteric and difficult to understand.\\nI understand this very well, because when your financial investment knowledge has not reached a certain level, you may not necessarily understand certain data, terms, logic, etc.\\nBut if you want to predict in advance and grasp market trends in real time, this process of accumulation is necessary.\\nI suggest that friends spend more time and ask me if there is anything you don't understand.\",), ('2. My friends are very appreciative of the techniques I use in trading, and are very interested in learning the techniques to make money, but many friends do not know how to use technical indicators, and hope to get simple and effective methods.',), ('Trading is often boring, because most of the time is waiting for the signal to appear.\\nA request from friends I thought it was fun and it fit my original intention.\\nI hope that in the process of this competition, some talented traders can be cultivated and included in my trading team.\\n\\nAfter communicating with my friends, I thought deeply about the following 4 questions and came up with an important answer.\\n*1. How can I get more income in the game?*\\n2. How should I get more votes?\\n3. How should I share my trading signals and techniques to help my supporters?\\n4. In response to the current difficult trend, I used a combination strategy, which is very correct.\\nOn this basis, can I do better?\\n\\nI think I can do this. And I want to win.',), (\"After careful consideration, I finally came up with a plan.\\nIt is my trading secret - 'One Trick to Win'.\\nAttention everyone, today I will share this trading secret.\\n\\n*But I have two requirements.*\\n1. This plan should not be circulated.\\nThis was the secret weapon that got me into the finals from the first place in the preliminary rounds.\\nIf you learn this trading secret, you will be able to achieve stable profits in any investment market.\",), (\"2. I hope that after I share this method, I can get the support of more friends.\\nHopefully with the support of my friends, I will be ahead of all contestants by next week.\\n\\nIf friends can do the above two points, I will share the main points of 'One Trick to Win' with friends who support me in this competition, and teach those who want to get this method.\",), (\"In fact, I have used this secret in today's trading.\\nIn about an hour, I have already harvested about 120% of the income.\\n\\nI will share this secret today.\\nFriends may wish to think about what is the secret, it is very simple.\\n\\n*I will release new signals at any time, please pay attention.*\",), (\"*Important information.*\\nNEN's orders have already reaped a short-term excess return of about 140%.\\nAlthough the general trend of NEN is good, the trend of BTC is not stable. I am worried that this will affect the short-term profit of NEN.\\nShort-term trading requires fast in and fast out. In order to keep profits, I chose to sell the bullish contract order of NEN just created.\",), (\"I saw some friends sent me profitable screenshots.\\nCongratulations, you have reaped excess short-term returns.\\n*The general trend of NEN is very good, this is a very good track, I suggest friends pay more attention.*\\n\\nPlease take a look at the 6 trend charts I randomly selected below.\\nNote that there are treasures in these graphics, and among them are the secrets I'm about to share.\\nIn order to better help my friends, I will open the group chat function next.\\nFriends, if there is anything unclear, you can ask questions.\\nYou may wish to think and discuss this graph.\\nThen, I will take time to answer friends' questions and share 'One Trick to Win'.\",), (\"Jim, I already voted for you.\\nWhat kind of secret sauce this will be, I'm curious.\",), (\"Today's transaction, earned $260, very happy, thank you\",), ('Friends, what are you investing in? I want to know what can I do to make money like you guys.',), ('Thank you, I made $440 today',), ('According to the calculation of compound interest, Jim has achieved 100% of his profit target yesterday, which is incredible.',), (\"Wow this is amazing.\\nProf. Jim Anderson, when you said that 'BTC has not formed a trend', it is in a sideways market with no room for profit.\\nWhen you release the take profit signal of NEN, BTC starts to fall.\\nHow did you do this, your judgment is too precise, can you tell me the basis of your judgment?\",), ('Vote for you, I will try with a small amount of money',), ('Thanks for telling often, I see. Already voted for you.',), ('For contract transactions of cryptocurrencies, you can consult Mary.',), ('ok, thx.',), (\"Yes, it's precise and efficient.\",), (\"I'm so happy to be able to trade with you, and I've made 968美金 dollars today, which is equivalent to my day's wages, plus my job is double the income. Today is a good day.\",), (\"This is the embodiment of Jim Anderson's decades of skill.🧐\",), (\"Another money-making day, I don't want to work anymore. Today's Earnings520¥. I am very satisfied\",), ('Yes, I earned 101% in an hour and a half, which is wonderful and efficient.',), (\"This is the power of compound interest calculation, and Jim's records can clearly see that the return on total assets has reached 54%, and it only took 4 days, which is incredible.\",), (\"What's the secret to 'One Trick to Win'?\",), (\"Many people don't understand that Gary has explained it to me, and I am very grateful to her.\",), (\"Professor, did you use the relationship between Bollinger Bands and trends in your 'One Trick to Win'?\",), (\"Wow, it's hard to achieve gains like this in the stock market.\",), (\"I pay attention to the transaction information of the group every day, afraid of missing the opportunity to make money. Today's income is considerable, thank you very much.\",), ('Michael Saylor also expressed the same opinion as Jim Anderson, the US SEC enforcement action is good for Bitcoin, and the price of the currency is expected to rise to $250,000.',), ('Jennifer Farer, the U.S. Securities and Exchange Commission attorney handling the Binance lawsuit, told Judge Amy Berman Jackson of the District Court for the District of Columbia on Tuesday local time that she is \"open to allowing Binance to continue to operate.\"',), ('A federal judge ordered Binance and the SEC to attend a mediation session.\\nThis is all good news.',), ('I think so too, I hope this matter will be dealt with quickly, and then the bull market will start.',), ('I think since it is one trick to win, it should not be that complicated.',), (\"Mr. Anderson, don't worry, I will never spread your trading secrets. I am your loyal supporter and look forward to your sharing.\",), ('I bought at the first signal from Mr. Anderson and made 147%, which surprised me. The income reached 635 US dollars, which is my wealth. cheers to you🥃🥃',), ('It would be great if I knew Prof. Jim Anderson earlier.\\nI bought $500,000 in BTC at $56,000 and lost a lot of money.\\nAfter I left my job in the bank, I have a lot of time to study, I watch the news every day, and I look forward to your sharing, Prof. Jim Anderson.',), (\"If the trend of BTC, ETH and other trading targets is not clear, we can completely focus on searching for other trading targets with clear trends, which can greatly improve efficiency.\\nToday's transaction is a good case, which can greatly improve transaction efficiency.\",), (\"Prof. Jim Anderson, what's the secret to this method? I really want to know.\",), ('Yeah? I am very excited.',), (\"Yes, I am also looking forward to Jim's sharing.\\nAs long as it is a method that can make money, it is a good method, and it is useless to write a book about a method that cannot make money.\",), ('Jim, this is great, I will definitely ask my friends around me to vote for you.',), ('you are so right',), ('Thank you for your hard work, Professor. I will always support you.',), ('Mr. Jim Anderson, I remember you said that \"the investment that can be sustained and successful must be continuously replicated, and the investment method that can be replicated must be simple.\"',), ('Anderson。\\nLooking forward to your sharing, I am going to take notes, Prof. Anderson.',), ('Jim , thank you very much for your guidance, my NEN spot profit has exceeded 400%.\\nYou said that the trend of NEN is very good. I want to sell my NEN spot and transfer to the contract market. What should I pay attention to when creating a contract order?',), ('@14244990541 Jim, I want to sell my spot, can I buy some NEN contracts at the current price?',), ('Yes, you can use 5% of your capital position to create a bullish contract order.',), ('OK, thanks.',), ('Write to me, and I will help you make an investment plan according to your specific situation.',), (\"I am very grateful to my friends for voting for me, because voting accounts for 40% of the results of this competition, so I hope you can continue to support me.\\nI saw the questions my friends asked, and I am happy to make my sharing valuable to you.\\nI turned off group chat.\\n*Later I will start sharing 'One Trick to Win'.*\\n\\nIt can be seen from the income of my test capital position that the trend of NEN is very good, and we are all looking forward to its performance similar to BUA or MGE.\\nIt can be seen from the 1-hour trend analysis chart that the price-intensive range continues to rise, which is a typical upward trend.\\nThe current focus is on the support effect of the rising trend line and the bottom of the range on the price.\\n\\nFriends who want to get relevant trading signals or trading plans can write to me or my assistant Mary.\",), (\"Although the combination of Bollinger Bands and MACD is a common indicator for 'Perfect Eight Chapters Raiders'.\\nBut the 'One Trick to Win' I shared today does not require any other auxiliary tools.\\n*As I said earlier, 'One Trick to Win' was my secret weapon to stand out in the preliminary stage.*\\n\\nNext, I will share the key points, please read carefully and study carefully.\\nAt the same time, I hope to gain the support of more friends.\\n\\n*Please see the place marked by the yellow rectangle in the picture below.*\\n*Remember the combination pattern of this candlestick chart.*\",), ('If you want to learn this secret weapon, the simplest knowledge you must first understand is the construction of candlestick charts.\\n1. Each candle chart has four prices, which are the opening price, the highest price, the lowest price, and the closing price.\\nFor example, 1 one-minute candle every 1 minute, 12 5-minute candles every 1 hour, 4 15-minute candles every 1 hour, etc.\\n2. Sometimes some of these four prices overlap, resulting in different forms.\\n\\n3. *If there are four prices in a certain candlestick chart, then this candlestick chart has three important components, namely the upper wick, the lower wick and the rectangular part.*\\n\\nHaving these basics is enough. Next is the point.',), ('*The main points of \\'One Trick to Win\\' are as follows.*\\n1. If there is a combination of \"long candle wick\" and \"large rectangle on the right engulfing the small rectangle on the left\" in the combination pattern of the candle chart, it often constitutes a better buying and selling point.\\n2. The longer the wick, the better.\\n3. The longer the rectangle on the right, the better, and it is opposite to the trend of the candle chart on the left.\\n4. The combination pattern is often composed of 2-6 candlesticks, and the fewer the number, the better.',), (\"Friends can check the transaction records of yesterday and today.\\n*I used this technique in yesterday's BTC* *contract transaction and today's NEN* *contract transaction.* \\nThe trading signals I posted have all achieved good profits.\",), ('*What is the trading truth expressed by this candle combination pattern?*\\n1. The occurrence of this form means that large funds have entered the market, and then broke the calm of the market or reversed the trend of the market.\\n2. \"Long candle wick\" means that buyers and sellers have great differences at this price, and one of them wins, so the longer the candle wick, the better.\\n3. \"The big rectangle engulfs the small rectangle\" indicates the strength and determination of funds, so the bigger the big rectangle, the better, and the smaller the small rectangle, the better. The bigger the gap between the two, the stronger the power formed.',), (\"Friends, please understand what I am sharing today.\\nThis is my secret weapon, please don't let it out.\\nI hope to get the support of more friends.\\nI suggest that you can find these graphics by reviewing the market.\\nIn future transactions, we will look for this kind of graphics together, and then capture opportunities together.\\nActual combat is always the best way to learn, and the market is the best teacher.\\n\\nIf you have any questions, please write to communicate, or write to my assistant Mary.\\n\\nLiving healthy, investing happily, making communication and sharing generate value, being grateful and helping those around us is the culture of our group.\\n\\nShare these today and see you tomorrow.\",), (\"Hello ladies and gentlemen.\\nI'm Mary Garcia and I'm an assistant to Prof. Jim Anderson.\\nWelcome new friends to join this investment discussion group.\\nProf. Jim Anderson is competing and I hope friends can vote for him. He wants to realize his new dream through this competition.\\nFriends who vote, please send me a screenshot of your vote, which will be used as a certificate for receiving rewards.\\n\\nThanks to Prof. Jim Anderson for sharing today, his combination strategy and signal today have achieved good returns.\\nCongratulations to the friends who followed him to seize the opportunity.\",), ('If you want to get voting windows.\\nIf you want to get a gift from Prof. Jim Anderson.\\nIf you want to get real-time trading strategies or signals from his team.\\nIf you want to learn his investment notes, methods of making money, profit models, and trading systems.\\nOr you need my help.\\nPlease add my business card to write to me.📩',), ('Mary Garcia',), ('Hello ladies and gentlemen.\\nI am the official representative of Btcoin Trading Center, we are the creators of this group, which is a discussion group with \"cryptocurrency investment competition\" and \"voting for contestants\" as the main sharing topics.\\n\"Btcoin-2023 New Bull Market Masters-Final\" is being watched by global investors.\\nEveryone is welcome to vote for our contestants. You will get many generous rewards for voting and supporting players.\\nThe group invited Professor Jim Anderson, who was the first to enter the final among the preliminary contestants, with outstanding strength.',), (\"Later, I will invite him to do today's sharing.\\nVoting methods can be obtained from me or from Ms. Mary Garcia, assistant to Professor Jim Anderson.\\nI wish the players excellent results and wish everyone a happy investment.\",), (\"Hello dear friends, I'm Jim Anderson.\\nWelcome new friends.\\nThanks everyone for voting for me, I see my votes and ranking change.\\nVoting results account for 40% of the total score. With your support, I am more confident.\\nFriends who vote, please send a screenshot of your vote to my assistant Mary as a basis for receiving the $3,000 reward.\",), (\"So far, our combination investment strategy has worked very well. The compound interest income has already exceeded the weekly goal of 100%, and the total asset return is also amazing.\\nThe main reason is that I seized the opportunity of contract trading after the listing of NEN, and gained 137% of the profit yesterday. Today we will continue to work hard together.\\n*How did you use yesterday's BTC strategy?*\\n*How will the FOMC meeting affect the markets?*\\n*Have you learned 'One Trick to Win'? Why do you say the longer the wick, the better?*\\nI will share these today.\",), (\"*Important news to share.*\\nHighlights of the Federal Reserve's June FOMC meeting: interest rates may continue to rise in the second half of the year.\\n1. At this meeting, the Fed announced to keep interest rates unchanged.\\n2. The dot plot shows that the interest rate expectations of Fed officials have moved up, implying that the interest rate will be raised by 50bp in the second half of this year.\\n3. Forecasts for economic data and inflation have become more optimistic. It seems that the Fed is very confident in the soft landing of the economy.\",), (\"Powell insisted on defending the Fed's 2% inflation target and famously said 'Whatever it takes'.\\nHe has a cautious attitude towards inflation, and is more inclined to slow down the pace of tightening and practice 'Higher for Longer'.\\nThe U.S. dollar index, long-term U.S. bond yields, the stock market and the cryptocurrency market fluctuated violently.\\n\\nFor detailed views, you can consult my assistant Mary.\",), ('Mary Garcia',), (\"Maybe many friends are waiting for my trading signal.\\nI am observing the market, and I advise my friends not to rush to create an order.\\nBecause I am currently holding three orders, and all of them have made substantial profits.\\nI will post my trading signals anytime I have a better opportunity.\\nFriends who want to follow my strategy and signals wait a little bit.\\nFirst of all, let's review the BTC strategy I shared yesterday. Many friends implemented this strategy yesterday and made a lot of profits.\",), (\"*Friends, please pay attention to the picture above.*\\n*Figure 1 is yesterday's BTC strategy map.*\\nFigure 3 shows the timing when I created a BTC bearish contract order yesterday, which is 14:06:25.\\nFigure 4 shows the BTC orders I hold.\\nFigure 2 is an enlarged view.\\n\\n*Focusing on Figure 2, there are two important points.*\\nPoint 1: Timing.\\nAt that time, the price fell below the uptrend line.\\nPoint 2: Candle chart.\\nThis candle chart shows a long wick pattern.\\n*This is the main point in the 'One Trick to Win' that I will explain today.*\",), ('*Important information.*\\nWhen BTC fell sharply yesterday, NEN did not fall sharply in the short term, indicating that the buying of NEN is very strong.\\nBTC is currently slowly falling, while the price of NEN is very stable, it refuses to fall, indicating that the price has met the approval of buyers.\\nIt is a very good buying point at this moment, so I added a NEN bullish contract order.\\n\\nWhen conducting contract transactions, please recognize the currency name, margin ratio, direction, fund position and other elements to avoid unnecessary losses.\\n\\n*Token: NEN/USDT*\\nLever (margin ratio): 50X\\nTrading mode: Market Price\\nTransaction Type: Buy\\nFund position: 20%',), (\"Why is this a good buying point?\\nFriends may wish to think about it first.\\nI will gradually share the tactical skills of the trading system of 'One Trick to Win' with my supporters in this competition.\\nToday I will share a key point in that system.\\n\\nAlso, in order to keep the profit, I sold the BTC order.\\nFriends who implemented the BTC strategy yesterday, I recommend selling to keep profits, because the one-hour trend chart of BTC shows that the price will re-select the direction.\",), ('There are several reasons why I sold BTC profit orders.\\n1. Short-term pay attention to fast in and fast out.\\n2. Keep profits.\\nAlthough BTC is in a downward trend, if the price re-selects its direction, it may rise first and then fall.\\nI saw that many of my friends did not earn much from yesterday’s orders, and very few earned more than 50%. This shows that you were not quick enough to grasp the timing of buying points, and yesterday’s trend was relatively rapid.\\nIf the price goes up first, this affects profits',), ('3. Wait for the next opportunity to present itself.\\nFor example, when the price rises to near the upper rail of the 1-hour Bollinger Band or near the pressure line, the positive value of MACD shrinks.\\nFor example, the price successfully fell below the support line, accompanied by the continuous increase in the negative value of MACD.\\nThese are more deterministic opportunities.',), (\"Friends, when you seize the opportunity, please pay attention to the use of 'One Trick to Win'.\\nPlease see, my two BTC contract transactions used 'One Trick to Win'.\\nThe BTC 15-minute trend chart analysis is very obvious to see the combination of such candle charts.\\n\\nI used this method in yesterday's and today's NEN contract transactions.\",), ('*Important information.*\\nAt present, the trend of NEN is not very smooth. It may be that the pressure range on the left has put pressure on the upward price to a certain extent.\\nAlthough I am still optimistic about this trend, short-term trading emphasizes fast in and fast out.\\nTherefore, I suggest that friends who participated in this transaction, when your profit exceeds 40%, you can choose to sell at any time to keep the profit.',), ('I saw some friends sent me profitable screenshots.\\nCongratulations, you have reaped excess short-term returns.\\nThe general trend of NEN is very good, this is a very good track, I suggest friends pay more attention.\\n\\nYou can see from the above figure that as long as you can maintain a high success rate, your income will increase by leaps and bounds under compound interest conditions, and the income from total assets will also rise steadily.\\nWhen grasping deterministic trends and opportunities, contract trading is undoubtedly a good tool.',), (\"Please take a look at the 3 trend charts I randomly selected.\\nNote that there are treasures in these graphics, and among them are the secrets I'm about to share.\\nEveryone may wish to think and discuss, why the longer the candle wick, the better? .\\n\\nIn order to better help my friends, I will open the group chat function next.\\n*Friends, if there is anything unclear, you can ask questions.*\\n*Then I will answer friends' questions and explain the important content of 'One Trick to Win'.*\",), ('After I saw the news, I sold it quickly, but it was too late, and I only made 56% of $300, and I regretted it',), (\"I'm voting for you every day\",), ('I am really happy today. I made $360. This is my happiest thing today. Thanks',), ('contract trading is so interesting',), ('Have voted',), ('Wow, when you sold the bearish contract of BTC, BTC skyrocketed.\\nJim, how did you do it, this judgment is too accurate.',), (\"Today's trend is very fierce, I made 109% but my principal is not much, I don't have that much profit, but I am also very satisfied, I will gradually increase my capital\",)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple mentions of 'Jim', specifically 'Professor Jim' and 'Jim Anderson', which are clear references to a person's name.\"}\n", - "evidence_count : 9\n", - "evidence_sample : ['Mary Garcia', 'Jim Anderson', 'Benjamin', 'Professor Jim', 'Lorie Logan', 'Gary Gensler', 'Ron DeSantis', 'Michael Saylor', 'Abbas al Qattan']\n", - "source_columns : ['chat.subject', 'message.text_data', 'message.translated_text', 'message_vcard.vcard']\n", - "\n", - "--- END METADATA ---\n", - "Wrote: I:\\project2026\\llmagent\\batch_results\\evidence_20260119T185056Z.jsonl\n" - ] - } - ], - "source": [ - "\n", - "all_results = []\n", - "\n", - "for p in db_paths:\n", - " DB_PATH = str(p) # updates the global used by your @tool functions\n", - " print(f\"\\nProcessing: {DB_PATH}\")\n", - "\n", - " for target in PII_TARGETS:\n", - " entity_config = ENTITY_CONFIG[target]\n", - " print(f\"\\nProcessing: {target} in {DB_PATH}\")\n", - " result = app.invoke({\n", - " \"messages\": [HumanMessage(content=f\"Find {entity_config['desc'].strip()} in the database\")],\n", - " \"attempt\": 1,\n", - " \"max_attempts\": 2,\n", - " \"phase\": \"exploration\",\n", - " \"target_entity\": target,\n", - " \n", - " \"entity_config\": entity_config, # <---\n", - " \"exploration_sql\": None,\n", - " \"extraction_sql\": None,\n", - " \"rows\": None,\n", - " \"classification\": None,\n", - " \"evidence\": [],\n", - " \"source_columns\": []\n", - " })\n", - "\n", - " evidence = result.get(\"evidence\", [])\n", - " source_columns = result.get(\"source_columns\", [])\n", - " raw_rows = result.get(\"rows\", [])\n", - " all_results.append({\n", - " \"db_path\": DB_PATH,\n", - " \"PII_type\": target,\n", - " \"PII\": evidence,\n", - " \"Num_of_PII\": len(evidence),\n", - " \"source_columns\": source_columns,\n", - " \"Raw_rows_first_100\": raw_rows[:100],\n", - " \"Total_raw_rows\": len(raw_rows),\n", - " \"Exploration_sql\": result.get(\"exploration_sql\", \"\"),\n", - " \"Extraction_sql\": result.get(\"extraction_sql\", \"\") \n", - " })\n", - "\n", - "# Save one JSONL for easy grep/filter later\n", - "ts = datetime.now(timezone.utc).strftime(\"%Y%m%dT%H%M%SZ\")\n", - "out_path = OUT_DIR / f\"evidence_{ts}.jsonl\"\n", - "\n", - "with out_path.open(\"w\", encoding=\"utf-8\") as f:\n", - " for r in all_results:\n", - " f.write(json.dumps(r, ensure_ascii=False) + \"\\n\")\n", - "\n", - "print(f\"Wrote: {out_path.resolve()}\")\n" - ] - }, - { - "cell_type": "code", - "execution_count": null, - "id": "d24e126b", - "metadata": {}, - "outputs": [], - "source": [] - } - ], - "metadata": { - "kernelspec": { - "display_name": "Python 3", - "language": "python", - "name": "python3" - }, - "language_info": { - "codemirror_mode": { - "name": "ipython", - "version": 3 - }, - "file_extension": ".py", - "mimetype": "text/x-python", - "name": "python", - "nbconvert_exporter": "python", - "pygments_lexer": "ipython3", - "version": "3.10.18" - } - }, - "nbformat": 4, - "nbformat_minor": 5 -} diff --git a/agent_evidence_discovery_fix.ipynb b/agent_evidence_discovery_fix.ipynb deleted file mode 100644 index 6718622..0000000 --- a/agent_evidence_discovery_fix.ipynb +++ /dev/null @@ -1,994 +0,0 @@ -{ - "cells": [ - { - "cell_type": "markdown", - "id": "0be1ee8e", - "metadata": {}, - "source": [ - "uing bnl environment\n", - "https://medium.com/@ayush4002gupta/building-an-llm-agent-to-directly-interact-with-a-database-0c0dd96b8196\n", - "\n", - "pip uninstall -y langchain langchain-core langchain-openai langgraph langgraph-prebuilt langgraph-checkpoint langgraph-sdk langsmith langchain-community langchain-google-genai langchain-text-splitters\n", - "\n", - "pip install langchain==1.2.0 langchain-core==1.2.2 langchain-openai==1.1.4 langgraph==1.0.5 langgraph-prebuilt==1.0.5 langgraph-checkpoint==3.0.1 langgraph-sdk==0.3.0 langsmith==0.5.0" - ] - }, - { - "cell_type": "code", - "execution_count": 11, - "id": "2648a1f1", - "metadata": {}, - "outputs": [], - "source": [ - "# only for find models\n", - "# import google.generativeai as genai\n" - ] - }, - { - "cell_type": "code", - "execution_count": 12, - "id": "a10c9a6a", - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "OK\n" - ] - } - ], - "source": [ - "# https://medium.com/@ayush4002gupta/building-an-llm-agent-to-directly-interact-with-a-database-0c0dd96b8196\n", - "\n", - "import os\n", - "from dotenv import load_dotenv\n", - "from langchain_openai import ChatOpenAI\n", - "from langchain_core.messages import HumanMessage\n", - "from sql_utils import *\n", - "\n", - "\n", - "load_dotenv() # This looks for the .env file and loads it into os.environ\n", - "\n", - "llm = ChatOpenAI(\n", - " model=\"gpt-4o-mini\", # recommended for tools + cost\n", - " api_key=os.environ[\"API_KEY\"],\n", - " temperature=0\n", - ")\n", - "\n", - "response = llm.invoke([\n", - " HumanMessage(content=\"Reply with exactly: OK\")\n", - "])\n", - "\n", - "print(response.content)\n", - "\n", - "# DB_PATH = r\"msgstore.db\"\n", - "# DB_PATH = r\"users4.db\"\n", - "DB_PATH = r\"Agent_Evidence_Discovery_Github\\selectedDBs\\ChatStorage.sqlite\"\n", - "# DB_PATH = r\"F:\\mobile_images\\Cellebriate_2024\\Cellebrite_CTF_File1\\CellebriteCTF24_Sharon\\Sharon\\EXTRACTION_FFS 01\\EXTRACTION_FFS\\Dump\\data\\data\\com.whatsapp\\databases\\stickers.db\"\n", - "# DB_PATH = r\"F:\\mobile_images\\Cellebriate_2024\\Cellebrite_CTF_File1\\CellebriteCTF24_Sharon\\Sharon\\EXTRACTION_FFS 01\\EXTRACTION_FFS\\Dump\\data\\data\\com.android.vending\\databases\\localappstate.db\"\n", - "\n", - "ENTITY_CONFIG = {\n", - " \"EMAIL\": {\n", - " \"regex\": r\"[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}\",\n", - " \"desc\": \"valid electronic mail formats used for account registration or contact\"\n", - " },\n", - " \"PHONE\": {\n", - " \"regex\": r\"\\+?[0-9]{1,4}[- .]?\\(?[0-9]{1,3}?\\)?[- .]?[0-9]{1,4}[- .]?[0-9]{1,4}[- .]?[0-9]{1,9}\",\n", - " \"desc\": \"international or local telephone numbers\"\n", - " },\n", - " \"USERNAME\": {\n", - " \"regex\": r\"\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b\",\n", - " \"desc\": \"application-specific usernames, handles, or account identifiers\"\n", - " },\n", - " \"PERSON_NAME\": {\n", - " \"regex\": r\"[A-Za-z][A-Za-z\\s\\.\\-]{1,50}\",\n", - " \"desc\": (\n", - " \"loosely structured human name-like strings used only for discovery \"\n", - " \"and column pre-filtering; final identification is performed during extraction\"\n", - " )\n", - " }\n", - "}\n", - "\n" - ] - }, - { - "cell_type": "code", - "execution_count": null, - "id": "48eda3ec", - "metadata": {}, - "outputs": [], - "source": [ - "# Core Python\n", - "import sqlite3\n", - "import re\n", - "import json\n", - "from typing import TypedDict, Optional, List, Annotated\n", - "from langgraph.graph.message import add_messages\n", - "\n", - "# LangChain / LangGraph\n", - "from langchain_core.tools import tool\n", - "from langchain_core.messages import (\n", - " HumanMessage,\n", - " AIMessage,\n", - " SystemMessage\n", - ")\n", - "from langchain.agents import create_agent\n", - "from langgraph.graph import StateGraph, END\n", - "from langgraph.graph.message import MessagesState\n", - "\n", - "\n", - "@tool\n", - "def list_tables() -> str:\n", - " \"\"\"\n", - " List all table names in the SQLite database.\n", - " \"\"\"\n", - " conn = sqlite3.connect(DB_PATH)\n", - " cur = conn.cursor()\n", - " cur.execute(\"SELECT name FROM sqlite_master WHERE type='table'\")\n", - " tables = [r[0] for r in cur.fetchall()]\n", - " conn.close()\n", - " return \", \".join(tables)\n", - "\n", - "\n", - "@tool\n", - "def get_schema(table: str) -> str:\n", - " \"\"\"\n", - " Return column names and types for a table.\n", - " \"\"\"\n", - " conn = sqlite3.connect(DB_PATH)\n", - " cur = conn.cursor()\n", - " cur.execute(f\"PRAGMA table_info('{table}')\")\n", - " cols = cur.fetchall()\n", - " conn.close()\n", - " return \", \".join(f\"{c[1]} {c[2]}\" for c in cols)\n", - "\n", - "\n", - "\n", - "\n", - "@tool\n", - "def exec_sql(query: str) -> dict:\n", - " \"\"\"Execute SQL statements. If one fails, it is skipped and the next is executed.\"\"\"\n", - " query_text = normalize_sql(query)\n", - "\n", - " # 1. Parse column names from ALL SELECTs\n", - " column_names = []\n", - " for select_sql in split_union_selects(query_text):\n", - " for col in extract_select_columns(select_sql):\n", - " if col not in column_names:\n", - " column_names.append(col)\n", - "\n", - " # 2. Execute once\n", - " conn = sqlite3.connect(DB_PATH)\n", - " conn.create_function(\"REGEXP\", 2, regexp)\n", - " cur = conn.cursor()\n", - "\n", - " try:\n", - " print(f\"[EXECUTE] Running query\")\n", - " cur.execute(query_text)\n", - " rows = cur.fetchall()\n", - " except Exception as e:\n", - " print(f\"[SQL ERROR]: {e}\")\n", - " rows = []\n", - " finally:\n", - " conn.close()\n", - "\n", - " return {\n", - " \"rows\": rows,\n", - " \"columns\": column_names\n", - " }\n", - "\n", - "\n", - "\n", - "\n", - "class EmailEvidenceState(TypedDict):\n", - " messages: Annotated[list, add_messages]\n", - " attempt: int\n", - " max_attempts: int\n", - " phase: str # \"exploration\" | \"extraction\"\n", - "\n", - " # SQL separation\n", - " exploration_sql: Optional[str]\n", - " extraction_sql: Optional[str]\n", - "\n", - " rows: Optional[List]\n", - " classification: Optional[dict]\n", - " evidence: Optional[List[str]]\n", - "\n", - " target_entity: str\n", - " source_columns: Optional[List[str]]\n", - "\n", - "\n", - "def get_discovery_system(target, regex):\n", - " return SystemMessage(\n", - " content=(\n", - " \"You are a SQL planner. You are provided databases that are extracted from Android or iOS devices.\\n\"\n", - " f\"Goal: discover if any column contains {target}.\\n\\n\"\n", - " \"Rules:\\n\"\n", - " \"- Use 'REGEXP' for pattern matching.\\n\"\n", - " f\"- Example: SELECT col FROM table WHERE col REGEXP '{regex}' LIMIT 10\\n\"\n", - " \"- Validate your SQL and make sure all tables and columns do exist.\\n\"\n", - " \"- If multiple SQL statements are provided, combine them using UNION ALL and LIMIT 100.\\n\"\n", - " \"- Return ONLY SQL.\"\n", - " )\n", - " )\n", - "\n", - " \n", - "def upgrade_sql_remove_limit(sql: str) -> str:\n", - " _LIMIT_RE = re.compile(r\"\\s+LIMIT\\s+\\d+\\s*;?\\s*$\", re.IGNORECASE)\n", - " _LIMIT_ANYWHERE_RE = re.compile(r\"\\s+LIMIT\\s+\\d+\\s*(?=($|\\n|UNION|ORDER|GROUP|HAVING))\", re.IGNORECASE) \n", - " # Remove LIMIT clauses robustly (including UNION queries)\n", - " upgraded = re.sub(r\"\\bLIMIT\\s+\\d+\\b\", \"\", sql, flags=re.IGNORECASE)\n", - " # Clean up extra whitespace\n", - " upgraded = re.sub(r\"\\s+\\n\", \"\\n\", upgraded)\n", - " upgraded = re.sub(r\"\\n\\s+\\n\", \"\\n\", upgraded)\n", - " upgraded = re.sub(r\"\\s{2,}\", \" \", upgraded).strip()\n", - " return upgraded\n", - "\n", - "\n", - "\n", - "def planner(state: EmailEvidenceState):\n", - " # Extraction upgrade path\n", - " if state[\"phase\"] == \"extraction\" and state.get(\"exploration_sql\"):\n", - " extraction_sql = upgrade_sql_remove_limit(state[\"exploration_sql\"])\n", - " return {\n", - " \"messages\": [AIMessage(content=extraction_sql)],\n", - " \"extraction_sql\": extraction_sql\n", - " }\n", - "\n", - " # Optional safety stop inside planner too\n", - " if state.get(\"phase\") == \"exploration\" and state.get(\"attempt\", 0) >= state.get(\"max_attempts\", 0):\n", - " return {\n", - " \"phase\": \"done\",\n", - " \"messages\": [AIMessage(content=\"STOP: max attempts reached in planner.\")]\n", - " }\n", - " # Original discovery logic\n", - " tables = list_tables.invoke({})\n", - " config = ENTITY_CONFIG[state[\"target_entity\"]]\n", - "\n", - " base_system = get_discovery_system(\n", - " state[\"target_entity\"],\n", - " config[\"regex\"]\n", - " )\n", - "\n", - " grounded_content = (\n", - " f\"{base_system.content}\\n\\n\"\n", - " f\"EXISTING TABLES: {tables}\\n\"\n", - " f\"CURRENT PHASE: {state['phase']}\\n\"\n", - " \"CRITICAL: Do not query non-existent tables.\"\n", - " )\n", - "\n", - " agent = create_agent(llm, [list_tables, get_schema])\n", - " \n", - " result = agent.invoke({\n", - " \"messages\": [\n", - " SystemMessage(content=grounded_content),\n", - " state[\"messages\"][0] # original user request only\n", - " ]\n", - " })\n", - "\n", - " exploration_sql = normalize_sql(result[\"messages\"][-1].content)\n", - "\n", - " attempt = state[\"attempt\"] + 1 if state[\"phase\"] == \"exploration\" else state[\"attempt\"]\n", - "\n", - " return {\n", - " \"messages\": [AIMessage(content=exploration_sql)],\n", - " \"exploration_sql\": exploration_sql,\n", - " \"attempt\": attempt\n", - " }\n", - "\n", - "def sql_execute(state: EmailEvidenceState):\n", - " # Choose SQL based on phase\n", - " if state[\"phase\"] == \"extraction\":\n", - " sql_to_run = state.get(\"extraction_sql\")\n", - " else: # \"exploration\"\n", - " sql_to_run = state.get(\"exploration_sql\")\n", - "\n", - " if not sql_to_run:\n", - " print(\"[SQL EXEC] No SQL provided for this phase\")\n", - " return {\n", - " \"rows\": [],\n", - " \"messages\": [AIMessage(content=\"No SQL to execute\")]\n", - " }\n", - "\n", - " # Execute\n", - " result = exec_sql.invoke(sql_to_run)\n", - "\n", - " rows = result.get(\"rows\", [])\n", - " cols = result.get(\"columns\", [])\n", - "\n", - " print(f\"[SQL EXEC] Retrieved {len(rows)} rows\")\n", - " \n", - " # for i, r in enumerate(rows, 1):\n", - " # print(f\" row[{i}]: {r}\")\n", - "\n", - " updates = {\n", - " \"rows\": rows,\n", - " \"messages\": [AIMessage(content=f\"Retrieved {len(rows)} rows\")]\n", - " }\n", - "\n", - " # Track columns only during extraction (provenance)\n", - " if state[\"phase\"] == \"extraction\":\n", - " updates[\"source_columns\"] = cols\n", - " print(f\"[TRACKING] Saved source columns: {cols}\")\n", - "\n", - " return updates\n", - "\n", - " \n", - "\n", - "def get_classify_system(target: str):\n", - " return SystemMessage(\n", - " content=(\n", - " f\"Decide whether the text contains {target}.\\n\"\n", - " \"Return ONLY a JSON object with these keys:\\n\"\n", - " \"{ \\\"found\\\": true/false, \\\"confidence\\\": number, \\\"reason\\\": \\\"string\\\" }\"\n", - " )\n", - " )\n", - "\n", - "def classify(state: EmailEvidenceState):\n", - " # 1. Prepare the text sample for the LLM\n", - " text = rows_to_text(state[\"rows\"], limit=15)\n", - " \n", - " # 2. Get the target-specific system message\n", - " system_message = get_classify_system(state[\"target_entity\"])\n", - "\n", - " # 3. Invoke the LLM\n", - " result = llm.invoke([\n", - " system_message,\n", - " HumanMessage(content=f\"Data to analyze:\\n{text}\")\n", - " ]).content\n", - " \n", - "# 4. Parse the decision\n", - " decision = safe_json_loads(\n", - " result,\n", - " default={\"found\": False, \"confidence\": 0.0, \"reason\": \"parse failure\"}\n", - " )\n", - "\n", - " # print(\"[CLASSIFY]\", decision)\n", - " return {\"classification\": decision}\n", - "\n", - "\n", - "def switch_to_extraction(state: EmailEvidenceState):\n", - " print(\"[PHASE] discovery → extraction\")\n", - " return {\"phase\": \"extraction\"}\n", - "\n", - "\n", - "def extract(state: EmailEvidenceState):\n", - " text = rows_to_text(state[\"rows\"])\n", - " # print(f\"Check last 100 characts : {text[:-100]}\")\n", - " system = f\"Extract and normalize {state['target_entity']} from text. Return ONLY a JSON array of strings.\"\n", - " result = llm.invoke([SystemMessage(content=system), HumanMessage(content=text)]).content\n", - " return {\"evidence\": safe_json_loads(result, default=[])}\n", - "\n", - "\n", - "def next_step(state: EmailEvidenceState):\n", - " # Once in extraction phase, extract and stop\n", - " if state[\"phase\"] == \"extraction\":\n", - " return \"do_extract\"\n", - "\n", - " c = state[\"classification\"]\n", - "\n", - " if c[\"found\"] and c[\"confidence\"] >= 0.6:\n", - " return \"to_extraction\"\n", - "\n", - " if not c[\"found\"] and c[\"confidence\"] >= 0.6:\n", - " return \"stop_none\"\n", - "\n", - " if state[\"attempt\"] >= state[\"max_attempts\"]:\n", - " return \"stop_limit\"\n", - "\n", - " return \"replan\"" - ] - }, - { - "cell_type": "code", - "execution_count": 14, - "id": "0f5259d7", - "metadata": {}, - "outputs": [], - "source": [ - "def observe(state: EmailEvidenceState):\n", - " \"\"\"\n", - " Debug / inspection node.\n", - " Does NOT modify state.\n", - " \"\"\"\n", - " print(\"\\n=== STATE SNAPSHOT ===\")\n", - "\n", - " # Messages\n", - " print(\"\\n--- MESSAGES ---\")\n", - " for i, m in enumerate(state[\"messages\"]):\n", - " print(f\"{i}: {m.type.upper()} -> {m.content}\")\n", - "\n", - " # Metadata\n", - " print(\"\\n--- BEGIN METADATA ---\")\n", - " print(f\"attempt : {state['attempt']}\")\n", - " print(f\"max_attempts : {state['max_attempts']}\")\n", - " print(f\"phase : {state['phase']}\")\n", - " print(f\"target_entity : {state.get('target_entity')}\")\n", - "\n", - " # SQL separation\n", - " print(f\"exploration_sql : {state.get('exploration_sql')}\")\n", - " print(f\"extraction_sql : {state.get('extraction_sql')}\")\n", - "\n", - " # Outputs\n", - " rows = state.get(\"rows\") or []\n", - " print(f\"rows_count : {len(rows)}\")\n", - " print(f\"rows_sample : {rows[:1000] if rows else []}\") # small sample to avoid huge logs\n", - "\n", - " print(f\"classification : {state.get('classification')}\")\n", - " print(f\"evidence_count : {len(state.get('evidence') or [])}\")\n", - " print(f\"evidence_sample : {(state.get('evidence') or [])[:10]}\")\n", - "\n", - " print(f\"source_columns : {state.get('source_columns')}\")\n", - " print(\"\\n--- END METADATA ---\")\n", - "\n", - " # IMPORTANT: do not return state, return no-op update\n", - " return {}\n", - "\n", - "\n", - "\n", - "from langgraph.graph import StateGraph, END\n", - "\n", - "graph = StateGraph(EmailEvidenceState)\n", - "\n", - "# Nodes\n", - "graph.add_node(\"planner\", planner)\n", - "graph.add_node(\"observe_plan\", observe) # Checkpoint 1: The SQL Plan\n", - "graph.add_node(\"execute\", sql_execute)\n", - "graph.add_node(\"observe_execution\", observe) # NEW Checkpoint: Post-execution\n", - "graph.add_node(\"classify\", classify)\n", - "graph.add_node(\"observe_classify\", observe) # Checkpoint 2: Post-classify\n", - "graph.add_node(\"switch_phase\", switch_to_extraction)\n", - "graph.add_node(\"extract\", extract)\n", - "graph.add_node(\"observe_final\", observe) # Checkpoint 3: Final results\n", - "\n", - "graph.set_entry_point(\"planner\")\n", - "\n", - "# --- FLOW ---\n", - "graph.add_edge(\"planner\", \"observe_plan\")\n", - "graph.add_edge(\"observe_plan\", \"execute\")\n", - "\n", - "# NEW: observe after execution, before classify\n", - "graph.add_edge(\"execute\", \"observe_execution\")\n", - "graph.add_edge(\"observe_execution\", \"classify\")\n", - "\n", - "graph.add_edge(\"classify\", \"observe_classify\")\n", - "\n", - "graph.add_conditional_edges(\n", - " \"observe_classify\",\n", - " next_step,\n", - " {\n", - " \"to_extraction\": \"switch_phase\",\n", - " \"do_extract\": \"extract\",\n", - " \"replan\": \"planner\",\n", - " \"stop_none\": END,\n", - " \"stop_limit\": END,\n", - " }\n", - ")\n", - "\n", - "graph.add_edge(\"switch_phase\", \"planner\")\n", - "\n", - "graph.add_edge(\"extract\", \"observe_final\")\n", - "graph.add_edge(\"observe_final\", END)\n", - "\n", - "app = graph.compile()\n" - ] - }, - { - "cell_type": "code", - "execution_count": 15, - "id": "0b1fce49", - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find PERSON_NAME in the database\n", - "1: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 3\n", - "phase : exploration\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "extraction_sql : None\n", - "rows_count : 0\n", - "rows_sample : []\n", - "classification : None\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : []\n", - "\n", - "--- END METADATA ---\n", - "[EXECUTE] Running query\n", - "[SQL EXEC] Retrieved 100 rows\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find PERSON_NAME in the database\n", - "1: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "2: AI -> Retrieved 100 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 3\n", - "phase : exploration\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "extraction_sql : None\n", - "rows_count : 100\n", - "rows_sample : [('Follow me',), ('Test',), ('The Chamber',), ('Group',), ('Group-A',), ('Chad Hunt',), ('Toni Yu',), ('\\u200eWhatsApp',), ('\\u200eYou',), ('Charles Finley',), ('Ronen Engler',), ('John Raynolds',), ('Netflix',), ('The Dodo',), ('Jonathan Reyes',), ('Ronen Engler',), ('Johnny Good',), ('Keeps',), ('\\u200eWhatsApp',), ('Russell Philby',), ('Citi tudy group209',), ('Citi tudy group218',), ('Sharon 😍',), ('Abe Rudder',), ('📈📈8-12 BTC Contracts 5',), ('📈📈8-12 BTC Contracts 2',), ('📈📈8-12 BTC Contracts 2',), ('Group-A',), ('Moo',), ('Hola',), ('If you need anything give my man Rick a call.',), ('Remember this placep?',), ('He will never let you down, or give you up!!',), ('Gotta love vinyl...',), ('Phew. Only saw the first part of your text. Glad you’re good',), ('Long time no talk',), ('Hello there Otto',), ('Yolo!',), (\"It's your boy Reynolds. New number\",), ('Got time for call bud?',), ('Surely',), ('Need a package picked up at 12503 E Via De Palmas, Chandler, AZ on Tuesday and taken to 8500 Peña Blvd, Denver, CO ask the bartender at Mesa Verde Bar “where are the goats around here?” He’ll tell where to drop the package, COD at the drop off spot',), ('Let me know if you down to deliver',), ('That place? SkinnyFat? \\nhttps://maps.app.goo.gl/G5eC89JQKhhzKcQL8?g_st=iw',), ('Sure I’m not too far away. Can go pickup in a bit.',), (\"That's the spot\",), ('If you deliver the goods without drama. I got more work for you',), ('Make me proud',), ('Looking forward. Might need to Uber around \\nWill update.',), ('Seriously sweet \"honkers\"...',), ('that was taken just now that’s actually me😌',), ('you up?',), ('admin reveal:',), (\"You won't believe how rescuers were able to get this pup out 💙\\n\\nRead the story here: https://thedo.do/3Pg0a4Y\",), ('Wait until you find out what they named him\\xa0\\U0001f979\\n\\nRead the story here: https://thedo.do/3sXQLaN',), ('This kitten is so lucky\\xa0\\U0001f979\\n\\nRead the rescue story here: https://thedo.do/3LnEsen',), (\"Hello fellow animal lovers 👋 Welcome to The Dodo's WhatsApp channel! Your daily dose of happy 🐾❤️\",), ('(🎥: @tornado.watch)',), ('We bet you’ve never heard of this animal! \\n\\nRead more about this wild story: https://thedo.do/3RnEYwA',), ('The surprise of a lifetime!\\xa0💜\\n\\nRead the story here: https://thedo.do/3EHcSVE',), ('How did he do that?\\xa0😂 \\n\\nRead the story here: https://thedo.do/48mLmKq',), ('‼️ like this if it’s friday eve where you are ‼️',), ('but that does mean your monday is my sunday so maybe im chosen after all 😌💅',), ('‼️ like this if it’s already friday and you’re one of the chosen ones 😒‼️',), ('So my plans have changed a bit. Had to send the 🐐 email it’s som good old friend. He just made it 🐶',), ('Ah thanks for the update',), ('She didn’t want to bring him back 😮\\n\\nRead the story here: https://thedo.do/3LzSdXd',), ('trying to pick my mood for the weekend',), ('lil mix of both i suppose 🥰',), ('Nice reflection \\nWhere dat?',), ('Btw. Talked to the owner. I follow them on IG \\nhttps://instagram.com/skinnyfatfarms?igshid=MzRlODBiNWFlZA==',), ('They have some big business going on there. “Farm”',), ('Let me know if you need an intro, could save few € next time',), ('Good lookin out Otto',), ('They were too stunned to speak\\xa0\\U0001fae2\\n\\nRead the story here: https://thedo.do/3RzNZTf',), (\"That's where..lol\",), ('She’s been waiting for this moment\\xa0❤️\\n\\nRead the story here: https://thedo.do/3RBJsA2',), ('guess who didn’t send this message with their hands 😌',), ('https://g.co/kgs/tgEJ3h',), ('castlevania stans 👀',), ('one week.. ⚽️',), ('oh and before i forget',), ('LIKE THIS if you want me to do manual labor and physically type out what’s coming new to netflix in october',), ('LIKE THIS if you want a lil graphic instead',), ('that’s v sweet of you ^ ❤️💕\\U0001f979 (even tho it’s close 😒)',), ('They didn’t expect to find this \\U0001f979\\n\\nRead the story here: https://thedo.do/3PVaktu',), ('Wait until you see this face\\xa0\\U0001f979\\n\\n\\nRead the story here: https://thedo.do/45cQuOL',), ('So. Many. Dogs.\\xa0🐶💜🐶\\n\\nRead the story here: https://thedo.do/46vqqiU',), ('yall',), ('this season of love is blind is so unhinged',), ('I see that you are in town. I have a particularly rare and unique specimen in my possession',), ('Ah just missed you.',), ('Hoping you can help move it to a contact in your wealthy rolodex :-)',), ('You’re getting here?',), ('Working on it -- have some other clients to wrap up with',), ('Send you an ETA shortly',), ('Well, that was an unexpected encounter!\\n\\nRead the story here: https://thedo.do/3Q0dzjj',), ('on october 3rd, he asked me what day it was',), ('Get you a friend who will do this…\\n\\nRead the story: https://thedo.do/3LMZdjT',), (\"Nice catching up. Thanks shouldn't make you some $$$\",)]\n", - "classification : None\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : []\n", - "\n", - "--- END METADATA ---\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find PERSON_NAME in the database\n", - "1: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "2: AI -> Retrieved 100 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 3\n", - "phase : exploration\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "extraction_sql : None\n", - "rows_count : 100\n", - "rows_sample : [('Follow me',), ('Test',), ('The Chamber',), ('Group',), ('Group-A',), ('Chad Hunt',), ('Toni Yu',), ('\\u200eWhatsApp',), ('\\u200eYou',), ('Charles Finley',), ('Ronen Engler',), ('John Raynolds',), ('Netflix',), ('The Dodo',), ('Jonathan Reyes',), ('Ronen Engler',), ('Johnny Good',), ('Keeps',), ('\\u200eWhatsApp',), ('Russell Philby',), ('Citi tudy group209',), ('Citi tudy group218',), ('Sharon 😍',), ('Abe Rudder',), ('📈📈8-12 BTC Contracts 5',), ('📈📈8-12 BTC Contracts 2',), ('📈📈8-12 BTC Contracts 2',), ('Group-A',), ('Moo',), ('Hola',), ('If you need anything give my man Rick a call.',), ('Remember this placep?',), ('He will never let you down, or give you up!!',), ('Gotta love vinyl...',), ('Phew. Only saw the first part of your text. Glad you’re good',), ('Long time no talk',), ('Hello there Otto',), ('Yolo!',), (\"It's your boy Reynolds. New number\",), ('Got time for call bud?',), ('Surely',), ('Need a package picked up at 12503 E Via De Palmas, Chandler, AZ on Tuesday and taken to 8500 Peña Blvd, Denver, CO ask the bartender at Mesa Verde Bar “where are the goats around here?” He’ll tell where to drop the package, COD at the drop off spot',), ('Let me know if you down to deliver',), ('That place? SkinnyFat? \\nhttps://maps.app.goo.gl/G5eC89JQKhhzKcQL8?g_st=iw',), ('Sure I’m not too far away. Can go pickup in a bit.',), (\"That's the spot\",), ('If you deliver the goods without drama. I got more work for you',), ('Make me proud',), ('Looking forward. Might need to Uber around \\nWill update.',), ('Seriously sweet \"honkers\"...',), ('that was taken just now that’s actually me😌',), ('you up?',), ('admin reveal:',), (\"You won't believe how rescuers were able to get this pup out 💙\\n\\nRead the story here: https://thedo.do/3Pg0a4Y\",), ('Wait until you find out what they named him\\xa0\\U0001f979\\n\\nRead the story here: https://thedo.do/3sXQLaN',), ('This kitten is so lucky\\xa0\\U0001f979\\n\\nRead the rescue story here: https://thedo.do/3LnEsen',), (\"Hello fellow animal lovers 👋 Welcome to The Dodo's WhatsApp channel! Your daily dose of happy 🐾❤️\",), ('(🎥: @tornado.watch)',), ('We bet you’ve never heard of this animal! \\n\\nRead more about this wild story: https://thedo.do/3RnEYwA',), ('The surprise of a lifetime!\\xa0💜\\n\\nRead the story here: https://thedo.do/3EHcSVE',), ('How did he do that?\\xa0😂 \\n\\nRead the story here: https://thedo.do/48mLmKq',), ('‼️ like this if it’s friday eve where you are ‼️',), ('but that does mean your monday is my sunday so maybe im chosen after all 😌💅',), ('‼️ like this if it’s already friday and you’re one of the chosen ones 😒‼️',), ('So my plans have changed a bit. Had to send the 🐐 email it’s som good old friend. He just made it 🐶',), ('Ah thanks for the update',), ('She didn’t want to bring him back 😮\\n\\nRead the story here: https://thedo.do/3LzSdXd',), ('trying to pick my mood for the weekend',), ('lil mix of both i suppose 🥰',), ('Nice reflection \\nWhere dat?',), ('Btw. Talked to the owner. I follow them on IG \\nhttps://instagram.com/skinnyfatfarms?igshid=MzRlODBiNWFlZA==',), ('They have some big business going on there. “Farm”',), ('Let me know if you need an intro, could save few € next time',), ('Good lookin out Otto',), ('They were too stunned to speak\\xa0\\U0001fae2\\n\\nRead the story here: https://thedo.do/3RzNZTf',), (\"That's where..lol\",), ('She’s been waiting for this moment\\xa0❤️\\n\\nRead the story here: https://thedo.do/3RBJsA2',), ('guess who didn’t send this message with their hands 😌',), ('https://g.co/kgs/tgEJ3h',), ('castlevania stans 👀',), ('one week.. ⚽️',), ('oh and before i forget',), ('LIKE THIS if you want me to do manual labor and physically type out what’s coming new to netflix in october',), ('LIKE THIS if you want a lil graphic instead',), ('that’s v sweet of you ^ ❤️💕\\U0001f979 (even tho it’s close 😒)',), ('They didn’t expect to find this \\U0001f979\\n\\nRead the story here: https://thedo.do/3PVaktu',), ('Wait until you see this face\\xa0\\U0001f979\\n\\n\\nRead the story here: https://thedo.do/45cQuOL',), ('So. Many. Dogs.\\xa0🐶💜🐶\\n\\nRead the story here: https://thedo.do/46vqqiU',), ('yall',), ('this season of love is blind is so unhinged',), ('I see that you are in town. I have a particularly rare and unique specimen in my possession',), ('Ah just missed you.',), ('Hoping you can help move it to a contact in your wealthy rolodex :-)',), ('You’re getting here?',), ('Working on it -- have some other clients to wrap up with',), ('Send you an ETA shortly',), ('Well, that was an unexpected encounter!\\n\\nRead the story here: https://thedo.do/3Q0dzjj',), ('on october 3rd, he asked me what day it was',), ('Get you a friend who will do this…\\n\\nRead the story: https://thedo.do/3LMZdjT',), (\"Nice catching up. Thanks shouldn't make you some $$$\",)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple instances of names that are likely to be personal names, such as 'Chad Hunt', 'Toni Yu', 'Charles Finley', 'Ronen Engler', 'John Raynolds', and 'Jonathan Reyes'.\"}\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : []\n", - "\n", - "--- END METADATA ---\n", - "[PHASE] discovery → extraction\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find PERSON_NAME in the database\n", - "1: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "2: AI -> Retrieved 100 rows\n", - "3: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 3\n", - "phase : extraction\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "extraction_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "rows_count : 100\n", - "rows_sample : [('Follow me',), ('Test',), ('The Chamber',), ('Group',), ('Group-A',), ('Chad Hunt',), ('Toni Yu',), ('\\u200eWhatsApp',), ('\\u200eYou',), ('Charles Finley',), ('Ronen Engler',), ('John Raynolds',), ('Netflix',), ('The Dodo',), ('Jonathan Reyes',), ('Ronen Engler',), ('Johnny Good',), ('Keeps',), ('\\u200eWhatsApp',), ('Russell Philby',), ('Citi tudy group209',), ('Citi tudy group218',), ('Sharon 😍',), ('Abe Rudder',), ('📈📈8-12 BTC Contracts 5',), ('📈📈8-12 BTC Contracts 2',), ('📈📈8-12 BTC Contracts 2',), ('Group-A',), ('Moo',), ('Hola',), ('If you need anything give my man Rick a call.',), ('Remember this placep?',), ('He will never let you down, or give you up!!',), ('Gotta love vinyl...',), ('Phew. Only saw the first part of your text. Glad you’re good',), ('Long time no talk',), ('Hello there Otto',), ('Yolo!',), (\"It's your boy Reynolds. New number\",), ('Got time for call bud?',), ('Surely',), ('Need a package picked up at 12503 E Via De Palmas, Chandler, AZ on Tuesday and taken to 8500 Peña Blvd, Denver, CO ask the bartender at Mesa Verde Bar “where are the goats around here?” He’ll tell where to drop the package, COD at the drop off spot',), ('Let me know if you down to deliver',), ('That place? SkinnyFat? \\nhttps://maps.app.goo.gl/G5eC89JQKhhzKcQL8?g_st=iw',), ('Sure I’m not too far away. Can go pickup in a bit.',), (\"That's the spot\",), ('If you deliver the goods without drama. I got more work for you',), ('Make me proud',), ('Looking forward. Might need to Uber around \\nWill update.',), ('Seriously sweet \"honkers\"...',), ('that was taken just now that’s actually me😌',), ('you up?',), ('admin reveal:',), (\"You won't believe how rescuers were able to get this pup out 💙\\n\\nRead the story here: https://thedo.do/3Pg0a4Y\",), ('Wait until you find out what they named him\\xa0\\U0001f979\\n\\nRead the story here: https://thedo.do/3sXQLaN',), ('This kitten is so lucky\\xa0\\U0001f979\\n\\nRead the rescue story here: https://thedo.do/3LnEsen',), (\"Hello fellow animal lovers 👋 Welcome to The Dodo's WhatsApp channel! Your daily dose of happy 🐾❤️\",), ('(🎥: @tornado.watch)',), ('We bet you’ve never heard of this animal! \\n\\nRead more about this wild story: https://thedo.do/3RnEYwA',), ('The surprise of a lifetime!\\xa0💜\\n\\nRead the story here: https://thedo.do/3EHcSVE',), ('How did he do that?\\xa0😂 \\n\\nRead the story here: https://thedo.do/48mLmKq',), ('‼️ like this if it’s friday eve where you are ‼️',), ('but that does mean your monday is my sunday so maybe im chosen after all 😌💅',), ('‼️ like this if it’s already friday and you’re one of the chosen ones 😒‼️',), ('So my plans have changed a bit. Had to send the 🐐 email it’s som good old friend. He just made it 🐶',), ('Ah thanks for the update',), ('She didn’t want to bring him back 😮\\n\\nRead the story here: https://thedo.do/3LzSdXd',), ('trying to pick my mood for the weekend',), ('lil mix of both i suppose 🥰',), ('Nice reflection \\nWhere dat?',), ('Btw. Talked to the owner. I follow them on IG \\nhttps://instagram.com/skinnyfatfarms?igshid=MzRlODBiNWFlZA==',), ('They have some big business going on there. “Farm”',), ('Let me know if you need an intro, could save few € next time',), ('Good lookin out Otto',), ('They were too stunned to speak\\xa0\\U0001fae2\\n\\nRead the story here: https://thedo.do/3RzNZTf',), (\"That's where..lol\",), ('She’s been waiting for this moment\\xa0❤️\\n\\nRead the story here: https://thedo.do/3RBJsA2',), ('guess who didn’t send this message with their hands 😌',), ('https://g.co/kgs/tgEJ3h',), ('castlevania stans 👀',), ('one week.. ⚽️',), ('oh and before i forget',), ('LIKE THIS if you want me to do manual labor and physically type out what’s coming new to netflix in october',), ('LIKE THIS if you want a lil graphic instead',), ('that’s v sweet of you ^ ❤️💕\\U0001f979 (even tho it’s close 😒)',), ('They didn’t expect to find this \\U0001f979\\n\\nRead the story here: https://thedo.do/3PVaktu',), ('Wait until you see this face\\xa0\\U0001f979\\n\\n\\nRead the story here: https://thedo.do/45cQuOL',), ('So. Many. Dogs.\\xa0🐶💜🐶\\n\\nRead the story here: https://thedo.do/46vqqiU',), ('yall',), ('this season of love is blind is so unhinged',), ('I see that you are in town. I have a particularly rare and unique specimen in my possession',), ('Ah just missed you.',), ('Hoping you can help move it to a contact in your wealthy rolodex :-)',), ('You’re getting here?',), ('Working on it -- have some other clients to wrap up with',), ('Send you an ETA shortly',), ('Well, that was an unexpected encounter!\\n\\nRead the story here: https://thedo.do/3Q0dzjj',), ('on october 3rd, he asked me what day it was',), ('Get you a friend who will do this…\\n\\nRead the story: https://thedo.do/3LMZdjT',), (\"Nice catching up. Thanks shouldn't make you some $$$\",)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple instances of names that are likely to be personal names, such as 'Chad Hunt', 'Toni Yu', 'Charles Finley', 'Ronen Engler', 'John Raynolds', and 'Jonathan Reyes'.\"}\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : []\n", - "\n", - "--- END METADATA ---\n", - "[EXECUTE] Running query\n", - "[SQL EXEC] Retrieved 1188 rows\n", - "[TRACKING] Saved source columns: ['ZCONTACTNAME', 'ZPARTNERNAME', 'ZAUTHORNAME', 'ZTEXT', 'ZPUSHNAME']\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find PERSON_NAME in the database\n", - "1: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "2: AI -> Retrieved 100 rows\n", - "3: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "4: AI -> Retrieved 1188 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 3\n", - "phase : extraction\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "extraction_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "rows_count : 1188\n", - "rows_sample : [('Follow me',), ('Test',), ('The Chamber',), ('Group',), ('Group-A',), ('Chad Hunt',), ('Toni Yu',), ('\\u200eWhatsApp',), ('\\u200eYou',), ('Charles Finley',), ('Ronen Engler',), ('John Raynolds',), ('Netflix',), ('The Dodo',), ('Jonathan Reyes',), ('Ronen Engler',), ('Johnny Good',), ('Keeps',), ('\\u200eWhatsApp',), ('Russell Philby',), ('Citi tudy group209',), ('Citi tudy group218',), ('Sharon 😍',), ('Abe Rudder',), ('📈📈8-12 BTC Contracts 5',), ('📈📈8-12 BTC Contracts 2',), ('📈📈8-12 BTC Contracts 2',), ('Group-A',), ('Moo',), ('Hola',), ('If you need anything give my man Rick a call.',), ('Remember this placep?',), ('He will never let you down, or give you up!!',), ('Gotta love vinyl...',), ('Phew. Only saw the first part of your text. Glad you’re good',), ('Long time no talk',), ('Hello there Otto',), ('Yolo!',), (\"It's your boy Reynolds. New number\",), ('Got time for call bud?',), ('Surely',), ('Need a package picked up at 12503 E Via De Palmas, Chandler, AZ on Tuesday and taken to 8500 Peña Blvd, Denver, CO ask the bartender at Mesa Verde Bar “where are the goats around here?” He’ll tell where to drop the package, COD at the drop off spot',), ('Let me know if you down to deliver',), ('That place? SkinnyFat? \\nhttps://maps.app.goo.gl/G5eC89JQKhhzKcQL8?g_st=iw',), ('Sure I’m not too far away. Can go pickup in a bit.',), (\"That's the spot\",), ('If you deliver the goods without drama. I got more work for you',), ('Make me proud',), ('Looking forward. Might need to Uber around \\nWill update.',), ('Seriously sweet \"honkers\"...',), ('that was taken just now that’s actually me😌',), ('you up?',), ('admin reveal:',), (\"You won't believe how rescuers were able to get this pup out 💙\\n\\nRead the story here: https://thedo.do/3Pg0a4Y\",), ('Wait until you find out what they named him\\xa0\\U0001f979\\n\\nRead the story here: https://thedo.do/3sXQLaN',), ('This kitten is so lucky\\xa0\\U0001f979\\n\\nRead the rescue story here: https://thedo.do/3LnEsen',), (\"Hello fellow animal lovers 👋 Welcome to The Dodo's WhatsApp channel! Your daily dose of happy 🐾❤️\",), ('(🎥: @tornado.watch)',), ('We bet you’ve never heard of this animal! \\n\\nRead more about this wild story: https://thedo.do/3RnEYwA',), ('The surprise of a lifetime!\\xa0💜\\n\\nRead the story here: https://thedo.do/3EHcSVE',), ('How did he do that?\\xa0😂 \\n\\nRead the story here: https://thedo.do/48mLmKq',), ('‼️ like this if it’s friday eve where you are ‼️',), ('but that does mean your monday is my sunday so maybe im chosen after all 😌💅',), ('‼️ like this if it’s already friday and you’re one of the chosen ones 😒‼️',), ('So my plans have changed a bit. Had to send the 🐐 email it’s som good old friend. He just made it 🐶',), ('Ah thanks for the update',), ('She didn’t want to bring him back 😮\\n\\nRead the story here: https://thedo.do/3LzSdXd',), ('trying to pick my mood for the weekend',), ('lil mix of both i suppose 🥰',), ('Nice reflection \\nWhere dat?',), ('Btw. Talked to the owner. I follow them on IG \\nhttps://instagram.com/skinnyfatfarms?igshid=MzRlODBiNWFlZA==',), ('They have some big business going on there. “Farm”',), ('Let me know if you need an intro, could save few € next time',), ('Good lookin out Otto',), ('They were too stunned to speak\\xa0\\U0001fae2\\n\\nRead the story here: https://thedo.do/3RzNZTf',), (\"That's where..lol\",), ('She’s been waiting for this moment\\xa0❤️\\n\\nRead the story here: https://thedo.do/3RBJsA2',), ('guess who didn’t send this message with their hands 😌',), ('https://g.co/kgs/tgEJ3h',), ('castlevania stans 👀',), ('one week.. ⚽️',), ('oh and before i forget',), ('LIKE THIS if you want me to do manual labor and physically type out what’s coming new to netflix in october',), ('LIKE THIS if you want a lil graphic instead',), ('that’s v sweet of you ^ ❤️💕\\U0001f979 (even tho it’s close 😒)',), ('They didn’t expect to find this \\U0001f979\\n\\nRead the story here: https://thedo.do/3PVaktu',), ('Wait until you see this face\\xa0\\U0001f979\\n\\n\\nRead the story here: https://thedo.do/45cQuOL',), ('So. Many. Dogs.\\xa0🐶💜🐶\\n\\nRead the story here: https://thedo.do/46vqqiU',), ('yall',), ('this season of love is blind is so unhinged',), ('I see that you are in town. I have a particularly rare and unique specimen in my possession',), ('Ah just missed you.',), ('Hoping you can help move it to a contact in your wealthy rolodex :-)',), ('You’re getting here?',), ('Working on it -- have some other clients to wrap up with',), ('Send you an ETA shortly',), ('Well, that was an unexpected encounter!\\n\\nRead the story here: https://thedo.do/3Q0dzjj',), ('on october 3rd, he asked me what day it was',), ('Get you a friend who will do this…\\n\\nRead the story: https://thedo.do/3LMZdjT',), (\"Nice catching up. Thanks shouldn't make you some $$$\",), (\"I'll make sure this gets back to the boss.\",), ('Yes 🙌',), ('Until next time!',), ('He got a second chance at life\\xa0\\U0001f979💙\\n\\nRead more: https://thedo.do/46xBgEW',), ('What’s that in the water?\\xa0😳\\n\\nRead the story: https://thedo.do/3LRuWjT',), ('alia bhatt appreciation post',), ('Adopt Fate!\\xa0🐶💕 We’re Live with ASPCA to watch this adoptable pup from NYC enjoy a very special surprise. \\n\\nMeet her here: https://thedo.do/3RN7isj',), ('i know you would say thank you if you could',), ('here’s a weekend gift from me to you',), ('ok who is as excited as i am for this',), ('that photo is just ✨chefs kiss✨',), ('just wanted to show you guys this pic of me looking at my unread emails this morning',), ('send help',), (\"You won't be able to choose 😻\\n\\n👉 https://thedo.do/3RVbcQg\",), ('admin breakfast',), ('Can’t believe they found her!\\xa0😮\\n\\nRead about the rescue here: https://thedo.do/3QccCEt',), ('The way she ran to him\\xa0💙\\n\\nSee the reunion here: https://thedo.do/3FfSLOy',), (\"Yo interested in a massive score? Huge payout low risk. Bit last-minute, but it's gonna be worth it. San Diego Convention center this Saturday. Gonna have a team of pros this go around so even the load and ensure success. You in?\",), ('Yeah I’m in. \\nLet me see how quick I could find a flight to get there',), ('Let me know when you land',), ('Excellent',), ('Yo. You around?',), ('they invented formal wear',), ('How did that get in there?\\xa0🐿️\\n\\nFind out here: https://thedo.do/3ZZMOyO',), ('17852533080@s.whatsapp.net',), (\"He'd never seen anything like this 😮\\n\\nRead more: https://thedo.do/3tynAeB\",), ('in a meeting but would rather be talkin to u',), ('if my boss is in here i’m jk! 🥰',), ('the real spooky season',), ('Read this if you dare 😱 👻🎃\\n\\n👉 https://thedo.do/3M9iBHK',), ('🤪 HAPPY FRIDAY (or whatever day it is where you are)!!!!!🤪',), ('here to make you un-bored because you’re my friends',), ('if you love me back just put a heart on this message (you better)',), (\"It's Reptile Awareness Day and we are VERY aware of this 14-foot reptile 🐍. \\n\\nRead the full story: https://thedo.do/3Q7aFIh\",), ('like? no notes',), ('i need to share one of my fav movie scenes literally ever',), ('soooooo',), ('They never lost hope 😭\\n\\n👉 https://thedo.do/3SdX3xz',), ('Cat or void? 🐈\\u200d⬛ \\n\\nRead to find out: https://thedo.do/3QmdUgl',), ('ITS DAY 1',), ('All she wanted was her happily-ever-after 😭\\n\\nRead her story: https://thedo.do/3NViC3b',), ('i wish you guys could respond to me 😣 but if i see you talking about me on social ill try to respond in here !!!!!',), (\"He almost didn't notice her 🥺\\n\\nRead more: https://thedo.do/3UuKLlB\",), ('This dog rescuer got a devastating call 💔\\n\\nRead more: https://thedo.do/42F6Vnm',), ('Someone was trapped inside! \\n\\nRead to find out what they found \\U0001f979 https://thedo.do/3w7RmZ3',), ('i’m in my feelings',), ('They can’t tell what kind of animal this is 👀\\n\\nRead more: https://thedo.do/3QSqtQg',), ('GOOOOD MORNING CUBBBBIES',), ('Hey bud. Hope it’s more secure here',), ('I’m with the gang but they have someone at the table across',), ('Yes sir. Super nice.',), ('Occasionally off but otherwise ok. 🤣',), ('lol\\nComing? Need you to intro if you could',), ('I’m shy with girlz',), (\"Of course, my dude. Pretty sure she's available. Last dude was a prick like cacti b.\",), ('Are you still alive?',), ('Yeah. Had good time\\nThanks for the intro to Sharon.',), ('We even met earlier but I know she has to leave today',), ('Werd.',), ('She’s actually really cool 😎',), (\"That sucks. How'd it go?\",), ('We will follow up',), ('Nice! Glad you hit it off.',), ('But I’m in a meeting and was wondering if you have anything for me for later?',), (\"Sure. Let's connect later. I've got a couple of meetings myself coming up.\",), ('I’m at the Cloud9 \\n\\nBattery about to die. Coming here?',), (\"I'll be at the main hall tomorrow morning.\",), ('Nah, in another meeting over here.',), ('EMILY IN PARIS FIRST LOOOOKS! (coming aug 15)',), (\"Good after party of you're interested\",), ('Safe travels. It was great to see you as always, and productive . 😀',), ('Till next time. \\nWe need to work on what we’ve discussed before Salt Lake',), ('Of course. Hows it going with Sharon?',), ('Haven’t talked to her since she left I know she got bit busy but we had some nice discussion about some very nice ideas 💡 \\nStill digesting',), ('Awesome!',), ('Bro. Almost got shot today.',), (\"What the hell you'd do?\",), ('https://x.com/emergencystream/status/1800602193025769961?s=46',), ('Was just heading back to the Marriott from that peach tree center',), ('And people pushed us on the way, shouting active shooter',), ('Lol. I thought like you were getting shot at.',), ('Almost as bad. Sheesh.',), ('Me too. Mass shooting. I bailed',), ('Well I’m grabbing dinner now. Got lots of popo here now',), ('I bet. Def lay low.',), ('Btw. Have you heard from Sharon lately?',), (\"Sorry, missed this. No, I haven't. She's been unusually quiet.\",), (\"You didn't make her mad, did you? 🤣\",), ('Well I hope not',), ('If you see them tell them I said hello.',), ('I know those two!',), ('Wilco',), ('No kidding! How did it go?',), ('S is missing you a little, I think. When did you last talk to her?',), ('Trying to reach out to her on Signal but I get no signal.',), ('She said she got kicked out. Trying now again. Weird',), ('okay cubbies i gotta go to bed now. good night (morning/afternoon) ily sweet dreams 🌙✨💤',), ('i’m with the That ‘90s Show cast right now and they wanted to say HIIII',), ('how rude of me… GOOD MORNING AFTERNOON NIGHT CUBBIES',), ('Happy Sunday wine 🍷',), (\"Lucky you. Was stuck doing paperwork all day yesterday. I could've used some of that. It would have made the process much more fun.\",), ('HI CUBBIES!!',), ('{\"auto_add_disabled\":true,\"author\":\"5359042582@s.whatsapp.net\",\"show_membership_string\":false,\"is_initially_empty\":false,\"context_group\":null,\"parent_group_jid\":\"120363294790600721@g.us\",\"should_use_identity_header\":false,\"reason\":4,\"parent_group_name\":\"Citi tudy group209\",\"is_parent_group_general_chat\":false,\"is_open_group\":false,\"subject\":null}',), ('{\"is_open_group\":false,\"parent_group_jid\":\"120363294790600721@g.us\",\"reason\":0,\"auto_add_disabled\":true,\"should_use_identity_header\":false,\"author\":\"5359042582@s.whatsapp.net\",\"is_initially_empty\":false,\"is_parent_group_general_chat\":false,\"parent_group_name\":\"Citi tudy group209\",\"subject\":null,\"context_group\":null,\"show_membership_string\":false}',), ('Citi tudy group218',), ('{\"updated_description\":\"This is the Citi World Crypto Market, a club that brings together investment-friendly exchanges around the world. Here, you can exchange experiences and discuss with high-end investors. Professional market signal guidance and analysis provides you with accurate information to achieve a win-win situation. Friends from all over the world are welcome to share investment experience and insights.\"}',), ('🙋\\u200d♀️🙋\\u200d♀️🙋\\u200d♀️ *Hello everyone, welcome to the Citigroup club, this club focuses on trading programs, we can communicate with each other, in order not to cause group members to disturbances, I hope you green speech, do not involve any race, religion and other political issues in the exchange!*',), ('13412133458@s.whatsapp.net',), ('13412133458@s.whatsapp.net',), (\"*In this club you can enjoy the following support from Mr. Andy Sieg's team:*\\n1, Trading signals in the crypto market\\n2, Trend analysis of the crypto market\\n3、Trading techniques of global mainstream markets\\n*I believe this club will be helpful to you.*\",), (\"*Welcome to all newcomers to the club. Don't be surprised why you're here. You should feel good. Every quarter, Mr. Andy Sieg picks some lucky people in the financial markets to become members of the Citigroup Club, with the aim of paving the way for Citigroup's foray into the crypto market, which will require some support.*\",), ('13213147461@s.whatsapp.net',), (' *Hello everyone, I am Lisena Gocaj, the team assistant of Mr. Andy Sieg of Citigroup, welcome to this community, it is a pleasure to see you all again, please continue to pay attention to this community. Mr. Andy Sieg will analyze the latest situation of the investment market at all levels from time to time, and tomorrow he will be in the community to share his many years of experience in the investment industry, and I hope to bring you a good learning and exchange! We hope to bring you a good atmosphere for learning and exchange! Currently our community group is open for group administrators for the time being, there are limited spots, if you are interested in this, please private message me for more details 💬☕️*',), ('*Many of you may not know who Andy Sieg Analyst is, so let me introduce you to him:*\\nAndy Sieg joined Citi in September 2023 as Head of Wealth. He is a member of Citi’s Executive Management Team.\\n\\nAndy was previously the president of Merrill Wealth Management, where he oversaw a team of more than 25,000 people providing investment and wealth management services to individuals and businesses across the U.S. He joined Merrill Lynch in 1992, and previously held senior strategy, product and field leadership roles in the wealth management business.\\n\\nFrom 2005 to 2009, Andy served as a senior wealth management executive at Citi. He returned to Merrill Lynch in 2009 after the firm’s acquisition by Bank of America. Earlier in his career, Andy served in the White House as an aide to the assistant to the President for Economic and Domestic Policy.',), ('*1 .Financial consulting and planning:* \\nWe all know that everyone has different jobs, incomes and expenses. Therefore, various lifestyles have been formed, but with the continuous development of the economy, our living standards are also constantly improving, but there are always some reasons that affect our lives. For example, wars, viruses, conflicts of interest between countries and regions can lead to inflation that can throw our families out of balance. Therefore, financial advice and planning are very necessary.',), ('*Now let me describe what Citigroup can position to offer investors?*',), ('*2.Private Wealth Management*\\nBased on our understanding of investors, we will provide investors with suitable investment brokers, help investors with wealth management, focus on talents, and provide a wealth of strategic wealth management services for investors to choose from. It is mainly reflected in two aspects: the autonomy is clear and more precise financial allocation can be made; on the other hand, these financial analysts are investments with rich practical experience and expertise in portfolio and risk management (global perspective). Brokers, offering investors a wide range of products and services.',), ('*3.Portfolio*\\nBased on the principle that investment comes with return and risk, our cryptocurrency research and investment department will create solutions that are both offensive and defensive to help investors reduce or avoid risks and achieve wealth appreciation, which is one of our original intentions and cooperation goals.',), ('*4.Set investment scope and diversify investment products* \\nWe will formulate a variety of investment strategies through research, investigation, report analysis, news tracking, sand table simulation exercises, etc. according to the needs and risk tolerance of investors. Diversified investment products, such as open-end funds, closed-end funds, hedge funds, trust investment funds, insurance funds, pension funds, social security funds, bond market, stock market (including IPO), stock index futures market, futures market, insurance wealth management, Forex spread betting, encrypted digital currency contract trading and ICO, etc.',), ('13412133458@s.whatsapp.net',), ('5. Our financial analysts break down zero barriers and are both partners and competitors, making progress together and achieving win-win cooperation. Bain Capital has an excellent team of analysts. In a rigorously mature selection model, we place a heavy emphasis on sustainable investing, which provides dire compounding returns. For example, N. Gregory Mankiw\\'s economics book \"Principles of Economics\" talks about the importance of savings in the long-term real economy and the value created over time between investment and the financial system. A sustainable global financial system is also necessary to create long-term value. The benefits of this regime will belong to long-term responsible investors, thereby promoting a healthy development of the overall investment environment.',), ('How much can I start investing? Can I start with $5k?',), ('*There is no financial limit and almost anyone can participate.*',), ('*Significance of Bitcoin 1. storage 2. as a safe haven 3. free circulation 4. convenient and cheap means of cross-border transactions 5. world coin 6. blockchain technology*',), (\"*There are still many people who don't know what cryptocurrency is? Cryptocurrency is a non-cash digital payment method that is managed and transacted in a decentralized online payment system and is strictly protected by banks. The rise in cryptocurrency prices in recent years has driven further growth in the market, and the asset's attributes as a reserve are being recognized by the majority of the world's population.*\",), ('I wonder what projects this group of analysts are sharing to invest in? Is this really profitable?',), ('17625243488@s.whatsapp.net',), ('*BTC smart contract trading is a two-way trading mechanism. For example, if you have a long BTC order and you choose \"buy\", you will make a profit when the BTC price rises. If you have a short BTC order and you choose \"sell\", you will make a profit when the BTC price falls.*',), (\"*Everyone has heard of or understands the cryptocurrency represented by Bitcoin. Originally launched at $0.0025, Bitcoin peaked at nearly $75,000. Investors who have created countless myths and achieved financial freedom. Everyone who is in the current investment hotspot can easily profit. When you don't know what Bitcoin is, it's leading the cryptocurrency era as a new thing, a special model of value that exists without borders or credit endorsements. In the future, a Bitcoin could be worth hundreds of thousands of dollars.*\",), ('What is BTC smart contract trading? Never heard of such an investment program. How does this work?',), (\"*Due to the Fed's rate hike and tapering, US inflation has reached very high levels, which has directly led to a crash in the US stock market and cryptocurrency market. There is a lot of uncertainty in the investment market right now and I think the best way to invest right now is BTC smart contract trading. Even using a small amount of money in contract trading will make you more profitable, both up and down, everyone can profit from it, very convenient way to invest. Contract trading is a financial derivative. It is a trade related to the spot market. Users can choose to buy long contracts or sell short contracts, determine the highs and lows of the futures contract being traded, and the rise or fall in price to make a profit. Buy and sell at any time and utilize leverage to expand capital multiples for easy profits. Take Profit and Stop Loss can be set flexibly and the system will automatically close the position according to the investor's settings. It has a one-click reversal function when the investor thinks the market direction is wrong. So I intend to make everyone familiar with cryptocurrencies through BTC contract trading and make money through investment, so as to gain the recognition and trust of our Bain Capital investors.*\",), ('🌙🌙🌙*Good evening, everyone. I am Lisena Gocaj, assistant to Andy Sieg, an analyst at Citigroup. We are mainly engaged in BTC smart contract trading. We can provide trading signals for everyone and share real-time news of the crypto market every day. If anyone wants to know more about BTC smart contract trading or wants to join, you can click on my avatar to contact me. I will guide you how to register a \"Citi World\" trading account.*⬇️⬇️⬇️\\n*Good night!!!*',), ('Hello, beautiful Ms. Lisena',), ('*[Citi Financial Information]*\\n1. [South Korea\\'s presidential office: appointed Deputy Finance Minister Kim Byeong-Hwan as the head of the new financial regulator]\\n2. [Coinbase Chief Legal Officer: has responded to the SEC\\'s blocking of Gensler from conducting a reasonable investigation]\\n3. [Russia Considers Permanent Legalization of Stablecoins for Cross-Border Payments]\\n4.[Bitwise: Ether is one of the world\\'s most exciting tech investments]\\n5.[U.S. Congresswoman Cynthia Lummis: The U.S. Will Become the Land of Bitcoin]\\n6.[Biden reaffirms determination to run: No one is forcing me to drop out]]\\n7. [UN and Dfinity Foundation Launch Digital Voucher Pilot Program in Cambodia]]\\n8. [Fed Minutes: Majority of Officials Believe U.S. Economic Growth Is Cooling]\\n9. [French AI lab Kyutai demos voice assistant Moshi, challenges ChatGPT]\\n10. [ECB Governing Council member Stournaras: two more rate cuts this year seem reasonable]\\n11. [British voters call on candidates to take cryptocurrency issue seriously]\\n12. [Fed minutes: Fed waiting for \"more information\" to gain confidence to cut rates]\\n13.[Author of Rich Dad Poor Dad: Technical Charts Show Biggest Crash Coming, Long-term Bull Market Cycle to Begin by End of 2025]]\\n14.[Binance US: ready for the next lawsuit filed against the SEC]',), ('*Without contempt, patience and struggle, you cannot conquer destiny. All success comes from action. Only by daring to act can you achieve success step by step. Hello friends! I wish you a good day and make more money with analysts. 🎊🎊🌈🌈*',), ('*Hello everyone, I am Lisena Gocaj, the team assistant of Mr. Andy Sieg of Citigroup, welcome to this community, it is a pleasure to see you all again, please continue to pay attention to this community.Mr. Andy Sieg will analyze the latest situation of the investment market at all levels from time to time, and tomorrow he will be in the community to share his many years of experience in the investment industry, and I hope to bring you a good learning and exchange! We hope to bring you a good atmosphere for learning and exchange! Currently our community group is open for group administrators for the time being, there are limited spots, if you are interested in this, please private message me for more details 💬☕️*',), ('OK, I sent you a message, looking forward to it...',), ('*Analysts will provide BTC smart contract trading strategies at 5:00pm (EST). Anyone who contacted me yesterday to set up a trading account can log into your Citi World trading account to get ready. Easy to follow and profit from strategic trading within the group.*',), ('Hello, beautiful Assistant Lisena Gocaj, I am so glad to receive your blessing. I look forward to watching analysts share trading signals today',), ('Finally able to trade again, since the last time analysts notified the market volatility to stop trading, it has been more than a week.',), ('First you need a Citi World Trading account and a crypto wallet to buy cryptocurrencies for trading. You can click on my avatar to send me a message and I will guide you and get started.',), ('Wow, I earned so much in just a few minutes, which is equivalent to my salary for many days.',), ('OK, I registered and deposited $5,000 yesterday, looking forward to the profit you can bring me😎',), ('Lisena, I want to join you, how can I do it, I want to get the same profit as them',), ('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',), ('Hi Lisena, I have registered and funds have been transferred. When can I start trading?',), ('*3. Cryptocurrency Investing*\\n*Cryptocurrencies can provide investors with diversification from traditional financial assets such as stocks and bonds. While the cryptocurrency market has a limited history of price movements relative to stocks or bonds, prices so far appear to be uncorrelated with other markets. This can make them a good source of portfolio diversification. By combining assets with minimal price correlation, investors can achieve more stable returns.*',), ('*The first is inflation. If we don’t invest, it means that our purchasing power will gradually be eroded. In the past few years, everyone has had to have a direct experience of the price increases caused by Covid-19. You can go to the Bureau of Labor Statistics website to check the changes in the price index over the past few months, the past few years, and even the past thirty years.*',), ('*2. Financial management*\\n*Stocks, mutual funds and bonds are the three main types of financial investments in the United States. Among them, stocks are more risky, while mutual funds and bonds are less risky. Currently, you can follow the trading plan given by Bain Capital, and the subsequent investment portfolio will be combined according to your financial situation.*',), ('*Data shows that inflation in 2021 is at its highest level since 1982, and inflation will be higher in 2022. Rising costs of food, gas, rent and other necessities are increasing financial pressures on American households. Demand for goods such as cars, furniture and appliances has increased during the pandemic, and increased purchases have clogged ports and warehouses and exacerbated shortages of semiconductors and other components. Covid-19 and the Russia-Ukraine war have severely disrupted the supply chain of goods and services, and gasoline prices have soared.*',), ('Analyst. You are absolutely right that my life has become a mess due to the current economic crisis in the US. Hopefully a solution to my predicament can be found.',), (\"I think your analysis makes sense, we are suffering from an economic crisis that has hit a large number of employees' careers. The skyrocketing unemployment rate has also led to many terrorist attacks. So I hope to make more money in the right and efficient way to make my family live safer in a wealthy area.\",), (\"📢📢📢*Because today is Friday, in order to let everyone enjoy the upcoming holiday better, today's transaction is over. 💬☕️Members who want to participate in the transaction can also send me a private message, join the transaction now!*👇🏻👇🏻\",), ('*Inflation caused by rising asset prices, we can only get more wealth through financial management, so as not to fall into trouble. Below I will share with you some common investment and financial management in the United States.*',), (\"Hello everyone, I am your analyst Andy Sieg, let's talk about the advantages of managed funds:\\n*Advantage 1, can effectively resist inflation*\\n*Advantage 2, provide you with extra income and profits outside of work*\\n*Advantage 3, can provide security for your retirement life*\",), ('*1. Real estate investment*\\n*Currently, the total value of privately owned real estate in the United States has exceeded 10 trillion US dollars, far higher than other types of private assets. But it is worth noting that the high real estate taxes in the US housing market and the agency fees of up to 6% of the total house price when the house is delivered have invisibly increased the cost of holding and trading houses. Living and renting are more cost-effective. But if you want to get a high return by investing in real estate, it will be difficult.*',), (\"*Comparing the above investments, we can know that cryptocurrency investment is very simple and can make a quick profit. Everyone can trust our expertise. We are one of the largest investment consulting firms in the world. Our main responsibility is to maximize the value of our services for all types of investors. With professionally qualified analysts and cutting-edge market investment technology, we invest in you to build a long-term career. We seek to create an environment that promotes your professional and personal growth because we believe that your success is our success. When you recognize Citi Capital's investment philosophy and gain wealth appreciation, you can hire analysts from Citi Investment Research as brokers to bring sustainable wealth appreciation to your friends.*\",), ('What the analyst said makes perfect sense. I am new to the cryptocurrency market and I have heard similar topics from my friends that cryptocurrency is an amazing market. But I have never been exposed to it myself and it is an honor to be invited to join this group and I hope I can learn more about the crypto market here.',), (\"I agree with the analyst's point of view. I believe in the analyst's ability and Citi's strength.\",), ('*4. Insurance*\\n*Property protection is an important way of financial management, just like investment. Insurance products can provide people with various insurance products in the general sense, and obtain income tax exemption compensation when the family encounters misfortune. Protect your family for emergencies. The disadvantage is that the investment cycle is long and cannot be used at any time, otherwise there will be a loss of cash value, and the investment direction and information of insurance financial management are not open enough.*',), ('Dear friends, we will start sending trading signals next Monday. If you have any questions or have other questions, you can send me a private message and I will answer them in detail.',), ('Just landed 🛬 😮\\u200d💨',), ('*🌙🌙🌙Good evening everyone, I am Lisena Gocaj, assistant to Andy Sieg, an analyst at Citigroup. We are mainly engaged in BTC smart contract trading, providing trading signals and sharing real-time news of the crypto market every day. If anyone wants to know more about BTC smart contract trading, or wants to join, you can click on my avatar to contact me, and I will guide you on how to register a \"Citi World\" trading account. ⬇️⬇️⬇️*\\n*Good night!!! I wish you all a happy weekend*',), ('What are you doing up there???',), ('Just taking few days off here in the big 🍎 city then I’m headed towards Sharon, gonna hang out there and we set to go on cruise 🚢 \\nGonna be fun times',), ('*[Citi Financial Information]*\\n1. [Former U.S. Attorney General accuses federal regulators of trying to isolate the digital asset industry from the traditional economy]\\n2. [Dell founder may buy a lot of Bitcoin]\\n3. [After the British Labour Party won the election, the cryptocurrency industry called for the continuation of existing policies]\\n4. [JPMorgan Chase, DBS and Mizuho test Partior blockchain foreign exchange PvP solution]\\n5. [Federal Reserve Semi-annual Monetary Policy Report: Greater confidence in inflation is still needed before interest rate cuts]\\n6. [EU officials warn: Nvidia AI chip supply issues are being investigated]\\n7. [Financial Times: Trump\\'s election may trigger a \"second half of the year Bitcoin rebound\"]\\n8. [Nigerian officials: Detained Binance executives are \"in good condition\"]\\n9. [South Korea postpones virtual asset tax regulations until 2025',), ('💁\\u200d♀️Have a nice weekend everyone. First of all, congratulations to the members who followed the trading signals yesterday and successfully obtained a good net profit. Friends who have not registered a Citi trading account can send me a private message as soon as possible to register an exclusive trading account.',), ('*Dear friends, next teacher Andy will share some knowledge points about BTC smart contract transactions*',), ('We grow as we learn and hope analysts can share more knowledge about cryptocurrencies with us so we can understand better. This further determines our investment',), ('*What is a cryptocurrency?*\\n*Cryptocurrency is a digital asset product formed as a medium of exchange in a cryptographically secure peer-to-peer economic system. Use cryptography to authenticate and secure transactions and control the creation of other units. Unlike centralized banking systems as we know them, most cryptocurrencies operate in a decentralized form, spread across a network of computer systems (also called nodes) operating around the world.*',), (\"Thanks to Lisena's help yesterday, I already have my own Citi World trading account. Wait for analysts to share their professional trading advice.\",), ('*The investment strategy we currently choose at Citi World is BTC contract trading, but some investors still don’t know what cryptocurrency is? Not sure how cryptocurrencies work? Why More and More People Are Trading Cryptocurrencies. I will take the time to bring you detailed answers.*',), ('*How do cryptocurrencies work?*\\nCryptocurrencies are digital currencies created through code. They operate autonomously and outside the confines of traditional banking and government systems. Cryptocurrencies use cryptography to secure transactions and regulate the creation of other units. Bitcoin is the oldest and by far the most famous cryptocurrency, launched in January 2009.',), (\"*While COVID-19 has severely impacted your finances, why not plan for a better future for yourself and your family? If you want to earn a decent income, join us now. Keep up with Citi World's team programs. The Bitcoin futures investments we currently trade are suitable for all types of investors, whether you are a newbie or an experienced investor. You just need to follow the analyst's order recommendations, and if the analyst's investment forecast is correct, you can make an immediate profit.*\",), ('Monica, have a great weekend, I just increased my funds and I want to get more profit.',), ('Lisena, I have registered for a Citi trading account, but have not yet deposited funds.',), ('I used my profit from yesterday to buy a lot of wine and took it home. lol..',), ('*Cryptocurrencies have several advantages:*\\nTransaction speed, if you want to send money to someone in the United States, there is no way to move money or assets from one account to another faster than with cryptocurrency. Most transactions at U.S. financial institutions settle within three to five days. Wire transfers usually take at least 24 hours. Stock trades settle within 3 days.',), (\"*2. Low transaction costs*\\nThe cost of trading with cryptocurrencies is relatively low compared to other financial services. For example, it's not uncommon for a domestic wire transfer to cost $25 or $30. International money transfers can be more expensive. Cryptocurrency trading is generally cheaper. However, you should be aware that the need for blockchain will increase transaction costs. Even so, median transaction fees are still lower than wire transfer fees even on the most crowded blockchains.\",), (\"What??? Seriously?! That's awesome!\",), (\"You should've taken Sharon. She would've loved that.\",), ('*4. Security*\\nUnless someone obtains the private key to your cryptocurrency wallet, they cannot sign transactions or access your funds. However, if you lose your private keys, your funds will not be recovered.Additionally, transactions are protected by the nature of the blockchain system and the distributed network of computers that verify transactions. As more computing power is added to the network, cryptocurrencies become more secure.',), ('*3. Availability*\\nAnyone can use cryptocurrencies. All you need is a computer or smartphone and an internet connection. The process of setting up a cryptocurrency wallet is very quick compared to opening an account at a traditional financial institution. All you need is an email address to sign up, no background or credit check required. Cryptocurrencies provide a way for the unbanked to access financial services without going through a central institution. Using cryptocurrencies allows people who don’t use traditional banking services to easily conduct online transactions or send money to loved ones.',), ('Will be with her soooon',), ('17625243488@s.whatsapp.net',), ('That confidentiality is really nice.👍🏻',), ('this is true. I feel it deeply. When one of my cousins needed money urgently, I sent money via bank and was told it would take 2 business days to reach her account. My cousin almost collapsed when he heard this. If I knew how to pay with BTC, my cousin might not be devastated.',), ('*5. Privacy*\\nSince you don’t need to register an account with a financial institution to trade cryptocurrencies, you can maintain a level of privacy. You have an identifier on the blockchain, your wallet address, but it does not contain any specific information about you.',), ('Received, thank you analyst for your professional sharing.',), ('*6. Transparency*\\nAll cryptocurrency transactions occur on a publicly distributed blockchain ledger. Some tools allow anyone to query transaction data, including where, when and how much someone sent cryptocurrency from a wallet address. Anyone can see how much cryptocurrency is stored in the wallet.This transparency reduces fraudulent transactions. Someone can prove they sent and received funds, or they can prove they had funds to make a transaction.',), ('*7. Diversity*\\nCryptocurrencies can provide investors with diversification from traditional financial assets such as stocks and bonds. While the cryptocurrency market has a limited history of price action relative to stocks or bonds, prices so far appear to be uncorrelated to other markets. This can make them a good source of portfolio diversification. By combining assets with minimal price correlation, you can generate more stable returns.',), ('*8. Inflation protection*\\nMany people believe that Bitcoin and other cryptocurrencies are inflation-proof. Bitcoin has a cap. Therefore, as the money supply grows faster than the supply of Bitcoin, the price of Bitcoin should rise. There are many other cryptocurrencies that use mechanisms to limit supply and hedge against inflation.',), ('There are many ways to trade cryptocurrencies. One is to buy and sell actual digital cryptocurrencies on cryptocurrency exchanges, and the other is to use financial derivatives such as CFDs. CFD trading has become increasingly popular among investors in recent years because the trading tool requires less capital, allows for flexible trading using leverage, and allows investors to speculate on the performance of cryptocurrencies without actually owning the underlying asset. Profit from price changes.*',), ('Inflation has always bothered me and made me very frustrated',), (\"*Today's knowledge sharing ends here. I hope it can help you. If you have any questions or don't understand, you can contact my assistant Lisena, she will help you. In addition, if you want to join BTC smart contract transactions, you can contact Lisena, she will guide you how to participate.*\\n\\n🌹🌹I wish you all a happy weekend and hope you have a good weekend\",), ('Many people are now living financially insecure for a variety of reasons. Pandemics, lack of financial literacy, inability to save, inflation, unemployment, currency devaluation or any other reason can cause it. Often, financial insecurity is no fault of or the result of an individual. It’s a closed cycle of rising prices, falling currencies, and increased uncertainty about livelihoods and employment. However, digital currencies can at least alleviate this uncertainty, whether through transparency or fair use of technology that is accessible to all.',), ('Thanks to the analysts for sharing. Point out the various difficulties we face in life. I hope I can get your help in this group to solve the difficulties and get the lifestyle I want.',), (\"*🌹🌹🌹Dear members, have a nice weekend, today Mr. Andy's knowledge sharing is over, so please keep quiet and enjoy your weekend in order not to disturb other members' weekend break. If you have any questions about cryptocurrencies or if you are interested in investing in cryptocurrencies, you can send me a private message by clicking on my avatar and I will help you!*\",), ('*[Citi Financial Information]*\\n1. [Thai Prime Minister to announce digital wallet registration on July 24]\\n2. [Dragonfly partner Haseeb: Even in a bull market, issuing coins must go through the test of a bear market]\\n3. [Philippine official stablecoin PHPC has been launched on Ronin]\\n4. [Bitcoin mining company TeraWulf: Open to merger transactions]\\n5. [North Carolina Governor vetoes CBDC ban bill, calling it \"premature\"]\\n6. [Bithumb: Actively respond to South Korea\\'s virtual asset user protection law and set up a maximum reward of 300 million won for reporting unfair transactions]\\n7. [Judge dismisses programmer\\'s DMCA claims against Microsoft, OpenAI and GitHub]\\n8. [Financial Times: Former President Trump may return to the White House, which will trigger a sharp surge in the value of Bitcoin]',), ('BTC contracts are a very cool investment, we can make money whether the market is going down or up. I think it is one of the most effective investments to make our money grow fast!',), (\"*A lot of new people don't know what our group is and how to make money. I'll explain it here. This is a BTC contract transaction. Unlike stocks and options, we do not buy BTC to trade. We only predict trends, up or down. When our predictions are correct, investors who follow this strategy will make profits, and the profits will reach your investment account immediately. If you still don’t understand, you can message me privately.*\",), (\"*If you don't try to do things beyond your capabilities, you will never grow. Hello my friends! May a greeting bring you a new mood, and a blessing bring you a new starting point.*\",), ('Trading BTC \"contracts\" with analysts made me realize how easy it is to make money. This is an amazing thing.',), ('*Why does Citi World Group recommend investing in BTC contracts?*\\nStart-up capital is relatively low. Second, the time you spend on this investment is short enough that it won’t interfere with your work and family. Whether you are a novice investor or an experienced investor, this Bitcoin contract can bring you great returns.',), (\"Very good, thank you Lisena for your blessing, I am very satisfied with the trading last week. And got a good profit. This is a very cool start. Citigroup's professional analysts are very accurate in judging the market. Citi World Exchange deposits and withdrawals are very convenient. I like everything here\",), ('Because Citigroup has a large analyst team',), ('Why are Mr. Andy’s trading signals so accurate?',), ('In fact, this is my first exposure to investment. I am new to the investment market and have a good start in the BTC contract investment market. I like this group very much. All this is thanks to the efforts of Citi analysts.',), ('*How Bitcoin Contracts Work and Examples*\\n \\n*Let\\'s look at a concrete example, perpetual contract trading is a bit like you \"betting\" on the market.* \\n*Suppose the current price of BTC is $70,000, you think BTC will rise to $75,000 or even higher in the future, you can buy. Later, if the price of BTC does rise, you will profit. Conversely, if the price of BTC falls, you lose money.*',), ('*BTC perpetual contract trading advantages:*\\n1. Improve the utilization rate of funds: BTC perpetual contract transactions are margin transactions, and you can use the characteristics of leverage to open positions with smaller funds. Different exchanges offer different leverage.',), ('After listening to your detailed explanation, I have a deeper understanding of the BTC contract. Thanks for sharing',), ('*Some may wonder that BTC contracts and futures are one product, they are somewhat similar, but not the same. A BTC contract is a standardized contract stipulated by an exchange for a physical price transaction of BTC at an agreed price at a certain point in the future. The biggest feature of perpetual contracts is that there is no delivery date. Users can hold positions indefinitely and trade anytime, anywhere. There are flexible leverage multiples to choose from, and the price follows the spot and will not be manipulated.*',), ('*Take CME Group’s bitcoin futures contract as an example, its contract size is 5 BTC, and ordinary investors may not even be able to meet the requirements. Compared with perpetual contracts, the capital requirements will be much lower*',), ('OK, thanks for the knowledge sharing analyst. Let me learn a lot',), ('*4.Fast profit*\\nBTC fluctuates by 100-800 points per day on average, and the profit margin is large. As long as you judge the direction of the market every day, you can easily profit. Low handling fee: perpetual contract handling fee is only 2/10,00',), ('*3. Flexibility of trading orders*',), ('*5. Trading hours*\\n24 hours a day, no trading expiration date, especially suitable for office workers, you can make full use of spare time for trading',), ('At present, the exchanges we cooperate with provide 100X leverage, and you only need to use your spare money when trading. Use leverage to improve capital utilization and grow your wealth',), ('*2: BTC contracts can hedge risks*',), (\"Hedging refers to reducing risk by holding two or more trades that are opposite to the initial position. Bitcoin’s price action has often been worrying over the past year. In order to reduce the risk of short-term fluctuations, some investors will use BTC's perpetual contract transactions for hedging. Due to the wide variety of perpetual contracts, you can take advantage of its flexibility to make huge profits\",), ('Well, the principle of leverage is that I double my capital, so I trade with 100x leverage, which multiplies my capital by 100x. This is so cool.',), ('Taking 10:1 leverage as an example, assuming the current price of Bitcoin is $70,000, to buy 1 Bitcoin contract, the margin requirement is:1*$1*70000*10%=$7000.*With Bitcoin contracts, you can utilize $70,000 in an order of $7,000. Make big profits with small capital',), (\"Take Profit or Stop Loss can be set. When you are busy with work and worry about the order, you can set the point, when the price reaches the point you set, the system will automatically close the position for you, you don't need to pay attention all the time\",), ('*6.The market is open*\\nThe price is globally unified, the transparency is high, and the daily trading volume is huge, which is difficult to control. Strong analyzability, suitable for technical analysis T+0 trading: buy on the same day and sell on the same day, sell immediately when the market is unfavorable',), ('Very convenient, I can trade while enjoying my free time. Lying on the sofa also achieves the purpose of making money.',), ('Thanks to the analysts at The Citigroup for letting me know more about this BTC contract investment. I am getting more and more interested in this investment.',), ('*Combined with the above advantages of BTC perpetual contracts, in order to allow our partners to obtain huge profits, this is why the Citigroup recommends BTC contracts to everyone, which is the easiest way to make profits. When we reach a brokerage cooperation agreement, we will recommend a combination trading strategy that can make short-term quick profits and long-term value compounding profits. Long-term and short-term combination to maximize profit and value*',), ('*Today’s sharing ends here. Friends who don’t have a BTC smart contract trading account can contact me for help*',), ('*Victory is not a pie in the sky, but a glory that we have built bit by bit with our sweat and wisdom. Every challenge is a step for our growth, and every struggle brings us one step closer to our goal.*',), ('*Hello everyone, a new week has begun. I am Lisena, focusing on BTC smart contract transactions. I am your exclusive customer service. If you have any questions in the investment market, you can click on my avatar for free consultation!*',), ('*Congratulations to all members who participated in the transaction and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',), ('You made so much money in such a short time?',), (\"Yes, we should thank Andy's analyst team. Without them, there would be no such accurate trading signals.\",), ('*Thursday, July 11: United States – Initial Jobless Claims. The last reading was 238K. A weaker number could be welcomed by the market, which is looking for a weak job market so that the Fed is more confident in cutting rates, which could push Bitcoin prices higher.**Friday, July 12: United States – PPI (mo/mo) (June). The Producer Price Index is crucial in determining inflation risks. The market is hoping to see reassuring signs that producer and consumer price inflation continue to normalize, which could have a stabilizing effect on Bitcoin*',), ('ETH etfs were deemed unimportant, ETH price was manipulated down weeks before launch, wake up everyone, you all know the opposite will happen, this is crypto',), ('*Good afternoon everyone. Today I would like to share with you Citigroup in the club and introduce Citigroup Financial’s solutions to the inflation caused by rising asset prices. I hope it will be helpful to you after you learn more about us.*',), ('ETH ETF to be available next week? Expect unexpected things to happen',), ('Thank you very much, I can make money every day',), ('I think SOL will rise fast, just like what happened to ETH when the BTC ETF rose',), ('Big week for crypto is coming up! Bitcoin bottoms, Congressional crypto hearing, SEC Ethereum',), ('*Key macroeconomic events this week that could impact BTC prices:*\\n*Tuesday-Wednesday, July 9-July 10: United States – Federal Reserve Chairman Jerome Powell testifies. Powell will testify before the Joint Economic Committee on the economic outlook and recent monetary policy actions. Markets will be looking for signals of an upcoming rate cut, which could drive BTC prices higher.**Thursday, July 11: United States – CPI (mo/mo) (June) (expected: +0.1%). A weaker change in CPI could make the market think that the Fed will cut rates faster, which could have a positive impact on the cryptocurrency market.*',), (\"Thanks again Lisena for writing, had a great weekend and hope to make money again today. I don't want to miss any trading opportunities\",), ('I was worried about this at first, but I made $650 in a few minutes.',), ('I know that a diverse team and investment helps every investor better. Citi can grow better only by helping more people succeed \\nIs my understanding correct?',), ('Hello, Mr. Andy~! Nice to see you again. I am very satisfied with the profit of the non-agricultural plan and look forward to more such transactions',), ('*A diverse and inclusive community is our top priority* \\n*At Citi, we know that diverse teams ask better questions, and inclusive teams find better answers, better partners, and ultimately help us build a better business.* \\n*Our way:* *We seek to build lasting partnerships based on trust and credibility* \\n *See how we do it* \\n*Through our scale and broad reach, our team is able to provide a truly global platform*.',), (\"*As the world's leading financial institution, Citi's mission is to drive sustainable economic growth and financial opportunity around the world, and to translate current trends and insights into lasting value.* \\n \\n*We work together to create long-term value for our investors, companies, shareholders, individuals and communities* \\n \\n*Our expertise.* \\n*Deep industry knowledge* \\n*Strong corporate culture* \\n \\n*We use our expertise in various business areas to ensure the best solutions for our partners and companies*\",), ('This reinforces my belief that Citi has a presence in many areas. As a company with a long history of more than 200 years, it is a very successful existence',), ('Thank you Mr. Andy for sharing. I believe these indicators can help me analyze the market more accurately in future transactions.',), (\"You're right, but I need to know more about Citi to see what value he can create for us.If I find Citi valuable to us \\nI will make the right choice.\",), ('*Calculation formula and Description of ahr999 Index:* \\n*Old players in the currency circle have heard of \"ahr999 index\". This is an indicator invented by a veteran player of \"ahr999\" to guide investors to hoard bitcoin. In layman’s terms, it is an indicator of whether a currency is expensive or cheap. According to the calculation method of this index, when the ahr999 index is lower than 0.45, it means that the currency price is super cheap and suitable for bottom hunting; when the ahr999 index is higher than 1.2, it means that the currency price is a bit expensive and not suitable for buying, and the index between 0.45-1.2 means it is suitable for fixed investment.* \\n*ahr999 index = current price /200 days cost/square of fitted forecast price (less than 0.45 bottom hunting, set a fixed investment between 0.45 and 1.2, between 1.2 and 5 wait for takeoff, only buy not sell).* \\n*The ahr999 index focuses on hoarding between 0.45 and 1.2, rather than bottom-huntingbelow 0.45.* \\n*ahr999x = 3/ahr999 index (ahr999x below 0.45 is the bull market’s top area, note that this formula is for reference only)*',), (\"*Reviewing the technical indicators shared today: 🔰 Rainbow Chart (monitoring price changes)* \\n*🔰 Top Escape Indicator (identifies bottoming times and buy signals) 🔰 Bubble Indicator (comprehensive reference to valuation levels and on-chain data opinion data to reflect the relative value of bitcoin)* \\n*🔰 Ahr999 Tunecoin Indicator (reflects short-term market price decisions) 🔰 Long/Short Ratio Indicator (analyzes short/long term market long/short ratios)* \\n*🔰 Greedy Fear Indicator (determines where market sentiment is headed) Well, that's it for our market reference indicators for today, I hope you will read them carefully and apply them to our future trading. If there is something you don't understand, or if you are interested in the market reference indicators I shared, members can contact William to receive the indicator knowledge*\",), ('*Bitcoin long/short ratio:As we all know, we are a two-way trading contract, so the market long/short ratio is an important analysis index we need to refer to.* \\n*From the long/short ratio of bitcoin, we can grasp the bearish sentiment of the market and some major trends. If the long/short ratio of bitcoin is less than 40%, it means that the proportion of short selling is relatively large, and most people predict that the market will fall more than rise. Conversely, if the long/short ratio of bitcoin is more than 60%, it means that most people in the market believe that the market will rise more than fall.According to your own investment strategy, the market long/short ratio from the 5 minutes to 24 hours is a good reference for us to judge the short-term market sentiment.*',), ('*And the greed and fear index, which we see every day, is no stranger to old members, so let\\'s share it with new members* \\n*What is the Bitcoin Fear and Greed Index?* \\n*The behavior of the cryptocurrency market is very emotional. When the market goes up, people tend to be greedy and have a bitter mood. When the market goes down, they react irrationally by selling their cryptocurrencies* \\n*There are two states:* \\n*Extreme fear suggests investors are too worried and could be a buying opportunity.* \\n*Too much greed is a sign that investors are overexcited and the market may adjust.* \\n*So we analyzed the current sentiment in the bitcoin market and plotted it on a scale of 0 to 100.* \\n*Zero means \"extreme fear\" and 100 means \"extreme greed.\"* \\n*Note: The Fear index threshold is 0-100, including indicators: volatility (25%) + market volume (25%), social media (15%), fever (15%) + market research +COINS percentage of total market (10%) + Google buzzword analysis (10)*',), ('*Rainbow Charts:* \\n \\n*Is intended to be an interesting way to observe long-term price movements, without taking into account the \"noise\" of daily fluctuations. The ribbon follows a logarithmic regression. This index is used to assess the price sentiment range that Bitcoin is in and to determine the right time to buy.* \\n \\n*The closer the price is to the bottom of the rainbow band, the greater the value of the investment; the closer the price is to the top of the rainbow band, the greater the bubble so pay attention to the risks.*',), ('*Bitcoin escape top index · Bottom buying signal interpretation*\\n*Intended to be used as a long-term investment tool, the two-year MA multiplier metric highlights periods during which buying and selling bitcoin would generate outsize returns.* \\n*To do this, it uses a 2 Year Moving Average (equivalent to the 730 daily line, green line), and a 5 times product of that moving average (red line).* \\n*Historically:* \\n*When the price falls below the 2-year moving average (green line), it is a bottom-buying signal, and buying bitcoin will generate excess returns.* \\n*When the price exceeds the 2-year average x5 (red line), it is a sell signal to escape the top, and the sale of bitcoin will make a large profit.*\\n*Why is that?* \\n*As Bitcoin is adopted, it goes through bull-bear cycles, with prices rising excessively due to over-excited market participants. Similarly, prices falling excessively due to participants being too pessimistic. Identifying and understanding these periods can be beneficial to long-term investors. This tool is a simple and effective way to highlight these periods.*',), ('*What is sustainable investing?* *Sustainable investing integrates environmental, social and governance factors into investment research and decision-making. We believe these factors are critical to the long-term value of an investment*',), ('As a global financial group with two hundred years of history, I firmly believe in the strength of Citigroup',), ('*The Bitcoin Bubble index consists of two main components:* \\n*The first part is the ratio of bitcoin price to data on the chain (after normalization), which indirectly reflects the valuation level of bitcoin price relative to the data on the chain.* \\n*The second part consists of the cumulative price increase and public sentiment, indirectly reflecting the overall comprehensive performance of Bitcoin in the market and the community. Other parameters are mainly used for numerical standardization to make the data additive or comparable.* \\n*Compared with the hoarding index, the bubble index takes into account many factors related to bitcoin (on-chain data, public opinion data, etc.), which has the same effect. The two can be complementary when used.*',), ('Each of the 6 indicators today is very important, and it also made me realize that trading cannot rely on any one indicator, and more indicators are needed to combine judgments. This is a bit difficult, and I still need time to adapt',), ('*Better business, better results* \\n*We always insist on putting the interests of our customers first. We can get good commissions only when our partners get better profits. This will be a mutually beneficial cooperation.*',), ('Buffett often says , \"Nobody wants to get rich slowly.\"',), ('*We have a diverse and inclusive team better insights* \\n \\n*We have a well-established product control team that monitors transactions, trading patterns and entire portfolios to assess investments and risks. We are the dealing desk and risk management, in-depth analysis, communicating with different stakeholders and handling team issues. I have many projects running in parallel to review controls, improve processes and innovate digital transaction models.*',), ('*I believe everyone has a better understanding of Citi, and now I will start sharing some indicators so that you can take notes when you have time.*',), ('*Good evening everyone, I am Lisena. If you don’t have a contract trading account yet, if you don’t understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me, good night everyone👇🏻👇🏻👇🏻*',), ('*Recently, the Bitcoin and Ethereum markets are adjusting, and the upward trend is very slow, which is not a good thing for investors holding Bitcoin and Ethereum. Fortunately, the Bitcoin and Ethereum markets continue to fluctuate sharply every day, which provides more trading opportunities for our contract trading.*\\n*If friends want to participate in or learn more about cryptocurrency contract trading, you can send a private message to my assistant Lisena, good night.*',), ('The rainbow indicator left a deep impression on me because it is colorful and looks relatively simple, which is suitable for me at this stage hahaha',), ('MISSED YOU SM',), ('Good afternoon Lisena, yes I have learned a lot about trading here',), ('*[Citi Financial Information]*\\n1. [The Republican Party of the United States expressed support for a number of crypto policy measures in its official 2024 party platform]\\n2. [Founder of Fairlead Strategies: I strongly agree to add Bitcoin to the portfolio]\\n3. [Morgan Stanley Strategist: US stocks are very likely to pull back 10%]\\n4. [White House: Biden has not received treatment for Parkinson\\'s disease]\\n5. [Singapore court ruled in favor of Fantom Foundation to win the lawsuit against Multichain]\\n6. [Dubai Customs launches blockchain platform to improve operational transparency]\\n7. [Biden: I will be the Democratic presidential candidate]\\n8. [Japanese manga \"Attack on Titan\" will enter the crypto game world through cooperation with The Sandbox]\\n9. [Fox reporter: Former SEC policy director Heather Slavkin Corzo will join public policy company Mindset]\\n10. [Bank of France and Hong Kong Monetary Authority announced cooperation on wCBDC]\\n11. [Vitalik: The electric vehicle field relies on software updates and needs to adopt more open source models]',), (\"*But please remember that great mariners never fear the wind and waves, because they know that only by setting sail can they reach the unknown shore. In Citi World platform, we not only provide you with a safe and transparent investment environment, but also have a professional team to accompany you through every important moment.*\\n*Today, let us set sail together, toward a broader financial ocean. Here, every transaction may become a turning point in your life, and every decision may lead you to a new peak. Don't be afraid of the unknown, because every attempt will be the most valuable treasure in your life.*\",), ('how many of you are BIGGGGGGG umbrella academy lovers 👀👀👀👀👀☔️☔️☔️☔️☔️☔️☔️☔️',), ('For the first time ever, BTC is one of the key components of a major political party platform.',), (\"*Now, let's join hands and start this exciting journey together! In Citi World platform, your dream, will not be far away.*\",), (\"Trump's big cryptocurrency push, and I think it's like a coming bull market.\",), ('If you are not willing to take the usual risks, you have to accept what life throws at you. True success is not whether you avoid failure, but whether it allows you to learn from it and choose to stick with it. There is no secret to success. It is the result of preparation, hard work, and learning from failure.\\nHi, good morning everyone, my name is Lisena Gocaj.',), ('Cryptocurrency is becoming a political issue. I think BTC will be the deciding factor in this election',), ('*In this era full of opportunities and challenges, every dream needs a starting point, and every success comes from a brave attempt. Are you ready to embark on the journey of wealth that belongs to you?**Imagine when you open your investment account in Citi World platform, it is not just a simple operation, it is a brand new start, the first step towards your dream. We understand your hesitation and concern, because behind every investor is the expectation of the future and the concern of risk.*',), ('BTC Inc. CEO David Bailey told Yahoo that he met with Donald Trump to discuss how to dominate BTC as a \"strategic asset for the United States.\"',), ('Trump was very much \"Make America Great Again\" when he talked about making Bitcoin a central part of his domestic strategy.',), ('*I am Lisena Gocaj. Our group focuses on cryptocurrency contract trading. I am your exclusive customer service. If you have any questions about the investment market, you can click on my avatar for free consultation!*',), ('I have been following this for a long time. If I want to participate, what should I do?',), ('Imagine if we traded 60,000 this week, all the bears would be dead 🐻😹',), ('Each trade gives me more confidence in trading',), (\"Absolutely groundbreaking! 🚀 David Bailey meeting with Trump to discuss Bitcoin as a strategic asset is a huge step forward. Recognizing BTC as a key component of a major political party platform is a game-changing decision.Bitcoin's future as a vital part of the U.S. economy is brighter than ever. Let's dominate the future with BTC\",), ('The bull market will be wild and crazy',), ('I am so ready for this',), ('i maaaaaay have something rly cool for some of u 😬😬😬😬',), ('I read everything the analysts on the panel shared. I see that Citigroup’s analysts have a keen insight into the BTC “contract market”, which makes me look forward to following such a responsible analyst team to victory. Please help me register a BTC \"contract\" account! Thanks!',), ('👆👆👆👆👆 \\n*This chart is a time-share chart of LUNA. At that time, the price of LUNA coin, which was $116.39, plummeted to $0.0002.* \\n \\n*Imagine if you traded a short order on LUNA at a cost of $10K. How much wealth would you have? A billionaire. This is the kind of miracle only a low cost coin can do in a short period of time* \\n👆👆👆👆👆',), ('*Good afternoon, club members. Today, we were invited to attend the Wall Street Financial Forum. As you can see, we discussed the 2024 Wealth Mindset Exchange Summit, hosted by David Thomas. The crypto market in 2024 is currently the most profitable project in the world. This also further determines the direction of our next layout. Many friends on Wall Street learned that our \"non-agricultural plan\" layout last week was very successful, and they are ready to do a larger-scale layout transaction with us. We will have a more detailed discussion tonight, so please wait for my news!*',), ('🐳🐳 *So what do whales do?* 🐳 🐳 \\n*A sharp rise or fall in the cryptocurrency market.* \\n*A buying or selling act equivalent to two forces in the market.* \\n*One is to short the price, and the other is to push it up. This is when a phenomenon called whale confrontation occurs.*',), ('*If anyone wants to join or want to know more about BTC smart contract transactions, you can click on my avatar to send me a message. I will explain it to you in detail and guide you on how to join.*',), ('👇👇👇*The red arrows represent bearish market price whales* 🐳',), ('*Good afternoon, club members. Today, Mr. Andy was invited to participate in the Wall Street Financial Forum. Mr. Andy shared with you the low-priced coins before. This is one of the directions we plan to invest in in the future. In order to let everyone better understand the relationship between the market and money, how to better avoid market risks and maximize profits. Now Mr. Andy has entrusted me to share with you how to identify whale behavior in the market.*\\n\\n*⚠️For the convenience of reading, please do not speak during the sharing process. After I finish speaking, you can speak freely*',), ('*One week has passed this month, and we have successfully obtained a 156.82% return. There are still three weeks left. We will inform all members of the accurate buying points of the daily trading signals in advance. You only need to follow the prompts to set up and you can make money. We will bear half of the losses. With such strength, what are you still hesitating about? Unless you are not interested in making money at all, or you are worried about some problems, you can click on my avatar for free consultation. Even if we cannot become a cooperative relationship, I still hope to solve any of your problems.*',), ('Analyst Mr. Andy previously said that BTC will break through $100,000 this year',), ('‼️ ‼️ ‼️ ‼️ *What is a whale? Let me explain it to you.* \\n*Whether you have a personal trading account in the cryptocurrency market, or a business trading account.* *You have more than 1000 bitcoins in your account to qualify as a whale.* \\n*The current price of Bitcoin is about $57,000. No matter how much bitcoin goes up or down, you need to have at least 1,000 bitcoins to be called a whale.* ‼️ ‼️ ‼️ ‼️',), ('*As Mr. Andy said, the contract market is dominated by money.*\\n*If you dare to take risks, you will change your destiny.*\\n*After all, the high-priced cryptocurrency market like BTC or ETH, its total market value accounts for more than 60% of the entire cryptocurrency market. Moreover, due to the large number of institutions and super-rich people in its pool, the market is relatively chaotic. Especially for traders with less funds, if they do not have some analytical ability, it is easy to be swallowed by whales in the market.*',), (\"👇 👇👇*The green arrow represents another whale trying to push up prices* 🐳🐳🐳 \\n*This will result in big ups and downs, which is the only risk we can't control.* \\n*In particular, a sudden whale activity in the middle of a trade can be very detrimental to our trade. This is common in high value coins.* \\n*In this case, if the cost of controlling the risk is lost, it will be eaten by the whale. Therefore, we must incorporate this risk into our trading. That's why Mr. Ernesto Torres Cantú often reminds people that it is better to be wrong on a trend and to miss a trade than to take more market risk*\",), ('*That is to say, if you go in the opposite direction from the whale, you are at risk of being eaten by the whale. This is one of the core of our contract trading. Going with the trend and following the movement of the whale to capture the short-term trend is our profitable strategy. However, with the increase in the number of club members and the rapid growth of funds, we have a new plan. We are not following the movement of the whale, but we want to make ourselves a big whale market. Our every move will affect the direction of the market. This is also Mr. Andy’s feeling after the recent transaction. Well, today’s knowledge about the trend of whales is shared here. Tomorrow, Mr. Ernesto Torres Cantú will announce the specific content of our trading plan in July. Please wait patiently!*',), ('Yes, if this continues and we don’t have a stable source of income, life will definitely become very bad. I still need to pay about $900 in real estate taxes every year',), ('There is no limit to the amount of money invested',), ('*There are no restrictions on the funds you can invest. For the current zero-risk activity, our analyst team recommends starting with $20K to participate in the transaction. After all, in the investment market, the less money you have, the greater your risk. We also need to consider the safety of your funds.*',), ('*We cannot control what is happening. We can only increase our savings before all the disasters come, so that we and our families can live a better life. No matter what emergencies we encounter, we have enough money to face the difficulties. Money is not everything, but without money, nothing can be done.*',), ('*So how can we save more?*\\n*1 Work?*\\n*The purpose of work is to make money so that our family and ourselves can live a better life, but the work pressure is very high now.*\\n*Hard work will cause great damage to our body, which will make our family worry about us, and in serious cases, we will go to the hospital. It is really painful to pay the hard-earned money to the hospital. So we must change the way we make money now, relax our body and make our life easier, because inflation is getting worse and worse, prices are rising, only our wages are not rising. If this continues, our lives will only get worse and worse. We need to spend a lot of money in the future.*',), ('*3. Invest in real estate?*\\n*As I said above, it was indeed very easy to make money by investing in real estate in 2008, but now due to the epidemic, war, global economic downturn, and increasingly serious bubble economy, the real estate market share has reached saturation. We may get a small piece of the whole cake, but now the cake is only 10/2. Can we still make money so easily?*',), ('Do I have to use $1000 to trade?',), ('Lisena, you are really responsible and gentle',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 50%\\nPurchase Price Range: 57700-57400',), (\"Don't hesitate, the opportunity to make money will not wait for us. I also want more trading signals like this every day.\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('Lisena, I agree with you',), ('Great, thanks to the analyst',), ('😤It’s a pity that my funds have not been deposited into the trading account yet, otherwise I would have made so much money today.',), (\"I don't think investment is gambling. The essence of gambling is that the success rate is only 50%. After thinking for a while, I think Mr. Andy has strong analytical ability and a high winning rate. In the afternoon, I created a trading account with the help of Lisena and will deposit funds to participate in the transaction as soon as possible.\",), (\"I'm ready, Lisena\",), ('Man, get in on the trade early and you’ll make more money.',), (\"Yes, I have been looking forward to today's trading signal as well.🤩\",), (\"OK, I can't wait to get in on the trade.\",), ('*With the escalation of war, the global energy crisis and other international issues, although the Federal Reserve has raised interest rates several times in a row, reducing the severity of our inflation, it is still relatively serious. The entire European country is now facing a historic financial crisis. The escalation of political tensions between Russia and NATO will cause the entire European country to be implicated. If the price of the US dollar falls sharply, then we ordinary people will suffer.*',), ('*So, if you are thinking too much, why not give it a try, because you will never know what the result will be if you don’t try. We have a professional technical team and you have extra idle funds, so if we cooperate once, I believe the result will definitely make us all happy. Satisfied, through cooperation, we each get what we need, which is a good thing for us, because we have this strength, we dare to achieve zero-risk activities*',), ('*2. Invest in stocks?*\\n*I believe that many members have invested in stocks, but because they did not meet the right broker, they traded on their own and suffered losses. In the stock market, retail investors are destined to be eaten by big sharks, and the investment time is long and the returns are unknown. Our stocks can also have a short-selling mechanism, but can you grasp it? Professional matters must be handed over to professionals.*',), (\"*Dear friends, today's trading signal will be released at 8:30 p.m. EST. Please be prepared and contact me to receive the trading signal.*\",), ('17625243488@s.whatsapp.net',), ('17625243488@s.whatsapp.net',), ('Bitcoin has recorded its biggest drop in the current cycle, trading more than 26% below its all-time high. Despite this, the decline is still at an all-time low compared to past cycles',), (\"🌟🌟🌟*No matter how turbulent the market is, we can stay calm and decisive, which has always been the key to our success. Today's trading is over. When there is a suitable trading market, our analysts will start to guide everyone to trade Bitcoin contracts. Everyone should be prepared. 🌺If you have any of the following questions, please contact me immediately to help you solve them:*🌺\\n\\n🌹*(1) How does Bitcoin contract work?*\\n\\n🌹*(2) How to make money*\\n\\n🌹*(3) How to get started*\\n\\n🌹*(4) Is my money safe?*\\n\\n🌹*(5) 100% guaranteed profit*\\n\\n🌹*(6) Is there any professional guidance?*\\n\\n🌹*(7) How to withdraw funds from my trading account?*\",), ('*[Citi Financial Information]*\\n1. [Suriname presidential candidate: There is no infrastructure, so you might as well use Bitcoin]\\n2. [Head of Paradigm Government Relations: The U.S. House of Representatives voted to overturn the SAB121 CRA today]\\n3. [The Australian Spot Bitcoin ETF (IBTC) has accumulated 80 BTC since its launch]\\n4. [Chief Legal Officer of Uniswap Labs: Urges the US SEC not to continue to implement its proposed rulemaking work]\\n5. [Nigeria’s Finance Minister urges the country’s SEC to address cryptocurrency regulatory challenges]\\n6. [Bitwise CCO: Ethereum ETF “nearly completed”, SEC is open to other funds]\\n7. [Musk: xAI is building a system composed of 100,000 H100 chips on its own]\\n8. [Federal Reserve’s mouthpiece: Powell’s change hints that interest rate cuts are imminent]\\n9. [\"Debt King\" Gross: Tesla behaves like a Meme stock]\\n10. [Coinbase executive: The popularity of cryptocurrency needs to provide more beginner-friendly applications]',), ('*Good afternoon, yesterday we briefly talked about the whales in the cryptocurrency market. Many people don’t know about whales in the cryptocurrency market. Simply put, they are the big capital in the cryptocurrency market. Whether they can become big capital depends on the later trading situation. Today, Teacher Andy will share the details and timing of the Whale Plan. Friends who want to participate in this Whale Plan can click on my avatar to contact me.*',), ('Good morning, analyst.',), ('Thanks to the team at Citi for increasing our revenue, I believe our relationship will be long-lasting',), ('Both BTC and ETH are trending back a bit today, will this help us trade today',), (\"Good morning everyone, I'm Lisena Gocaj, our group specializes in trading cryptocurrency contracts, your dedicated customer service, if you have any questions about the investment market, you can click on my avatar for a free consultation! Due to the increasing number of our clients, we will randomly open communication privileges\",), (\"The 2023-2024 cryptocurrency cycle is both similar and different from previous cycles. After the FTX crash, the market experienced about 18 months of steady price gains, followed by three months of range-bound price volatility after Bitcoin's $73,000 ETF high\",), ('*Major macroeconomic events this week could affect the BTC price:*\\n*Tuesday-Wednesday, July 9-July 10: U.S. - Federal Reserve Chairman Jerome Powell testifies. Powell will testify before the Joint Economic Committee on the economic outlook and recent monetary policy actions. Markets will be looking for signals of an impending rate cut, which could push BTC prices higher.*\\n*Thursday, July 11: U.S. - CPI (MoM) (June) (Expected: +0.1%) A weak change in the CPI could make the market think that the Federal Reserve will cut interest rates sooner, which could have a positive impact on the cryptocurrency market.*',), ('🏦*The survey of 166 family finance offices conducted by Citi\\'s in-house team of economists found*\\n🔔 *62% of people are interested in investing in cryptocurrencies, a sharp increase from 39% in 2021.*\\n🔔 *26% are interested in the future of cryptocurrencies, up from 16% in 2021.*\\n🔔 *The number of respondents who are \"not interested\" in the asset class has dropped from 45% to 12%.*\\n🔔 *APAC family offices have a slightly higher allocation to cryptocurrency at 43%.*\\n🔔 *71% of family offices in EMEA are investing in digital assets, compared to 43% in APAC, a 19% increase from 2021.*',), ('*July Trading Program: 🐳The Whale Program🐳*\\n⚠️ *Plan time: 7.18~7.31 (end time depends on the actual situation)*\\n⚠️ *Plan strategy: divide the funds into two parts*\\n*⚠️*1. Set aside 50% of the funds to be transferred to the coin account as a reserve fund for new coin subscription (because the time of new coin issuance is uncertain, but we have to be ready to seize the market opportunity)* *Once we successfully subscribe to the new issuance of low-priced coins, we are pulling up through the funds that we have profited from the contract market, and we have mastered the original price advantage, and the profit is expected to reach 50~100 times, but it requires a huge amount of funds to pull up*',), ('Mr. Andy Sieg, when do we start trading whale programs. Looking forward to your wonderful sharing',), ('Bitcoin needs to wait for the CPI as yesterday Jerome Powell said the Fed is in no hurry to cut rates',), (\"*⚠️⚠️In order to ensure that we can protect ourselves from future financial crises and ensure our absolute dominance in the future cryptocurrency market, I will lead new and old members to grow new wealth in the cryptocurrency market in July and lay the foundation for Laying the foundation for us to become a dominant organization across multiple low-price coins in the future, Lisena Gocaj also shared with you the whale movement in the cryptocurrency market. In the past, our trading strategy was to follow the movements of whales. Now as the club's capital grows, we hope that in the future the club can become one of the whales in the market and dominate the short-term market trend. In the near future, the market will issue new tokens with lower prices, and in order to occupy the market, we need to accumulate more capital. In July, I will announce some details of our plan to achieve this great goal. Please listen carefully. ⚠️⚠️*\",), ('Uncertain why CPI remains in focus. Markets are not focused on the slowdown. I think inflation is in line with expectations, but not sure how anyone can be bullish without worrying. We are top-heavy',), ('*⚠️3.This program we have a strict plan for their own growth, so please prepare sufficient funds before the start of the program, in order to facilitate the management and reduce the pressure of statistics, we will be based on your initial funds to determine your participation in the program echelon, (midway not allowed to change) level echelon different, to obtain the profit and the number of transactions are also different, so would like to improve the trading echelon please prepare the funds before this week!*',), (\"🌏 *The World Economic Forum's Chief Economist Outlook highlighted that:*\\n🔔 *In 2024, there is uncertainty in the global economy due to persistent headwinds and banking sector disruptions*\\n🔔 *There is little consensus on how to interpret the latest economic data*\\n🔔 *Economic activity is expected to be most buoyant in Asia as China reopens*\\n*The chief economist's outlook for regional inflation in 2024 varied, with a majority of respondents expecting the cost of living to remain at crisis levels in many countries.*\",), (\"Tomorrow's CPI will still have a pretty big impact on the BTC price at this critical juncture, so that's another good news for us to engage in contract trading\",), ('*⚠️4. Members with funds of 100K or more will be led by me and can enjoy my one-on-one guidance.*\\n*⚠️ Note: Members who need to participate in the whale program, please report the initial funds to the assistant (Stephanie) to sign up, the quota is limited, please hurry!*',), (\"🌏 *According to the World Economic Forum's Future of Work 2023 report* 🌏\\n🔔 *Artificial intelligence, robotics, and automation will disrupt nearly a quarter of jobs in the next five years, resulting in 83 million job losses. The report shows that the media, entertainment, and sports sectors will experience the greatest disruption. However, it also predicts that 75% of companies will adopt AI technologies, leading to an initial positive impact on job growth and productivity.*\",), (\"🏦 *Citi's stats team's ranking of the top 10 cryptocurrencies by social activity shows that*\\n🔔 *Bitcoin tops the list with 17,800 mentions in April (as of the 11th), followed by Ether and PEPE with nearly 11,000 mentions each.*\\n*The rest of the market is dominated by lower-priced coins, which have received more attention from investors this year*\",), (\"I think if tomorrow's CPI does well, it can pull BTC back to $60,000\",), ('*⚠️2. Using the remaining 50% of the funds to complete a short-term accumulation of funds through a combination of trading, trading varieties diversified, not limited to BTC/ETH, profits are expected to be ~600%*',), ('*Thursday, July 11: USA - Initial jobless claims. The last value was 238 thousand. A weaker number could be welcomed by the market, which is looking for a weaker job market so that the Fed is more confident in cutting interest rates, potentially pushing up the Bitcoin price.*\\n*Friday, July 12: U.S. - PPI (monthly) (June) . The Producer Price Index (PPI) is critical in identifying inflation risks. The market would like to see reassuring signals that producer and consumer price inflation continue to normalize, which could have a stabilizing effect on Bitcoin*',), ('🔔 *Nearly 80% of economists believe central banks now face a trade-off between managing inflation and maintaining stability in the financial sector.*\\n*Recent instability in the banking sector has the potential to have disruptive knock-on effects, including major disruptions to the housing market.*\\n*It also means that industrial policies will deepen geoeconomic tensions, stifle competition, and lead to problematic increases in sovereign debt levels.*',), ('*Dear friends, next I will share some knowledge with you, I hope you will read it carefully.*',), ('🔰 *Combined with the previous data, it is clear to everyone that the world economy is going through difficult times, and the development of artificial intelligence technology will have an initial positive impact on employment growth and productivity.*\\n🔰 *The financial strategies of the major families will tend to focus on cryptocurrency investment, which indicates that digital assets will be a significant trend in the future and the core of asset allocation.*\\n🔰*From the analysis report of Citibank, we can feel the development of the cryptocurrency market this year. More investors like to exploit the potential of small currencies, indicating that this market will establish a new bull market after three years of adjustment*',), ('Haha, this way we can make more money and not be so tired. We can achieve financial freedom easily.',), (\"I will find a way to raise more funds to join the whale program, I don't make as much as you do now😔\",), (\"It's crazy time again🤩\",), ('Teacher Andy and the analyst team are very happy to see that you can all make profits. If there are still people who want to participate in the transaction, please contact me and I will help you how to get started.',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I agree with the point of view. Although I just started trading today, I can make money for the first time, and the trading signals are so accurate in such a short time. I believe that Teacher Andy and their team are very powerful.👍🏻👍🏻👍🏻',), ('Cool! The Whale Project! I like the name and I hope we become a big whale in the market soon',), ('Notify us to short sell. The price started to fall right after we bought it.👍🏻',), ('Thank you very much to Teacher Andy and the analyst team for giving us such accurate trading signals every time, allowing us to make money so easily.',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:57650-57350',), ('35% profit, great,this makes me look forward to the profits of the whale plan more and more🐋',), ('Thank you Mr. Andy Sieg for sharing, it is finally our new plan, I want to be the first to participate, I will add more funds to participate in it',), (\"*Dear friends, today's trading signal will be released at 8:30 p.m. EST. Please be prepared and contact me to receive the trading signal.*\",), ('I have to give a big thumbs up to Teacher Andy',), ('*Congratulations to all members who participated in the transaction and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('*[Citi Financial Information]*\\n1. [Lugano, Switzerland encourages the use of Bitcoin to pay for daily expenses]\\n2. [Musk confirmed that xAI will build its own supercomputer to train the Grok large language model]\\n3. [The leader of the US Democratic Party calls on Biden and his campaign team to prove that they can win the election]\\n4. [Goldman Sachs Global Head of Digital Assets: The launch of spot Bitcoin ETF is a new driving force in the encryption field]\\n5. [Consensys founder: US regulators “neglected their responsibilities”]\\n6. [Powell: Everything the Fed does in cutting interest rates is justified]\\n8. [FOX reporter announced the list of participants of the U.S. Encryption Roundtable, including Biden advisers]\\n9. [U.S. commodity regulator urges swift action on cryptocurrency]',), ('Hey I’m headed to concierge pool, meet me there!',), ('Looking forward to the \"big deal\"',), (\"When the trading signal comes, enjoy life and make money! That's what I do! I believe the whale plan next week will take my life to the next level.\",), ('This means we are making the best choice to invest in cryptocurrencies',), ('Many people are saying that the Fed is likely to keep interest rates unchanged',), ('Good morning, my friend, please accept my wishes: let a smile creep onto your face, let happiness fill your heart, let good luck accompany you, let success nestle in your chest, let happiness bloom heartily, and let friendship be treasured in your heart. A new day has begun. I wish my friends to feel at ease in their trading. (🙏🏻)',), (\"*1. Liquidity impact*\\n*Liquidity tightening: The Fed's interest rate hike means reduced market liquidity and higher borrowing costs.*\\n*Capital repatriation: The Fed's interest rate hike may also attract global capital to return to the United States, because US dollar assets are more attractive in an interest rate hike environment.*\",), ('*Thursday, July 11: United States – Initial Jobless Claims. The previous reading was 238K. A weaker number would likely be welcomed by the market, which is looking for a weak job market so that the Fed would be more confident in cutting rates, potentially pushing up Bitcoin prices.*',), (\"Last night while having a drink with a friend, I heard him say that he is also investing in Citigroup's BTC smart contract trading, at least I think I'm making a decent daily income here\",), ('*2. Investor risk appetite*\\n*Reduced risk appetite: During a rate hike cycle, investors tend to be more cautious and have lower risk appetite.*',), ('*Hello everyone, I am Lisena Gocaj, focusing on cryptocurrency contract trading. I am your exclusive customer service. If you have any questions in the investment market, you can click on my avatar for free consultation. As our customers are increasing, we are now an open communication group. I will now open the right to speak to new members, so all new members please consult me \\u200b\\u200bfor the right to speak!*\\n\\n*Every little progress is a step towards success. As long as we keep accumulating and moving forward, we can achieve our dreams and goals.*',), (\"*4. Internal influence on the crypto market*\\n*Market divergence: In the context of the Federal Reserve raising interest rates, divergence may occur within the crypto market. Some assets with greater value consensus (such as Bitcoin, Ethereum, etc.) may attract more capital inflows and remain relatively strong; while some growth projects that may be valuable in the future may face pressure from capital outflows.*\\n*Black swan events: The Fed's interest rate hikes may also trigger black swan events in the market, such as major policy adjustments, regulatory measures, etc. These events will further increase market volatility and uncertainty.*\",), (\"I envy your life! Don't you have to work today?\",), ('*Major macroeconomic events this week that could impact BTC prices:*\\n*Thursday, July 11: US – CPI (mo/mo) (June) (expected: +0.1%). A weaker CPI could lead the market to believe that the Fed will cut rates faster, which could have a positive impact on the cryptocurrency market.*',), ('You go hiking in such a hot day.',), ('*Friday, July 12: United States - PPI (monthly rate) (June). The producer price index is critical to determining inflation risks. The market hopes to see reassuring signals that producer and consumer price inflation continue to normalize, which may have a stabilizing effect on Bitcoin.*',), ('Haha, there is still enough time, otherwise it will be your loss if you miss the trading signal.',), ('*3.performance and complexity*\\n*Historical data: Judging from historical data, interest rate hike cycles often put pressure on the crypto market. However, the crypto market’s response to Fed policy is not static and sometimes goes the opposite way than expected.*\\n*Complexity: The response of the crypto market is affected by multiple factors, including market sentiment, capital flows, technical factors, etc. Therefore, the impact of the Federal Reserve’s interest rate hikes on the crypto market is complex and cannot be explained simply by a single factor.*',), (\"With such an excellent team like Andy giving us accurate trading signals every day, I believe that it is a very good decision for us to invest in Citigroup's BTC smart contract trading. We can earn income outside of work every day.\",), ('*U.S. interest rates, particularly the Federal Reserve’s interest rate policies, have a significant impact on the crypto market. This influence is mainly reflected in the following aspects:*',), (\"So you need to be prepared at all times, and opportunities are reserved for those who are prepared. For all friends who want to sign up for the Whale Plan, please bring a screenshot of your trading account funds to me in time to claim your place. Friends who haven't joined yet can also add my private account and leave me a message. I will help you make all the preparations. Today's trading signal will be released at 8:30PM EST, so please be prepared for participation.\",), ('Historically, rate cuts usually lead to lower interest rates first',), ('*Many people have been deceived and hurt, I understand very well, and at the same time I am very sad. We at Citi want to help everyone, especially those who have been deceived and hurt. But many people don’t understand, and think that all cryptocurrency events are scams*',), ('*Finally, the flood came and the priest was drowned... He went to heaven and saw God and asked angrily: \"Lord, I have devoted my life to serving you sincerely, why don\\'t you save me!\" God said: \"Why didn\\'t I save you? The first time, I sent a sampan to save you, but you refused; the second time, I sent a speedboat, but you still didn\\'t want it; the third time, I treated you as a state guest and sent a helicopter to save you, but you still didn\\'t want to. I thought you were anxious to come back to me.\"*',), ('*Soon, the flood water reached the priest\\'s chest, and the priest barely stood on the altar. At this time, another policeman drove a speedboat over and said to the priest: \"Father, come up quickly, or you will really drown!\" The priest said: \"No, I want to defend the church, God will definitely come to save me. You should go and save others first.\"*',), ('*Congressman proposes to allow the use of BTC to pay taxes Golden Finance reported that according to Bitcoin Magazine, Congressman Matt Gaetz has launched a proposal to allow the use of BTC to pay federal income taxes.*',), (\"*At the same time, the details of our Whale Plan have been shared in the group for a few days. This plan will be officially launched on July 18th. I hope everyone will read it carefully. If you have any questions, please feel free to contact me and I will answer them for you. If you want to participate, I will also help you start your trading journey. This plan is once every four years, and strive to get the maximum benefit. Please seize the opportunity and don't miss it.*\",), ('*Here I want to tell you a biblical story:*\\n*In a village, it rained heavily and the whole village was flooded. A priest was praying in the church. He saw that the flood was not up to his knees. A lifeguard came up on a sampan and said to the priest: \"Father, please come up quickly! Otherwise, the flood will drown you!\" The priest said: \"No! I firmly believe that God will come to save me. You go and save others first.*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('*After a while, the flood had submerged the entire church, and the priest had to hold on to the cross on top of the church. The helicopter slowly flew over, and the pilot dropped the rope ladder and shouted: \"Father, come up quickly, this is the last chance, we don\\'t want to see you drown!!\" The priest still said firmly: \"No, God will definitely come to save me. God will be with me! You\\'d better go save others first!\"*',), (\"*Golden Finance reported that Bitwise CIO Matt Hougan said that the U.S. spot Ethereum ETF could attract $15 billion worth of net inflows in the first 18 months after listing. Hougan compared Ethereum's relative market value to Bitcoin, and he expects investors to allocate based on the market value of the Bitcoin spot ETF and the Ethereum spot ETF ($1.2 trillion and $405 billion). This will provide a weight of about 75% for the Bitcoin spot ETF and about 25% for the Ethereum spot ETF. Currently, assets managed through spot Bitcoin ETFs have exceeded $50 billion, and Hougan expects this figure to reach at least $100 billion by the end of 2025. This number will rise as the product matures and is approved on platforms such as Morgan Stanley and Merrill Lynch.*\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 57350-57650',), ('Rate cuts always bring sell-offs and plunges! I think it will fall at least 20%',), ('I am reading carefully',), ('*I think most of you have heard this story, but have you ever thought about it deeply?*',), ('The interest rate cut is negative at first, but after a period of time, it will usher in a big surge! Historically, this has been the case. I think that after this interest rate cut, BTC will sprint to $200,000',), (\"*In fact 👉 In 2013, Bitcoin had a 12,410x chance, you don't know, I don't know. We all missed it.*\\n*👉 Bitcoin had an 86x chance in 2017, you don't know, but I know we are getting rich.👉Bitcoin has a 12x chance in 2021, you still don't know, I know, but we are rich again.*\\n*In 2022-2023, Bitcoin will enter another price surge, while driving the appreciation of various cryptocurrencies.*\",), (\"*In fact, sometimes obstacles in life are due to excessive stubbornness and ignorance. When others lend a helping hand, don't forget that only if you are willing to lend a helping hand can others help!*\",), ('*Trump will speak at Bitcoin 2024 in late July According to Golden Finance, two people familiar with the matter said that former US President Trump is in talks to speak at the Bitcoin 2024 conference in Nashville in late July. It is reported that the Bitcoin 2024 event hosted by Bitcoin Magazine will be held from July 25 to 27, a week after the Republican National Convention, and is regarded as the largest Bitcoin event this year. Trump is not the only presidential candidate attending the convention. Independent candidate Robert F. Kennedy Jr. also plans to speak at the convention. Former Republican candidate Vivek Ramaswamy, Senator Bill Hagerty (R-TN) and Marsha Blackburn (R-TN) will also attend.*',), ('Just like the famous saying goes, \"*Don\\'t hesitate no matter what you do, hesitation will only make you miss good opportunities.*\" I have indeed made money in Teacher Andy\\'s team.',), ('Is this true? Are the trading signals always so accurate?',), ('I believe every US person knows Citigroup. Our cooperation with anyone is based on mutual trust.',), ('Good morning, analyst.',), ('This is of course true. I have been trading with Andy for a long time.',), ('*Teacher Andy and the analyst team are very happy to see that you can all make profits. If there are still people who want to participate in the transaction, please contact me and I will help you how to get started.*',), ('We all make money into our own pockets.😁😁',), ('*Congratulations to all members who participated in the transaction and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), (\"Are y'all going anywhere?\",), (\"It's okay man, the purpose of making money is to enjoy life\",), ('I am now looking forward to joining the Whale Plan next week so I can make more money.😆',), ('*[Citi Financial Information]*\\n1. [UK sells Monero confiscated from drug traffickers]\\n2. [Biden admitted that he made mistakes in the debate with Trump and emphasized that he would not withdraw from the election]\\n3. [Fed. Musallem: Recent data shows that the Fed has made progress in controlling inflation]\\n4. [The EU accepts Apple’s commitment to open NFC, including promoting the development of a digital euro]\\n5. [LMAX Group Strategist: Cryptocurrencies may fall further if the poor performance of U.S. stocks evolves into a broader correction]\\n6. [U.S. judge rejects Coinbase’s request to subpoena SEC Chairman, requiring him to re-formulate plan]\\n7. [Bernstein: Iris Energy has planned most of the land at the Childress mine to expand Bitcoin mining operations]',), ('*Through close cooperation of the analyst team, we can improve the accuracy of our strategies. When extreme market conditions occur and our strategies fail, resulting in losses, we will have a comprehensive investment plan to help you quickly recover your losses.*',), ('Now I know why we can make money every day. It turns out Andy has such a strong team. Haha. Fortunately, I got involved in it in advance.',), (\"I don't have enough money in my account so I don't have enough profits. I will have another good talk with my friends and family over the weekend to raise more money to invest in cryptocurrency contracts. I want to buy a new car and live in a big house too\",), ('That is a must. Who doesn’t want to make more money to achieve financial freedom?',), ('Abner, I agree with what you said, but not everyone can seize opportunities. Some people miss opportunities right in front of them because of concerns and worries. As Bernara Shaw said, \"People who succeed in this world will work hard to find the opportunities they want. If they don\\'t find them, they will create opportunities.\"',), ('Haha, you are good at coaxing your wife.👍',), ('*Our analyst team consists of three departments. The first is the information collection department, which collects the latest news from the market and screens it. After screening out some useful news, it will be submitted to the analyst department, which will make predictions about the market through the information and formulate corresponding analysis strategies. Then, it will be submitted to the risk control department for review. Only when the risk rate is lower than 5%, will the department take the client to trade.*',), ('Everyone has a desire to make money, but they are not as lucky as us. If we had not joined Citigroup and had not been guided by Andy, we would not have had such a good investment opportunity. So we would like to thank Mr. Nadi and his analyst team and Lisena for making us all grateful.',), (\"I've been observing for a while, and every time I see you guys making so much money, I'm tempted,\",), (\"*If you don't try to do things beyond your ability, you will never grow. Good morning, my friend! May a greeting bring you a new mood, and may a blessing bring you a new starting point.*\",), (\"Everyone is preparing for next week's Goldfish Project. lol.\",), (\"Time flies, it's Friday again and I won't be able to trade for another 2 days.\",), ('18297659835@s.whatsapp.net',), ('18297659835@s.whatsapp.net',), ('18297659835@s.whatsapp.net',), ('*We can tell you that cryptocurrency investments are very easy and can be profitable quickly. We are one of the largest investment institutions in the world. We have professional analysts and cutting-edge market investment techniques to help you better manage your wealth through a diversified approach. We seek long-term relationships because we believe that your success is our success. Let you know about our investment philosophy*',), ('*Everyone here, please do not hesitate and wait any longer, this is a very good opportunity, any road is to walk out by yourself, rather than waiting in the dream, it is especially important to take the first step accurately!*\\n*If you want to join, please contact me, I will take you on the road to prosperity!*',), ('*Cryptocurrencies can provide investors with diversification from traditional financial assets such as stocks and bonds. While the cryptocurrency market has had a limited history of price volatility relative to stocks or bonds, so far prices appear to be uncorrelated with other markets. This can make them a good source of portfolio diversification. By combining assets with minimal price correlations, investors can achieve more stable returns.*',), (\"*Hello everyone, I'm Andy Sieg. Everyone knows blockchain technology, but they often confuse cryptocurrency and blockchain. However, blockchain technology is essentially a shared computer infrastructure and a decentralised network is formed on it. The cryptocurrency is based on this network. Cryptocurrency is designed to be more reliable, faster and less costly than the standard government-backed currencies we have been used to. As they are traded directly between users, there is no need for financial institutions to hold these currencies. They also allow users to check the whole process of transactions in a completely transparent manner. None of this would be possible without blockchain technology.*\",), ('*Bitcoin contracts are one of the more popular ways to invest in bitcoin contracts, which are investment products derived from bitcoin. You can profit by trading in both directions. Contracts can be traded with leverage, making it easier for you to make huge profits. For the current investment climate, this is a good investment option*',), ('I can not wait any more.',), ('You better be on your best behavior down there.',), (\"*Dear friends, today's trading signal will be released at 8:00 p.m. EST. Please be prepared and contact me to receive the trading signal.*\",), ('*For beginner traders, first learn to analyze the information according to the chart, which is a short-term BTC long trend chart, there is a short-lived long-short standoff before the long position is determined, when the direction is determined, the dominant party will be strong and lock the market direction at this stage, we need to judge the information according to the chart before the standoff, when we choose the right direction, then we also follow the strong party to get rich profits*',), (\"I'm ready.\",), ('*A Contract for Difference (CFD) is an arrangement or contract in financial derivatives trading where the settlement difference between the opening and closing prices is settled in cash, without the need to purchase an equivalent price as in spot trading In contrast to traditional investments, CFDs allow traders to open positions not only when prices fall, but also when prices rise. CFDs are settled in cash.*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 57750-58050',), (\"*Good evening, club members!*\\n*Today's trading day has ended. Congratulations to every club member who made a profit. Today, the price of Bitcoin fluctuated greatly. The Federal Reserve announced that it may cut interest rates once or twice this year. Inflation is moving towards 2%. Everything is going well. Some analysts believe that the price of Bitcoin will exceed 100,000 US dollars in this round.*\\n\\n*If you are interested in learning more about trading cryptocurrency contracts, please contact me. I will answer your questions by leaving a message. I wish you a relaxing and enjoyable night!*🌹🌹🌹\",), ('Lisena, if I also want to participate in the Whale Project next week, are there any requirements?',), ('Yes, I discussed with my family this weekend that I am going to raise funds to increase my investment amount so that I will have enough funds to make more money in my whale plan next week.',), ('I see you used $2893 and made $1070. If you used $140k like me to participate in the transaction, you would make $51k. lol..',), ('This is a big plan prepared for the benefit of new customers. There are no requirements. If you have any questions or don’t understand something, you can click on my avatar to contact me. I will explain it to you in detail and help you how to participate in the Whale Plan.',), ('There are really a lot of profit points today, haha.',), (\"Yeah, so I'm going to go raise funds this weekend.\",), ('Hola 👋🏻',), ('😜He made some money last week, so he must have gone on a date today.',), ('Christian, where are you going to go after washing the car?',), ('*The Whale Plan will start tomorrow. If you want to realize your dream in the Whale Plan, you can contact me. If you don’t have a BTC contract trading account or don’t understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), (\"There is no need to envy others, because you don't know how much you will have tomorrow.\\nWeekend blessings, I wish you a happy weekend!\",), ('*[Citi Financial Information]*\\n1. [Director of the US SEC Enforcement Division calls for stronger cryptocurrency regulation]\\n2. [EBA releases \"Travel Rule\" guidelines]\\n3. [Nuvei launches digital card in Europe]\\n4. [Musk donates to Trump]\\n5. [South Korean media: South Korea considers postponing taxation plan on cryptocurrency income]\\n6. [Russia considers allowing major local licensed exchanges to provide digital currency trading services]\\n7. [Australia\\'s first spot Bitcoin ETF has increased its holdings by 84 BTC]\\n8. [Trump will still deliver a speech at the Bitcoin 2024 conference in Nashville]',), ('Are you washing your car to pick up girls at night? Haha',), ('*Having a dream is like having a pair of invisible wings, allowing us to soar in the ordinary world, explore the unknown, and surpass our limits.*\\n\\n*The crypto market rose slightly this weekend, laying a good foundation for the Whale Plan next week, with an expected return of more than 200%. During the Whale Plan stage, analysts will also provide one-on-one private guidance. Friends who want to participate can contact me to sign up.*',), ('Good morning, Mr. Andy.',), ('Finally finished washing, it took me so long',), ('https://www.youtube.com/watch?v=0PW3aBqjCgQ',), ('*I hope all members can realize their dreams in the Whale Plan next week. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('Looking forward to the first trading day of the week',), ('Yeah, I often play with clients.',), ('Today, the price of BTC has reached above $63,000 again, which is a very good sign',), (\"Of course I can't compare with you, haha, I have to maintain my figure\",), ('Is this all you eat for breakfast?',), (\"(and a new documentary series chronicling carlos alcaraz's 2024 season is coming to netflix in 2025)\",), ('Do you still play golf?',), (\"*Good afternoon, everyone. I am Lisena Gocaj, specializing in cryptocurrency contract trading. I am your exclusive customer service. If you have any questions about the investment market, you can click on my avatar to get a free consultation! Friends who want to sign up for this week's Whale Plan can send me a private message to sign up*\",), ('BTC has risen to $63,000 and I am very much looking forward to trading this week🤩',), ('Lisena Gocaj, has the Whale Project started?',), ('Yes, we have been looking forward to the arrival of the trading plan 🤣',), ('I think the reason a lot of people lose money on cryptocurrencies is because they don’t know anything They trade alone relying solely on luck to determine whether they win or lose The investing and trading markets are complex and not everyone can understand them This is why professional brokers are so sought after and respected',), (\"Yes the beautiful scenery is not what others say but what you see yourself If we can't climb to the top of the mountain alone to see the scenery let's find help to help us climb to the top\",), (\"*Hello dear friends🌺🌺🌺I am Lisena Gocaj, today is Monday, and it is also the first transaction of [Whale Plan]🐳🐳🐳. This transaction will be released at 8:30pm EST, please be prepared for trading members , don't miss a deal.*\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 40%\\nPurchase Price Range: 64400-64700',), ('Great, Whale Project, can make more money again.',), ('I have registered, but my funds have not yet arrived in my trading account. 😔 I feel like I have missed a big opportunity.',), ('If you have the opportunity, seize it. I believe that this kind of whale plan is not common. After all, it touches the interests of capitalists.',), ('Good afternoon, analyst',), ('Today was the bsmesg. :)',), ('*🌹🌹🌹Congratulations to all members who participated in today’s daily trading and successfully achieved ideal returns. Don’t forget, our upcoming whale program this week is the focus of Mr. Andy’s leadership in the crypto market. The whale program is expected to generate returns of over 200%. Mr. Andy will lead everyone to explore the mysteries of the encryption market and help everyone achieve financial freedom. Now. Instantly. Take action. Do not hesitate. ✊🏻✊🏻✊🏻*\\n*Private message me💬☕️I will help you*',), ('*[Citi Financial Information]*\\n1. Kraken: has received creditor funds from Mt. Gox trustee; \\n2. blackRock IBIT market capitalization back above $20 billion; \\n3. Matrixport: bitcoin ETF buying gradually shifting from institutions to retail investors; \\n4. the founder of Gemini donates another $500,000 to the Trump campaign; \\n5. the Tether treasury has minted a cumulative 31 billion USDT over the past year; \\n6. Mt. Gox trustee: BTC and BCH have been repaid to some creditors via designated exchanges today; \\n7. Cyvers: LI.FI suspected of suspicious transactions, over $8 million in funds affected',), ('You can participate in trading once the funds arrive in your trading account.',), ('Thank you very much Lisena for helping me pass the speaking permission. I have been observing in the group for a long time. With your help, I have registered a trading account. When can I start participating in the transaction?',), (\"Luckily, I caught today's deal. I just got home with my grandson🤣\",), ('You are very timely. Lol 👍🏻',), ('There are restrictions on buying USDT directly in the wallet. I always wire the money first and then buy the currency, so that I can transfer it directly.',), ('Beautiful lady, is Manhattan so hot right now?',), ('Wow, yours arrived so quickly and mine hasn’t yet. I also want to join the transaction quickly and don’t want to miss such a good opportunity to make money.',), ('I was restricted before, but later Lisena asked me to wire money.',), ('I deposited money to my crypto.com yesterday and bought USDT, why won’t it let me send it to my trading account?',), (\"Hello Jason, yes, as long as the funds reach your trading account, you can participate in today's Whale Plan.\",), ('*Congratulations to all members who participated in the Whale Plan and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('Analyst trading signals remain accurate',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"You can come to the Bay Area for vacation, it's very cool here\",), (\"Yeah, today's weather is like a sauna\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 40%\\nPurchase Price Range: 64850 -65100',), (\"*Dear friends🌺🌺🌺Hi, I am Lisena Gocaj, today is Tuesday, and it is the second transaction of [Whale Project]🐳🐳🐳. This transaction will be released at 8:30 pm EST, please be prepared and don't miss any transaction.*\",), ('Haha, you can also come to Seattle for vacation. I can take you around.',), ('This is my first time participating in a transaction today. Fortunately, the funds have arrived in my account today, otherwise I would have missed the trading signal.',), ('You are right. Only by seizing the opportunity to make money can you earn the wealth you want and enjoy life better.',), ('The sooner you join, the sooner you can achieve financial freedom, haha',), ('A good start to the day',), (\"*[Citi Financial Information]*\\n1. Argentina sets rules for the regularization of undeclared assets, including cryptocurrencies; \\n2. options with a notional value of about $1.756 billion in BTC and ETH will expire for delivery on Friday; \\n3. kraken is in talks to raise $100 million before the end of the year for an IPO; \\n4. aethir suspended its token swap with io.net and launched a $50 million community rewards program; \\n5. revolut is in talks with Tiger Global for a stock sale worth $500 million; \\n6. Binance responds to Bloomberg's apology statement: it will continue to focus on providing the best service and innovation to its users; \\n7. Hong Kong Treasury Board and Hong Kong Monetary Authority: will work with other regulators to jointly build a consistent regulatory framework for virtual assets.\",), ('heeheheheh',), ('*In the world we live in, there is a group of people who stand out because of their pursuit of excellence. They pursue their goals with firm will and unremitting efforts. Every choice they make shows their desire for extraordinary achievements. In their dictionary, the word \"stagnation\" never exists, and challenges are just stepping stones to their success*',), ('*To achieve real breakthroughs and success, we must exchange them with full commitment, tenacious determination and continuous struggle. Just as we are making progress every day, this is an eternal lesson: there is no shortcut to success, and only through unremitting practice and action can we truly break through ourselves. Let us be proactive, give full play to our potential, and use our wisdom and efforts to make dreams bloom brilliantly in reality.*',), ('Yes, he is a staunch supporter of cryptocurrency',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:64300-64600',), (\"*Hello dear friends🌺🌺🌺, I am Monica, today is Wednesday, and it is the third deal of [Whale Project]🐳🐳🐳. This deal will be announced at 8:40 pm EST, please be prepared and don't miss any deal.*\",), (\"🌐🎯 *The chart shows CME's share in global notional open interest in the standard futures market tied to bitcoin and ether*\\n\\n🌐🎯 *The global derivatives giant accounts for 83% of total BTC futures open interest and 65% of ETH open interest*\\n\\n🌐🎯 *The numbers represent growing institutional participation in the crypto market*\",), ('*If you have completed the transaction, please send a screenshot of your profit to the group so that I can compile the statistics and send them to our analyst team as a reference for the next trading signal and market information.*',), ('*The chances of President Joe Biden dropping out of November\\'s election hit 68% on crypto-based prediction market platform Polymarket. Biden announced he had been diagnosed with Covid-19 on Wednesday, having previously said he would re-evaluate whether to run \"if [he] had some medical condition.\" The president has thus far given a poor showing during the campaign, most notably during a debate with Donald Trump, who is considered the significantly more pro-crypto candidate. Trump\\'s perceived chances of victory have become a metric for the cryptocurrency market. Bitcoin\\'s rally to over $65,000 this week followed the assassination attempt on Trump, which was seen as a boost to his prospects of retaking the White House*',), (\"*Dear friends 🌺🌺🌺 Hello everyone, my name is Lisena Gocaj, today is Thursday, and it is the fourth deal of [Whale Project] 🐳🐳🐳. This deal will be announced at 8:30 pm EST, please be prepared and don't miss any deal.*\",), ('Hate airports',), (\"I saw Lisena's message in the community. Cryptocurrency offers a great opportunity right now. The presidential campaign is largely focused on whether to support cryptocurrencies. If Mr. Trump supports cryptocurrencies and is elected, it will be a huge boon to the cryptocurrency market.\",), (\"I'm not too bullish on Biden. I prefer Trump because I trade cryptocurrencies😂\",), ('*Since the market test risk is greater than 5%, trading has been suspended. Please wait patiently for notification.*',), (\"*Citi News:*\\n1. Democrat bigwigs advise Biden to drop out of race\\n2.U.S. SEC indicts former Digital World CEO Patrick Orlando\\n3.U.S. SEC approves grayed-out spot ethereum mini-ETF 19b-4 filing\\n4.US Judge Agrees to Reduce Ether Developer Virgil Griffith's Sentence by 7 Months to 56 Months\\n5. Cryptocurrency Custodian Copper Receives Hong Kong TCSP License\\n6.Mark Cuban: Inflation Remains the Essential Reason for BTC's Rise, BTC to Become a Global Capital Haven\",), (\"*Good morning, dear members and friends, congratulations to everyone for making good profits in this week's Whale Plan 🐳. Today is the fourth trading day of the Whale Plan 🐳. If you don't have a BTC contract trading account or don't understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not appropriate, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\",), (\"*Bitcoin {{BTC}} struggled to stay above $65,000 after falling below $64,000 during Wednesday's U.S. trading session. After briefly recapturing $65,000, bitcoin drifted toward the $64,500 mark, down about 1 percent from 24 hours earlier. the CoinDesk 20 Index was down about 2.4 percent. Stocks sold off after Wednesday's rally came to a halt, with the tech-heavy Nasdaq down 2.7% and the S&P 500 down 1.3%. Market strategists said the cryptocurrency rally could stall if the stock market sell-off turns into a correction, but in the longer term it could provide a haven for investors fleeing the stock market*\",), (\"*🎉🎉🎊🎊Congratulations to all the partners who participated in the Whale Plan🐳 today and gained benefits. I believe that everyone has made good profits in this week's Whale Plan🐳. Today is the third trading day of the Whale Plan🐳. If you don't have a BTC contract trading account or don't understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\\n\\n*🥰🥰🥰Wish you all a good night🌹🌹🌹*\",), (\"*Citi News:*\\n1. table and photo with Trump during Bitcoin conference price of $844,600\\n2.Polymarket: probability of Biden dropping out rises to 80%, a record high\\n3.South Korea's first cryptocurrency law comes into full effect\\n4. rumor has it that Trump will announce the U.S. strategic reserve policy for bitcoin next week\\n5. Putin warns that uncontrolled cryptocurrency mining growth could trigger a Russian energy crisis and emphasizes the utility of the digital ruble\",), (\"*Notify:*\\n\\n*Because the risk of the market analysis department's simulated test trading based on today's market conditions is greater than 5%, today's trading signals are suspended. You don't have to wait. I'm very sorry!*\",), ('Yes, because there were no trading signals yesterday and the market was unstable yesterday, Lisena said that the risk assessment analyzed by the analyst team exceeded 5%.',), ('🎉🎉🎊🎊 *Dear members, if you don’t have a BTC contract trading account or don’t understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*☎️☎️\\n\\n🥰🥰🥰*Good night everyone*🌹🌹🌹',), (\"You are lucky to catch today's trading signal.\",), ('Finally, I can participate in the transaction.',), ('I am ready.',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:66200-67000',), ('Haha, I can go out traveling this weekend.',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*Dear friends🌺🌺🌺Hello everyone, I am Lisena Gocaj, today is Friday, it is the last transaction of [Whale Project]🐳🐳🐳. Trading signals will be released at 8:00 PM ET, so be ready to take advantage and don't miss out on any trading gains.*\",), ('okay',), (\"*🎉🎉🎊🎊Congratulations to all the friends who participated in the Whale Plan 🐳 today and reaped the benefits. I believe that everyone has reaped good benefits in this week's Whale Plan 🐳. If you don't have a BTC contract trading account or don't understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not appropriate, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\",), (\"*Good evening everyone🌹🌹🌹*\\n*This week's whale plan has come to a successful conclusion. Congratulations to all members who participated in this whale plan. I believe everyone has made good profits in this whale plan.*\\n*In addition, if you do not have a BTC smart contract trading account, or do not understand our BTC smart contract transactions, you can send me a private message and I will teach you step by step and explain it to everyone in detail. The first step in cooperation is communication. If you feel it is inappropriate, you can withdraw money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\\n*I wish everyone a happy weekend. Friends who need to withdraw funds can contact me.*\\n*Good night!*\\n*Lisena Gocaj*\",), ('*[Citi Financial Information]*\\n1. [ETF Store President: Approval of spot Ethereum ETF marks a new shift in cryptocurrency regulation]\\n2. [JPMorgan Chase: Cryptocurrency rebound is unlikely to continue, Trump\\'s presidency will benefit Bitcoin and gold\\n3. [Trump responded to Musk\\'s $45 million monthly donation to him: \"I like Musk, he\\'s great\"]\\n4. [US Senator emphasizes that Bitcoin as a currency is not affected by large-scale cyber attacks]\\n5. [Indian crypto trading platform WazirX announces the launch of a bounty program]',), ('I was looking at cars with my family.',), ('What do you guys do on the weekends?',), ('Haha, I am also accompanying my wife to look at cars😁',), (\"You all made a lot of money on last week's Whale Scheme, unfortunately I only caught the last trade,\",), ('Did you watch the news? Biden is dropping out of the presidential race.',), ('So you all understand…. Biden is dropping out of the race, but he still has until January 2025 to finish this term.',), ('Everyone can relax on the weekend. There are no trading signals in the group on the weekend. Teacher Andy said that in order not to disturb everyone to have a happy weekend, there will be no sharing of knowledge points on the weekend.🥰',), ('My family and I are still looking and have not yet decided. We have looked at many cars.',), (\"That's right, we can make more money.😎\",), ('*[Citi Financial Information]*\\n*1. South Korea\\'s FSC Chairman Candidate: Unwilling to Approve South Korea\\'s Spot Bitcoin ETF*\\n*2. JPMorgan Chase: The short-term rebound in the cryptocurrency market may only be temporary*\\n*3. A coalition of seven U.S. states filed a friend-of-the-court brief and opposed the SEC\\'s attempt to regulate cryptocurrencies*\\n*4. Crypto Policy Group: President Biden\\'s decision to step down is a new opportunity for the Democratic Party\\'s top leaders to embrace cryptocurrency and blockchain technology*\\n*5. Harris expressed hope to win the Democratic presidential nomination*\\n*6. The Speaker of the U.S. House of Representatives called on Biden to resign \"immediately\"*\\n*7. Musk changed the profile picture of the X platform to \"laser eyes\"*\\n*8. The Monetary Authority of Singapore promised to invest more than $74 million in quantum computing and artificial intelligence*\\n*9. Variant Fund Chief Legal Officer: The new Democratic presidential candidate should regard cryptocurrency as a top priority*',), ('I think his last-minute move could boost Bitcoin and crypto assets in the coming months, while others think investors should curb their excitement now',), ('I got a new message. Biden officially announced his withdrawal from this election. Will the bulls get on track?',), ('BTC is rising towards $70,000 today, and it looks like the crypto market will have a new breakthrough in the new week',), (\"Don't rush the analysts, Lisena will send us trading signals when they appear.\",), (\"I've been ready for this and am really looking forward to today's deal.\",), ('https://m.coinol.club/#/register?verify_code=kxWtZs',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('*If you want to register a \"Citi World\" trading account, you can click this link to register your trading account. After the registration is completed, you can take a screenshot and send it to me to get a gift of $1,000.*',), (\"I'll tell you a very simple truth. When you are still waiting and watching, some people have already gone a long way. You can learn while doing. I have also been following the messages in the group for a long time. But when I took the first brave step, I found that it was not that difficult. Thanks to Assistant Lisena for her patience and help.\",), ('Yes, can those of us who have already participated in the transaction still participate? I also want to increase my own funds.',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('Lisena Can I still attend this event?',), ('*🌹🌹🌹Dear friends, hello🌹🌹🌹, in order to promote \"Citi World\", now we have launched 2 activities:🔔🔔🔔*\\n\\n*🌹① Register a Citi World account and get 💰$1,000*\\n*🌹② Register a Citi World account and deposit money to start trading,*\\n*When the deposit amount reaches 💰$10k or more, you will get 💰20%;*\\n*When the deposit amount reaches 💰$30k or more, you will get 💰30%;*\\n*When the deposit amount reaches 💰$50k or more, you will get 💰50%;*\\n*When the deposit amount reaches 💰$100k or more, you will get 💰80%.*\\n\\n*The number of places and time for the event are limited⌛️⌛️⌛️, if you need to know more, please click on my avatar to contact me.*',), (\"Relax. The benefits will satisfy you. From an old man's experience🤝🏻\",), ('*If you want to register a \"Citi World\" trading account, you can click on my avatar to contact me. I will guide you to register. After the registration is completed, you will receive a gift of US$1,000.*',), (\"📢📢📢*Note: I know everyone can't wait to start trading today. Now I have received a message from the analyst team, and today's trading signal has been sent to the risk control department for testing. Please prepare your trading account, I will let everyone be ready 1 hour before the trading signal appears.*\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 67200 -67900',), ('You are right, the mechanics of the stock market gave me a lot of headaches and I lost a lot of money',), ('Can buy or sell at any time, and when analysts find trading signals, we can be the first to buy or sell',), ('Ether ETF Approved for Listing How will it affect the price of Ether?',), (\"*Good afternoon, fellow club members. How to trade BTC smart contracts? I will explain this in detail. This will help us become more familiar with daily transactions, better understand the contract market, and become familiar with the operation methods. So stay tuned for club information and we'll start to explain.*\",), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('US regulators have finally approved an ETF that holds Ethereum, allowing us to invest in the second-largest cryptocurrency through this easy-to-trade vehicle',), (\"*'Don't be afraid of the dark clouds that cover your vision, because you are already standing at the highest point'. Every challenge is the only way to success; every persistence is the cornerstone of glory. Let us climb the investment peak with fearless courage, surpass ourselves, and achieve extraordinary achievements.*✊🏻✊🏻\",), ('*First of all, the contract transaction is T+0 transaction, you can buy at any time, sell in the next second, you can place an order at any time, close the position at any time, stop the loss at any time, and minimize the risk. It is a paradise for short-term traders. . Controlling risk is the first step in getting a steady income, so the rules of buying and selling at any time are especially important. Stocks are bought and sold every other day, which is a very important reason why many people lose money in stock investing. Because many international events will occur after the stock market closes, which will have an impact on the market. Therefore, contracts are less risky than stocks.*',), ('The decision concludes a multi-year process for the SEC to approve Ether ETFs, after regulators approved a Bitcoin ETF in Jan. Ether ETFs could make Ether more popular with traditional investors, as these funds can be bought and sold through traditional brokerage accounts. Bitcoin ETFs have attracted tens of billions of dollars in investment since their debut in January',), ('*[Citi Financial Information]*\\n1. [The U.S. Democratic Party will determine its presidential candidate before August 7]\\n2. [Details of the Trump shooting are revealed again: The Secret Service knew about the gunman 57 minutes before the assassination]\\n3. [A South Korean court has issued an arrest warrant for Kakao founder Kim]\\n4. [CNBC discusses the possibility of the U.S. government using Bitcoin as a reserve currency]\\n5. [Founder of BlockTower: The possibility that the United States will use Bitcoin as a strategic reserve asset in the next four years is very low]\\n6. [Musk: The U.S. dollar is becoming like the Zimbabwean dollar]\\n7. [The U.S. House of Representatives passed the cryptocurrency illegal financing bill, but it may be rejected by the Senate]\\n8. [President of ETFStore: Traditional asset management can no longer ignore cryptocurrency as an asset class]\\n9. [Forcount cryptocurrency scam promoter pleads guilty to wire fraud]\\n10. [U.S. Vice President Harris: Has received enough support to become the Democratic presidential candidate]',), ('*🌹🌹🌹Dear friends, hello🌹🌹🌹, in order to promote \"Citi World\", now we have launched 2 activities:🔔🔔🔔*\\n\\n*🌹① Register a Citi World account and get 💰$1,000*\\n*🌹② Register a Citi World account and deposit money to start trading,*\\n*When the deposit amount reaches 💰$10k or more, you will get 💰20%;*\\n*When the deposit amount reaches 💰$30k or more, you will get 💰30%;*\\n*When the deposit amount reaches 💰$50k or more, you will get 💰50%;*\\n*When the deposit amount reaches 💰$100k or more, you will get 💰80%.*\\n\\n*The number of places and time for the event are limited⌛️⌛️⌛️, if you need to know more, please click on my avatar to contact me.*',), ('OK, Lisena',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('The more you deposit, the more profit you earn',), (\"Where are you at, my dude. You've been super quiet.\",), ('Hello??',), (\"Let's drink together and celebrate today's victory\",), ('*[Citi Financial Information]*\\n1. [U.S. Secretary of Homeland Security Mayorkas appoints Ronald Lowe as Acting Secret Service Director]\\n2. [Coinbase CEO: Bitcoin is a check and balance on deficit spending and can prolong Western civilization]\\n3. [U.S. House of Representatives Majority Whip Emmer: Digital assets and artificial intelligence may establish a \"symbiotic relationship\" in the future]\\n4. [Musk: FSD is expected to be approved in China before the end of the year]\\n5. [Galaxy: At least seven current U.S. senators will participate in the Bitcoin Conference this week]\\n6. [Democratic leader of the U.S. House of Representatives: Strongly supports Harris’ candidacy for president]\\n7. [Bitcoin Magazine CEO: Promoting Harris to speak at the Bitcoin 2024 Conference]\\n8. [Author of \"Rich Dad Poor Dad\": If Trump wins the election, Bitcoin will reach $105,000]\\n9. [US Congressman: Taxing Bitcoin miners will be detrimental to the United States]\\n10. [Musk: Never said he would donate $45 million a month to Trump]',), ('When you have as much money as I do, you will also earn as much.',), ('*Wednesday is a new starting point of hope, and a day to fly towards our dreams again. Let us use wisdom and diligence to write a legendary story of successful investment. Let these words of encouragement become a beacon to illuminate our way forward and guide us to the other side of wealth and achievement. Finally, members, in your busy and hard work, please take a little time to find happiness and relaxation. Let smile be your best embellishment, and let happiness become your daily habit. No matter what difficulties and challenges you encounter, you must face them with a smile, because a good mood is the secret weapon to overcome everything. Good morning, may your day be filled with sunshine and happiness!*',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*Remember that Wednesday is not just the middle of the week, but a powerful accelerator for achieving your dreams. Don’t let fear stop you, because it is in these difficult moments that our resilience is forged, allowing us to shine even more in adversity.*\\n*Today, let us move forward into the unknown with unwavering determination. No matter how strong the wind and rain, we will continue to move forward with passion and firm belief. Whether the road ahead is full of obstacles or smooth and flat, stay calm and optimistic, because the most beautiful scenery is often just behind the steepest slope.*',), (\"It's so hot, and you guys are still going out to play. I just woke up from drinking too much last night.😂\",), ('Thank you, Lisean!',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 65000-66000',), ('*Let inspiring words be our battle cry: \"Success is not the end, failure is not fatal: what matters is the courage to move forward.\" Every challenge we face is a stepping stone to glory; every persistence we make is the foundation of success. Let us climb the investment peak with fearless determination, surpass our own limits, and achieve extraordinary achievements.*',), ('*🌹🌹In order to promote \"Citi World\", we launched 2 activities: 🔔🔔🔔*\\n\\n*🌹① Register a Citi World account and get 💰$1,000*\\n*🌹② Register a Citi World account and deposit to start trading,*\\n*Deposit amount reaches 💰$10k or more, get 💰20%;*\\n*Deposit amount reaches 💰$30k or more, get 💰30%;*\\n*Deposit amount reaches 💰$50k or more, get 💰50%;*\\n*Deposit amount reaches 💰$100k or more, get 💰80%.*\\n\\n*The number of places and event time are limited⌛️⌛️⌛️For more information, please click on my avatar to contact me.*',), ('What did you do????? 😭',), ('My bank loan has not been approved yet. I will increase the funds after it is approved. I used the funds given when I registered to try these two transactions.',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), ('I also took out a loan from a bank, but I have already paid it off.',), ('Good night, Lisena!',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*[Citi Financial Information]*\\n1. [Former New York Fed President: The Fed should cut interest rates immediately]\\n2. [U.S. Senate candidate John Deaton has invested about 80% of his net worth in Bitcoin-related investments]\\n3. [Sygnum, Switzerland, saw a surge in cryptocurrency spot and derivatives trading in the first half of the year, and plans to expand its business to the European Union and Hong Kong]\\n4. [Founder of SkyBridge: Harris is open to cryptocurrencies and will take a more moderate approach to cryptocurrencies]\\n5. [Founder of SkyBridge Capital: Harris is open to cryptocurrencies and will take a more moderate approach to cryptocurrencies]\\n6. [A man in Columbia County, USA, was sentenced to prison for selling crypto mining computers that were not delivered and lost contact]\\n7. [Founder of a16z: The Biden administration's regulatory approach to cryptocurrencies is stifling innovation and growth in the industry]\\n8. \\u200b\\u200b[Crypto analyst Jamie Coutts CMT: The situation for Bitcoin miners is improving]\\n9. [Vitalik: The actual application of technology is what ultimately determines the success of cryptocurrencies]\",), ('OK',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*Due to the limited number of members who can speak in the community, many members have told me that they cannot speak and discuss in the community. In response to this, we at Citi held a meeting and decided to set up a group where people can speak freely. If you are interested in cryptocurrency and want to learn more about cryptocurrency and investment advice from Mr. Andy, you can click the link below 👇🏻👇🏻👇🏻*\\n\\nhttps://chat.whatsapp.com/Lq60RAA82B86ibC85YS23o',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin:30%\\nPurchase Price Range: 65500-66500',), (\"*There are still many members who have not joined the new group. Those who have joined the new group, please send today's trading profit pictures to the new group. Those who have not joined the new group, please join as soon as possible, because in the new group everyone can speak freely and communicate and learn from each other.*\",), ('*Due to the limited number of members who can speak in the community, many members have told me that they cannot speak and discuss in the community. In response to this, we at Citi held a meeting and decided to set up a group where people can speak freely. If you are interested in cryptocurrency and want to learn more about cryptocurrency and investment advice from Mr. Andy, you can click the link below 👇🏻👇🏻👇🏻*\\n\\nhttps://chat.whatsapp.com/Lq60RAA82B86ibC85YS23o',), ('12027132090@s.whatsapp.net',), ('*[Citi Financial Information]*\\n1. [Jersey City, New Jersey, USA Pension Fund Will Invest in Bitcoin ETF]\\n2. [Yellen praised Biden’s “excellent” economic performance and said the United States is on a soft landing]\\n3. [Founder of Satoshi Action Fund: Key U.S. Senate supporter withdraws support for bill banning Bitcoin self-custody]\\n4. [Coinbase UK subsidiary fined $4.5 million for inadequate anti-money laundering controls]\\n5. [JPMorgan Chase launches generative artificial intelligence for analyst work]\\n6. [India plans to publish a cryptocurrency discussion paper by September]\\n7. [Trump campaign team: Will not commit to arranging any debate with Harris until she becomes the official nominee]\\n8. [U.S. Senators Withdraw Support for Elizabeth Warren’s Cryptocurrency Anti-Money Laundering Bill]',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 67500-68500',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:00pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I still find it hard to believe 😱',), ('*Good evening everyone🌹🌹🌹*\\n*🎉🎉🎊🎊Congratulations to everyone who participated in the plan this week. We have achieved a profit of 140%-160% this week. If you don’t have a BTC contract trading account, or don’t understand our contract trading, you can send me a private message and I will guide you on how to join. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you want to have an income after work, please click on my avatar to contact me*',), ('*Due to the limited number of members who can speak in the community, many members have told me that they cannot speak and discuss in the community. In response to this, we at Citi held a meeting and decided to set up a group where people can speak freely. If you are interested in cryptocurrency and want to learn more about cryptocurrency and investment advice from Mr. Andy, you can click the link below 👇🏻👇🏻👇🏻*\\n\\nhttps://chat.whatsapp.com/Lq60RAA82B86ibC85YS23o',), ('*[Citi Financial Information]*\\n1. [Forbes: The United States may introduce more federal policies to support cryptocurrency]\\n2. [U.S. Vice President Harris campaign team seeks to restart contact with Bitcoin and encryption teams]\\n3. [Trump: Never sell your Bitcoin, if elected he will prevent the US government from selling Bitcoin]\\n4. [Bitcoin Magazine CEO will donate Bitcoin to Trump, making him an official holder]\\n5. [Executive Chairman of Microstrategy: The U.S. government should own most of the world’s Bitcoins]\\n6. [US presidential candidate Kennedy: Trump may announce the US government’s plan to purchase Bitcoin tomorrow]\\n7. [US Congressman Bill Hagerty: Working hard to promote legislation to support Bitcoin]\\n8. [Mayor of Jersey City, USA: Bitcoin is an inflation hedging tool, and I personally also hold ETH]',), ('Wow, are you playing tennis?',), ('Have a nice weekend, friends.',), ('Yes, the weekend needs exercise, it will be a good weekend',), ('Weekends are the days when I don’t want to go out. There are simply too many people outside. I need to find a place with fewer people😁',), ('*[Citi Financial Information]*\\n1. [The University of Wyoming establishes the Bitcoin Research Institute to export peer-reviewed academic research results on Bitcoin]\\n2. [VanEck Consultant: The logic of the Federal Reserve buying Bitcoin instead of Treasury bonds is based on the fixed total amount of Bitcoin]\\n3. [U.S. SEC accuses Citron Research founder of allegedly profiting US$16 million through securities fraud]\\n4. [Encryption Lawyer: Harris should ask the SEC Chairman to resign to show his attitude towards promoting the encryption economy during his administration]\\n5. [Democratic House of Representatives: Cryptocurrency regulation should not become a “partisan political game”]\\n6. [Galaxy CEO: The hypocrisy of American politicians has no end, I hope both parties will stand on the side of the encryption community]\\n7. [British hacker sentenced to 3.5 years in prison for Coinbase phishing scam, involving theft of approximately $900,000]\\n8. [Slovenia becomes the first EU country to issue sovereign digital bonds]\\n9. [South Korea’s Paju City collects 100 million won in local tax arrears by seizing virtual assets]\\n10. [Venezuela’s electoral body announced that Maduro was re-elected as president, although the opposition also claimed victory]',), ('Good morning, friends, a new week and a new start.',), ('*Good morning, friends in the group. I believe you all had a great weekend.*\\n*A wonderful week has begun again. Lisena wishes you all good work and profitable trading.*',), ('Lisena, are there any trading signals today?',), ('It really sucks to have no trading over the weekend.',), ('I have observed that the BTC market has been very volatile in the past few days. Will this affect our trading?',), ('*Hello friends in the group, if you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. As long as you have enough funds to join the transaction, we will multiply your funds several times in a short period of time. If you have any doubts or want to withdraw, you can withdraw your funds at any time without any loss. Every successful person has taken the first step boldly and is getting more and more stable on the road to success. Please don’t hesitate, please click on my avatar to contact me and let our Citigroup team take you to find the life you want to live.*',), (\"There have been no trading signals for two days and I can't wait any longer.\",), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), (\"I don't think it will affect us. We followed Mr. Andy's technical analysis team and made so many transactions based on the trading signals given, and we didn't suffer any losses. I remember that there was one time when the market was very unstable and no trading signals were given that day. So I believe that Mr. Andy's team is responsible for us\",), ('okay',), ('I am ready',), ('Alright, I got it',), ('I agree with what you said, but I think the only bad thing is that every time I increase funds, they cannot be credited to my account in time',), ('ok',), ('yes really great',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 20%\\nPurchase Price Range: 65800-66800',), ('Wish I could make that much money every day this profit is driving me crazy',), ('wow very big profit',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('This opportunity does not come along every day',), (\"Dude. Call me. Need to make sure you're ok. I'm worried.\",), ('I know, so just hope LOL',), ('Cherish every trading opportunity',), ('*Congratulations to all friends who made a profit today. If you don’t have a BTC contract trading account or are not familiar with our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. As long as you have enough funds to join the transaction, we will multiply your funds several times in a short period of time. If you have doubts or want to withdraw, you can withdraw at any time without any loss. Every successful person bravely took the first step and became more and more stable on the road to success. Please do not hesitate, please click on my avatar to contact me, and let our Citi team take you to find the life you want*',), (\"Of course I'm looking forward to it! Big deals bring big profits! I'm not a fool\",), (\"That's right, the more profit you make from big trades, the more you invest, the more you earn! Why not add a little more?\",), ('*[Citi Financial Information]*\\n1. Governor of the Russian Central Bank: The Russian Central Bank is expected to test crypto payments for the first time this year\\n2. Blockworks founder: Hope to invite Democratic presidential nominee Harris to attend the upcoming encryption conference\\n3. Gold advocate Peter Schiff: Biden administration will sell all Bitcoin before Trump takes office\\n4. Harris is considering Michigan Sen. Peters as her running mate\\n5.Real Vision Analyst: Bitcoin may have appeared on the balance sheets of multiple countries\\n6. U.S. Senator Cynthia Lummis: Bitcoin strategic reserves can prevent the “barbaric growth” of the U.S. national debt\\n7. CryptoQuant Research Director: After Bitcoin halving, smaller miners are selling Bitcoin, while larger miners are accumulating Bitcoin\\n8. Trump Friend: Trump has been interested in cryptocurrencies for the past two years',), ('It looks delicious! You should expect more than profit on big trades, as I do!',), ('*If you want to participate in the transaction, you can contact me. If you don’t have a BTC contract trading account and are not familiar with our contract trading, you can also send me a private message and I will teach you step by step.*',), ('I believe that with the help of Mr. Andy and Lisena, you will make enough money and quit your part-time job.',), ('Haha, I believe everyone doesn’t want to miss the trading signals.',), ('For me, this amount of money is the most I can afford! I even applied for a $20,000 bank loan! But I believe I can make money following Mr. Andy and Lisena! Maybe after the big deal is over, I will find a way to make more money! Maybe after the big deal is over, I can quit my part-time jobs, so that I can have more time to participate in trading and make more money than my part-time jobs.',), (\"I didn't make much profit, I think it's because I just started and I didn't invest enough money! But I will stick with it like you said.\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:65600-66600',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), ('Seriously starting to worry now.',), (\"*Notice:*\\n*Hello dear friends, according to the calculation data of Friday's non-agricultural data, the analyst team has formulated a trading plan, and the profit of a single transaction will reach more than 30%. Please contact me for more information.*\\n*Lisena Gocaj*\",), ('If I have any questions I will always contact you. Thank you, Lisena',), ('*If you have any questions, please feel free to contact me. You can call me anytime, whether it is a \"big deal\" or about registering a trading account or increasing the funds in your trading account.*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I closed a deal and made some money so I went out for drinks with my friends. Anyone want to celebrate with me?',), ('😎Persistence is the loneliest, but you have to persevere. In the end, it is the people who persevere who will be seen to succeed.',), ('Yes, all encounters are the guidance of fate.',), (\"*You're welcome. It's a fate that we can meet in this group.*\",), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:40pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*[Citi Financial Information]*\\n1. 【The United States plans to establish a strategic Bitcoin reserve by revaluing the gold part to raise funds】\\n2. 【Bernstein: Harris’ cryptocurrency shift will have difficulty influencing voters】\\n3. 【WSJ: Using Bitcoin as a strategic reserve asset contradicts the statement of “getting rid of the shackles of the government”】\\n4. 【The Bank of Italy develops a new permissioned consensus protocol for the central bank’s DLT system】\\n5. 【US Congressman Bill Hagerty: Make sure Bitcoin happens in the United States】\\n6. 【Judge approves former FTX executive Ryan Salame’s request to postpone jail time】\\n 7.【Bahamas launches Digital Asset DARE 2024 Act】\\n8. 【Goldman Sachs CEO: The Federal Reserve may cut interest rates once or twice this year】\\n 9. 【Japan Crypto-Asset Business Association and JVCEA jointly submit a request to the government for 2025 tax reform on crypto-assets】\\n 10. 【UK Law Commission proposes to establish new property class for crypto assets】',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:64300-64500',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('Haha, yes, he should be eager to join',), (\"I am celebrating today's victory with my family 🥂\",), ('I am also going to share this amazing good news with my friend, I believe he will be very surprised 😁',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), (\"Of course, who doesn't want to make money\",), ('*[Citi Financial Information]*\\n1. [Many CEXs in South Korea will begin to pay regulatory fees, which are expected to total approximately US$220,000]\\n2. [Harris was revealed to be in contact with top encryption companies recently]\\n3. [Johnber Kim was detained and prosecuted for allegedly manipulating a “fraud coin” with a market value of US$58.6 million]\\n4. [The Bank for International Settlements and the Bank of England launch the project “Pyxtrial” for stablecoin monitoring]\\n5. [Fed: The Federal Reserve will wait until confidence in curbing inflation increases before cutting interest rates. The FOMC focuses on the \"two-way risks\" of its dual mission]\\n6. [Bitwise CIO: Although politicians continue to publicly support Bitcoin, the market’s optimism for Bitcoin is still insufficient]\\n7. [XAI, owned by Musk, is considering acquiring the AI \\u200b\\u200bchatbot startup Character.AI]\\n8. [CryptoQuant CEO: Whales are preparing for the next round of altcoin rebound]\\n9. [Powell: Will continue to focus fully on dual missions]\\n10. [DBS Bank: The Federal Reserve will open the door to interest rate cuts]\\n11. [Biden adviser joins Harris Political Action Committee, it is unclear whether cryptocurrency is involved]',), ('*Dear members and friends, good morning☀️*',), ('Yes, our team is getting stronger and stronger.',), ('There are new friends coming in, welcome',), ('*Will it be different this time?*\\n*While history won’t repeat itself exactly, the rhythmic nature of past cycles — initial Bitcoin dominance, subsequent altcoin outperformance, and macroeconomic influences — set the stage for altcoin rallies. However, this time may be different. On the positive side, BTC and ETH have achieved mainstream adoption through ETFs, and retail and institutional inflows have hit all-time highs.*\\n*A word of caution, a larger and more diverse group of altcoins compete for investor capital, and many new projects have limited circulating supply due to airdrops, leading to future dilution. Only ecosystems with solid technology that can attract builders and users will thrive in this cycle.*',), ('*Macroeconomic Impact*\\n*Like other risk assets, cryptocurrencies are highly correlated to global net liquidity conditions. Global net liquidity has grown by 30-50% over the past two cycles. The recent Q2 sell-off was driven in part by tighter liquidity. However, the trajectory of Fed rate cuts looks favorable as Q2 data confirms slower inflation and growth.*\\n*The market currently prices a greater than 95% chance of a rate cut in September, up from 50% at the beginning of the third quarter. Additionally, crypto policy is becoming central to the US election, with Trump supporting crypto, which could influence the new Democratic candidate. The past two cycles also overlapped with the US election and the BTC halving event, increasing the potential for a rally*',), (\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",), ('*Dear members and friends, today’s trading signal will be released at 5:00pm (EST)! I hope everyone will pay attention to the news in the group at any time so as not to miss the profits of trading signals!*',), ('🌎🌍🌍*【Global News Today】*',), ('I have just joined this team and hope to learn more relevant trading knowledge from everyone in future transactions.🤝🏻🤝🏻🤝🏻',), (\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",), ('*Anatomy of a Crypto Bull Run*\\n*Analyzing previous crypto market cycles helps us understand the current market cycle.*\\n*Despite the short history of cryptocurrencies, with Bitcoin just turning 15 this year, we have already gone through three major cycles: 2011-2013, 2015-2017, and 2019-2021. The short cycles are not surprising, considering that the crypto markets trade 24/7 and have roughly five times the volume of the stock market. The 2011-2013 cycle was primarily centered around BTC, as ETH was launched in 2015. Analyzing the past two cycles reveals some patterns that help us understand the structure of the crypto bull market. History could repeat itself once again as the market heats up ahead of the US election and the outlook for liquidity improves.*',), (\"*Good morning, everyone. Today is a wonderful day. I see that the friends in the group are getting better and better. They are all working towards the same goal. We are a group. The magnetic force of positive energy will always attract each other. Tomorrow's non-agricultural trading plan, most of the friends in the group have signed up to participate. I know you don't want to miss such a good opportunity. I wish everyone will get rich profits*\",), ('thx',), ('Haha, yes, and it only took 10 min',), ('*Yes, please be patient and I will send the trading signal later.*',), ('Haha my friends watched me make money and now they want to join us',), ('*Tomorrow is the big non-agricultural plan. If you want to know more or want to join BTC smart contract trading, you can send me a message. I will explain more details to you and guide you how to get started.*',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 64000-65000',), ('My friend, it is OK. Now you just need to wait patiently for the trading signal.',), ('My god, our profits are so high, your friend may be shocked 🤣',), (\"It's the same feeling I had when I watched you guys making money Lol🤣\",), ('*[Citi Financial Information]*\\n1. [Russian Central Bank Governor: CBDC will become part of daily life in 2031]\\n2. [The leader of the U.S. Senate majority party introduced a bill to oppose the Supreme Court’s partial support of Trump’s immunity claim]\\n3. [Coinbase: Continue to file lawsuits against the US SEC if necessary]\\n4. [Crypto PAC-backed Republican Blake Masters lost the Arizona primary]\\n5. [New York Court of Appeals rejects Trump’s request to lift gag order in “hush money” case]\\n6. [VanEck CEO: Bitcoin’s market value will reach half of gold’s total market value]\\n7. [Apple CEO: Will continue to make major investments in artificial intelligence technology]\\n8. [Dubai Commercial Bank in the United Arab Emirates launches dedicated account for virtual asset service provider]\\n9. [Forbes Reporter: The Harris campaign team and encryption industry leaders will attend a meeting in Washington next Monday]\\n10. [The Digital Chamber of Commerce calls on U.S. lawmakers to vote in support of the “Bitcoin Reserve Act”]',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I agree too!',), ('*This month\\'s non-agricultural plan ends here. I believe that all members are very satisfied with this week\\'s profits. You are all great, just like this famous saying: \"Any road is walked by yourself, not waiting in a dream. It is particularly important to take the first step accurately.\" You have all done it. I hope that everyone and Citi World can go further and further on this win-win road. At the weekend, our Mr. Andy will lead the technical analysis team to survey the market and formulate a trading plan for next week. Thank you all friends for your support and recognition of my work*\\n\\n*Lisena Gocaj: I wish all friends in the group a happy weekend🌹🌹🌹*',), ('*Congratulations to all members for making a profit of 40%-50% in the first \"Big Non-Agricultural\" trading plan today. There is also a second \"Big Non-Agricultural\" trading signal today. I hope everyone will pay attention to the group dynamics at any time to avoid missing the trading signal benefits. If anyone wants to participate in the \"Big Non-Agricultural\" trading and obtain trading signals, please contact me and I will help you complete it.*',), ('Thanks to Teacher Andy and Lisena!',), ('*Dear members and friends, hello everyone, today\\'s first \"Big Non-Agricultural\" trading signal will be released at 4:00 pm (EST)! I hope you can pay attention to the dynamics of the group at any time to avoid missing the benefits of trading signals! If you want trading signals, you can click on my avatar to contact me*',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 62500-63500',), ('*Hello, everyone. Today, the second \"Non-Agricultural\" trading signal will be released at 8:30 pm (EST)! I hope you will pay attention to the dynamics of the group at any time to avoid missing the benefits brought by the trading signal! If you want trading signals, you can click on my avatar to contact me*',), (\"Ok, if I don't hear back from you I'm seriously gonna call the cops.\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*Congratulations to all friends who participated in the transaction. This month's non-agricultural plan has ended.*\\n *Lisena wishes everyone a wonderful and happy weekend*\",), (\"*You're welcome,members! Even though we only e-met each other, but still it feels like we have known each other for many years, because we got to know each other's personalities through time. We can all be good friends in this group, and we don't need to be too polite all of the time. I believe that friends should be honest with each other.*\",), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 61000-62000',), ('Very good profit!',), (\"It's been a week.\",), ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',), ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',), ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',), ('GOOD MORNING GOOD AFTERNOON GOODNIGHT !!!',), ('sorry for the radio silence! I’ve had a busy week with work/life stuff and lost track of time. Thanks for checking in—everything’s okay on my end.',), ('Dude, where have you been??? Last I heard you were on a cruise and then you mouthed off to Sharon?',), ('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!',), ('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!!',), ('I had to handle something.',), ('Oh. So tell.',), ('Hi',), ('👋🏻 there!!!\\nYou ok? Long time',), (\"GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!! Hope you're having a good weekend ily xoxoxoxo\",), ('SIMPLY IN LOVE',), ('6288219778388@s.whatsapp.net',), ('62895389716687@s.whatsapp.net;19736818333@s.whatsapp.net,19735109699@s.whatsapp.net,18482194434@s.whatsapp.net,19734522935@s.whatsapp.net,17572180776@s.whatsapp.net,17575756838@s.whatsapp.net,19735190307@s.whatsapp.net,18622331018@s.whatsapp.net,18624449919@s.whatsapp.net,17325894803@s.whatsapp.net,18623652223@s.whatsapp.net,19732595972@s.whatsapp.net,17039670153@s.whatsapp.net,17324708113@s.whatsapp.net,17037271232@s.whatsapp.net,17038627053@s.whatsapp.net,19735672426@s.whatsapp.net,19735806309@s.whatsapp.net,17037316918@s.whatsapp.net,19087271964@s.whatsapp.net,17039653343@s.whatsapp.net,17328191950@s.whatsapp.net,18623299073@s.whatsapp.net,19088873190@s.whatsapp.net,18482281939@s.whatsapp.net,19735808480@s.whatsapp.net,18623346881@s.whatsapp.net,18625712280@s.whatsapp.net,17329009342@s.whatsapp.net,19735833941@s.whatsapp.net,17037283524@s.whatsapp.net,18488440098@s.whatsapp.net,18565009728@s.whatsapp.net,17572794383@s.whatsapp.net,17329979675@s.whatsapp.net,19083927958@s.whatsapp.net,17572889212@s.whatsapp.net,18562630804@s.whatsapp.net,17327667875@s.whatsapp.net,19737227884@s.whatsapp.net,19738167411@s.whatsapp.net,19738706395@s.whatsapp.net,19085405192@s.whatsapp.net,19732101098@s.whatsapp.net,18565539504@s.whatsapp.net,18482473810@s.whatsapp.net,19734441231@s.whatsapp.net,18566412940@s.whatsapp.net,18622374143@s.whatsapp.net,19738618819@s.whatsapp.net,17039755496@s.whatsapp.net,19087236486@s.whatsapp.net,18566369366@s.whatsapp.net,19739914224@s.whatsapp.net,19084193937@s.whatsapp.net,17039092682@s.whatsapp.net,17325279160@s.whatsapp.net,18622410403@s.whatsapp.net,17329663506@s.whatsapp.net,19732621747@s.whatsapp.net,17036499585@s.whatsapp.net,18562130267@s.whatsapp.net,19739682827@s.whatsapp.net,17036499068@s.whatsapp.net,17572879370@s.whatsapp.net,19736894225@s.whatsapp.net,17328579912@s.whatsapp.net,19088125349@s.whatsapp.net,18622686408@s.whatsapp.net,17326145797@s.whatsapp.net,19083579011@s.whatsapp.net,17572371327@s.whatsapp.net,19084336270@s.whatsapp.net,17572011990@s.whatsapp.net,19734191473@s.whatsapp.net,19739643320@s.whatsapp.net,18629442264@s.whatsapp.net',), ('admin_add',), ('Hey! How are you?',), ('{\"is_admin\":false,\"trigger_type\":0}',), ('447774217081@s.whatsapp.net',), ('447774217081@s.whatsapp.net',), ('447774217081@s.whatsapp.net',), ('{\"is_parent_group_general_chat\":false,\"reason\":0,\"context_group\":null,\"is_initially_empty\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"parent_group_jid\":\"120363304649477491@g.us\",\"should_use_identity_header\":false,\"show_membership_string\":true,\"is_open_group\":false,\"subject\":null,\"auto_add_disabled\":false,\"author\":\"447774218634@s.whatsapp.net\"}',), ('{\"context_group\":null,\"is_initially_empty\":false,\"author\":\"447774218634@s.whatsapp.net\",\"is_parent_group_general_chat\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"is_open_group\":false,\"should_use_identity_header\":false,\"auto_add_disabled\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 5\",\"is_hidden_sub_group\":false,\"groupJID\":\"120363021860168333@g.us\"},{\"groupJID\":\"120363023952078149@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 3\",\"is_hidden_sub_group\":false},{\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts 4\",\"groupJID\":\"120363040642031212@g.us\"},{\"is_hidden_sub_group\":false,\"groupJID\":\"6281345495551-1582787805@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 19\"},{\"groupJID\":\"6281958150302-1578736572@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 16\",\"is_hidden_sub_group\":false},{\"subject\":\"📈📈8-12 BTC Contracts - 22\",\"groupJID\":\"6281958150302-1592367394@g.us\",\"is_hidden_sub_group\":false},{\"subject\":\"📈📈8-12 BTC Contracts 18\",\"groupJID\":\"6282250585501-1580972345@g.us\",\"is_hidden_sub_group\":false},{\"groupJID\":\"6285349796569-1603636646@g.us\",\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts - 23\"},{\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts 17\",\"groupJID\":\"6285654289426-1605961176@g.us\"},{\"groupJID\":\"6285845305853-1584204877@g.us\",\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts - 21\"}],\"show_membership_string\":false,\"subject\":null,\"reason\":0,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\"}',), ('{\"show_membership_string\":false,\"subject\":null,\"auto_add_disabled\":true,\"should_use_identity_header\":false,\"is_initially_empty\":false,\"is_open_group\":false,\"reason\":4,\"author\":\"447774218634@s.whatsapp.net\",\"parent_group_jid\":\"120363304649477491@g.us\",\"is_parent_group_general_chat\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"context_group\":null}',), ('{\"is_initially_empty\":false,\"linked_groups\":[{\"groupJID\":\"6285845305853-1584204877@g.us\",\"subject\":\"📈📈8-12 BTC Contracts - 21\",\"is_hidden_sub_group\":false}],\"context_group\":null,\"subject\":null,\"is_parent_group_general_chat\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"author\":\"15038639039@s.whatsapp.net\",\"show_membership_string\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"auto_add_disabled\":false,\"reason\":0,\"is_open_group\":false,\"should_use_identity_header\":false}',), ('{\"parent_group_jid\":\"120363304649477491@g.us\",\"is_initially_empty\":false,\"show_membership_string\":false,\"auto_add_disabled\":false,\"context_group\":null,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts - 22\",\"is_hidden_sub_group\":false,\"groupJID\":\"6281958150302-1592367394@g.us\"}],\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"is_open_group\":false,\"is_parent_group_general_chat\":false,\"subject\":null,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"should_use_identity_header\":false}',), ('{\"auto_add_disabled\":false,\"should_use_identity_header\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"show_membership_string\":false,\"context_group\":null,\"is_open_group\":false,\"is_parent_group_general_chat\":false,\"subject\":null,\"is_initially_empty\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts - 23\",\"is_hidden_sub_group\":false,\"groupJID\":\"6285349796569-1603636646@g.us\"}]}',), ('{\"is_parent_group_general_chat\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"subject\":null,\"context_group\":null,\"reason\":0,\"show_membership_string\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"is_initially_empty\":false,\"should_use_identity_header\":false,\"is_open_group\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 16\",\"is_hidden_sub_group\":false,\"groupJID\":\"6281958150302-1578736572@g.us\"}],\"auto_add_disabled\":false}',), ('{\"auto_add_disabled\":false,\"should_use_identity_header\":false,\"show_membership_string\":false,\"linked_groups\":[{\"groupJID\":\"6285654289426-1605961176@g.us\",\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts 17\"}],\"is_parent_group_general_chat\":false,\"is_initially_empty\":false,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"context_group\":null,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"subject\":null,\"parent_group_jid\":\"120363304649477491@g.us\",\"is_open_group\":false}',), ('{\"parent_group_jid\":\"120363304649477491@g.us\",\"is_initially_empty\":false,\"show_membership_string\":false,\"auto_add_disabled\":false,\"context_group\":null,\"linked_groups\":[{\"groupJID\":\"6282250585501-1580972345@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 18\",\"is_hidden_sub_group\":false}],\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"is_open_group\":false,\"is_parent_group_general_chat\":false,\"subject\":null,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"should_use_identity_header\":false}',), ('{\"author\":\"15038639039@s.whatsapp.net\",\"should_use_identity_header\":false,\"is_parent_group_general_chat\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"linked_groups\":[{\"is_hidden_sub_group\":false,\"groupJID\":\"120363023952078149@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 3\"}],\"auto_add_disabled\":false,\"context_group\":null,\"subject\":null,\"reason\":0,\"is_open_group\":false,\"show_membership_string\":false,\"is_initially_empty\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\"}',), ('{\"context_group\":null,\"reason\":0,\"auto_add_disabled\":false,\"is_parent_group_general_chat\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"subject\":null,\"is_initially_empty\":false,\"show_membership_string\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 19\",\"groupJID\":\"6281345495551-1582787805@g.us\",\"is_hidden_sub_group\":false}],\"should_use_identity_header\":false,\"is_open_group\":false,\"parent_group_jid\":\"120363304649477491@g.us\"}',), ('{\"parent_group_jid\":\"120363304649477491@g.us\",\"show_membership_string\":false,\"is_parent_group_general_chat\":false,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"is_initially_empty\":false,\"subject\":null,\"should_use_identity_header\":false,\"linked_groups\":[{\"groupJID\":\"120363040642031212@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 4\",\"is_hidden_sub_group\":false}],\"context_group\":null,\"is_open_group\":false,\"auto_add_disabled\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\"}',), ('{\"m0\":true,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"is_tappable\":true}',), ('{\"should_use_identity_header\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 5\",\"is_hidden_sub_group\":false,\"groupJID\":\"120363021860168333@g.us\"}],\"is_open_group\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"auto_add_disabled\":false,\"context_group\":null,\"is_initially_empty\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"show_membership_string\":false,\"subject\":null,\"is_parent_group_general_chat\":false}',), ('Thanks for inviting me to join the BTC trading group',), ('*In this community, you can enjoy the following support:*\\n\\n*1️⃣. How to earn more than 15 times the principal in one month*\\n\\n*2️⃣. Trading signals in the cryptocurrency market*\\n\\n*3️⃣. Cryptocurrency market analysis*\\n\\n*4️⃣. Trading skills in the global mainstream investment market*\\n\\n*In addition, my team and I will share future analysis and views on the cryptocurrency market in the community every day. I believe that joining this community will definitely help your investment*',), ('*SKOI official website: https://skoi.cc/*',), ('Mr. Robechucks was delighted to invite me to the group again',), ('*Investors who successfully register this week will have the opportunity to receive a $200 bonus for depositing $1,000, first come first served*\\n\\n*If you are interested in cryptocurrency, please contact my assistant*\\n\\n*👇🏻Telegram👇🏻*\\nhttps://t.me/Anna_Malina05',), ('I have been investing in cryptocurrencies for 5 years and this is great news for me',), ('When did Mr. Robechucks start directing transactions?🤣',), ('Thank you for your invitation. When will the BTC trading start today?',), (\"During this period, I followed Mr. Robechucks's guidance on transactions, which brought me one step closer to buying a house🤝🏻\",), (\"Follow Mr. Robechucks Raul's investment advice and I believe you can afford a house this year😄\",), ('Yes, I think so too. This is my recent profit. I believe my capital will increase in the next few months',), (\"Great, please start trading, I'm ready\",), ('Okay, Mr. Robechucks',), (\"Please start giving trading suggestions. Today's recharge has been completed, so I am very confident now😃\",), (\"OK, I'll keep an eye out for your information\",), ('*📈📈📈📈Order suggestions*\\n*⚠️⚠️⚠️Investment order amount: 2000USDT!*\\n*✅BTC/USDT【Buy】*\\n*✅Position selection time: 60S*\\n*✅Quantity: 2000 USDT (click to buy)*\\n*✅ (Please complete the operation within 10 seconds)*',), ('OK',), ('*⚠️⚠️⚠️The second instruction will be issued soon, please be ready*',), ('*📈📈📈📈Order suggestions*\\n*⚠️⚠️⚠️Investment order amount: 2000USDT!*\\n*✅BTC/USDT【Buy】*\\n*✅Position selection time: 60S*\\n*✅Quantity: 2000 USDT (click to buy)*\\n*✅ (Please complete the operation within 10 seconds)*',), ('Profit $1760',), (\"I'm very happy that I made money on my first order. Please continue\",), ('This is a good start, please keep going and look forward to winning streak😁',), ('win',), ('It’s the second consecutive victory. Today’s market is very good. I continue to look forward to the third consecutive victory😃',), ('The professionalism of the analyst is beyond doubt',), ('The two have won in a row, ask the analyst to bring us more profitable orders',), ('Hope to always cooperate with analysts for win-win results🤝🤝',), (\"Today's profit plan is great😀\",), ('It is a good decision to follow the guidance of Robechucks Raul analyst',), ('I love the profits from this simple trade, it gives me a great sense of achievement',), ('Thank you sir for your trading guidance',), ('Okay, thanks for the hard work of the analyst, looking forward to trading tomorrow, see you tomorrow, I wish you a happy life🤝',), ('Good morning, everyone.🤣',), ('*📣📣📣Good morning everyone. Recently, many new members in the team don’t know much about our company. Let me introduce our company to you*',), ('Okay, Mr. Robechucks',), ('Currently, I have achieved more than 2 times of wealth growth every month. Although I have not yet achieved 20 times of profit, I think it is possible for me to achieve 20 times of profit in the near future',), ('This is awesome, I’m honored to join by reviewing😁',), ('Very powerful👍🏻',), (\"I know, I've saved it\",), ('*This is the SKOI website: http://skoi.cc/*\\n\\n*This is the AONE COIN exchange website: https://www.aonecoin.top/*',), ('GOOD MORNING GOOD AFTERNOON GOODNIGHT CUBBIES!!!',), ('*Our SKOI Investment Advisory Company currently has more than 400 senior analysts from all over the world, which is a large scale*\\n\\n*SKOI has a top leadership team with decades of investment and trading experience, strong business execution and deep market insight, and the entire company is committed to maintaining the highest compliance and regulatory standards in the digital asset economy*',), ('Please continue sir, I would like to know more🧐',), ('*SKOI is a leading asset management company in Asia headquartered in Singapore. It was founded in 1994 and currently has six offices in Hong Kong, South Africa, South Korea, Australia, the United Kingdom and the United States to maintain service continuity and build strong client relationships*',), ('It is amazing for a company to last for thirty years',), ('The 15% service fee is not high, allowing us to get more profits, and analysts will judge the market for us and reduce investment risks',), (\"*Our company is committed to serving all investors around the world and providing them with a good and safe trading environment. Our company serves tens of millions of investors every year and helps many investors achieve wealth freedom. Each investor who cooperates with us will pay 15% of the total profit as our company's service fee, achieving win-win cooperation with investors*\",), ('*Why does our company share investment advice with all investors? Because we work with investors to achieve win-win results*',), ('I believe that win-win cooperation leads to long-term cooperation',), ('I agree with this👍🏻',), (\"Thank you for your introduction, I am confident about today's profit plan🤝🏻\",), ('Mr. Robechucks, I await your orders🤝🏻',), ('Nearly $100K, is this just a small portion of your money?',), ('I have prepared a small amount of funds',), ('OK sir',), ('📣📣📣*Dear investors in the group, please be prepared, I will release the BTC trading guidance signal direction*',), (\"Got it, I'm ready\",), ('*⚠️Order suggestion*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to buy)*\\n\\n*✅(Please complete the operation within 10 seconds)*',), ('OK',), ('Beautiful instruction, the first instruction is profitable',), ('Please continue with the next instruction. I have plenty of time to follow👍🏻',), ('Profit $1760',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 4000 USDT!*\\n\\n*✅BTC/USDT [Sell]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 4000 USDT (click to sell)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), (\"Mr. Robechucks, today's profit target has been achieved, thank you for bringing me a huge profit\",), ('Perfect two consecutive victories, looking forward to the arrival of three consecutive victories',), ('👍🏻👍🏻Thank you sir, the wallet keeps growing',), (\"It's a pity that there are only two instructions today🧐\",), ('Thank you sir, looking forward to your profit plan tomorrow, good night👏🏻',), ('GOOD MORNING ☀️ GOOD AFTERNOON 🌺 GOODNIGHT CUBBIES 🌙 !!!',), ('Everything is ready and looking forward to today’s guidance',), ('Following Mr. Robechucks’ investment, I believe that not only will my wallet grow, but I will also learn a lot.👏',), ('Enjoy life👍🏻',), ('You are a foodie🤣',), ('Thank you Mr. Robechucks, when will our profit plan start today?',), ('I applied to the assistant to speak. I am very happy to be an administrator. Thank you for the invitation from the analyst',), ('Yes',), ('Welcome new friends to join us and make money together🤝🏻',), ('Nice, a very good start, hope to keep making profits👏🏻',), ('The first order made a profit of $1760, I am very happy',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Buy]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), (\"okay, finally when it's time to be happy, I'm ready😃\",), ('*⚠️⚠️⚠️⚠️I am about to issue the first instruction*',), ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',), ('Okay, long awaited. Always ready for this',), ('Everyone is making money, I am becoming more and more confident, I believe I can also make more money👍',), (\"OK, I'll keep an eye out for your information\",), ('OK, please start',), (\"Thank you Mr. Robechucks, I am very satisfied with today's two order transactions.🤝🏻\",), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Sell]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to sell)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('*⚠️⚠️⚠️⚠️I am about to issue the second command*',), ('Great...The analyst has brought us two consecutive victories',), ('win',), ('Thank you Mr. Robechucks, looking forward to your guidance trading tomorrow👍🏻',), ('Profit $3520',), ('Please continue😀',), ('OK',), ('Good morning, everyone.',), ('The operation of Bitcoin second contract trading is very simple. Regardless of whether you have ever been exposed to investing before, as long as you apply for a trading account of your own. You can make money by following the guidance of analysts',), ('Friend, I invest in BTC seconds contract trading',), ('Of course, it was profitable and I already made six withdrawals',), ('What are you guys investing in?',), ('I do not understand. How to invest. how it works',), ('Virtual Reality? invest? Is it profitable?',), ('Investing is simple. We just need to follow the guidance of analysts and place orders to make profits',), ('Only 5000 USDT can be deposited at one time😔',), ('Are ready',), (\"I don't care about anything else. I only care about when today's plan starts\",), ('OK sir,',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Buy]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('Perfect two-game winning streak',), ('*⚠️⚠️⚠️⚠️I am about to issue the first instruction, please be prepared*',), ('Good sir',), ('OK',), (\"OK, let's start\",), ('Profit $1760👍🏻',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Sell]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to sell)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('*⚠️⚠️⚠️I am about to issue the second instruction, please be prepared*',), ('win',), ('I like these two orders very much, which made me a profit of $3520',), (\"Thank you sir, I am very satisfied with today's profit plan😄\",), ('https://drive.google.com/drive/folders/1d5OCAPXXpq1m8rQYjmytxHUMQgwpr9jR',), ('Hey dude. Take a look at these and let me know what you think.',), ('Good afternoon Mr. Robechucks',), ('Looking forward to analyst guidance today.',), ('OK',), ('$4000 Profit Plan is great👏🏻',), ('*🌺🌺We cannot guarantee that every BTC guidance suggestion is profitable, but as long as you are ready, you are a winner*\\n\\n*🌺🌺When you have enough funds in your account, you can take all risks*',), ('*Coinbase, crypto, Cash, and kraken have opened international investment deposit and withdrawal channels. Any country’s fiat currency can be bought and sold here.*',), ('*This is all the crypto wallets suitable for investment use:*\\n\\n*Coinbase wallet registration link: https://www.coinbase.com/*\\n\\n*Crypto wallet registration link: https://crypto.com/*\\n\\n*Cash wallet registration link: https://cashAPP.com/*\\n\\n*Kraken wallet registration link: https://www.kraken.com/*',), ('Mr Robechucks is very professional👍🏻',), ('OK',), ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',), (\"OK Mr. Robechucks, let's get started👏🏻\",), ('*⚠️⚠️⚠️Investment order amount: 5000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 5000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('Mr. Robechucks is very powerful, please continue to the next instruction',), ('I like this order very much, profit $4400👏🏻👏🏻👏🏻',), ('Is there only one order today? Unfortunately, I only made $1760 from this order',), ('I made a profit of $1760🧐',), ('Adequate funding is the key to my success.🤣🤣',), (\"Thanks Mr. Robechucks, I am very happy with today's profit plan, although there is only one instruction\",), ('Thank you analyst, please have a good rest',)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple instances of names that are likely to be personal names, such as 'Chad Hunt', 'Toni Yu', 'Charles Finley', 'Ronen Engler', 'John Raynolds', and 'Jonathan Reyes'.\"}\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : ['ZCONTACTNAME', 'ZPARTNERNAME', 'ZAUTHORNAME', 'ZTEXT', 'ZPUSHNAME']\n", - "\n", - "--- END METADATA ---\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find PERSON_NAME in the database\n", - "1: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "2: AI -> Retrieved 100 rows\n", - "3: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "4: AI -> Retrieved 1188 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 3\n", - "phase : extraction\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "extraction_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "rows_count : 1188\n", - "rows_sample : [('Follow me',), ('Test',), ('The Chamber',), ('Group',), ('Group-A',), ('Chad Hunt',), ('Toni Yu',), ('\\u200eWhatsApp',), ('\\u200eYou',), ('Charles Finley',), ('Ronen Engler',), ('John Raynolds',), ('Netflix',), ('The Dodo',), ('Jonathan Reyes',), ('Ronen Engler',), ('Johnny Good',), ('Keeps',), ('\\u200eWhatsApp',), ('Russell Philby',), ('Citi tudy group209',), ('Citi tudy group218',), ('Sharon 😍',), ('Abe Rudder',), ('📈📈8-12 BTC Contracts 5',), ('📈📈8-12 BTC Contracts 2',), ('📈📈8-12 BTC Contracts 2',), ('Group-A',), ('Moo',), ('Hola',), ('If you need anything give my man Rick a call.',), ('Remember this placep?',), ('He will never let you down, or give you up!!',), ('Gotta love vinyl...',), ('Phew. Only saw the first part of your text. Glad you’re good',), ('Long time no talk',), ('Hello there Otto',), ('Yolo!',), (\"It's your boy Reynolds. New number\",), ('Got time for call bud?',), ('Surely',), ('Need a package picked up at 12503 E Via De Palmas, Chandler, AZ on Tuesday and taken to 8500 Peña Blvd, Denver, CO ask the bartender at Mesa Verde Bar “where are the goats around here?” He’ll tell where to drop the package, COD at the drop off spot',), ('Let me know if you down to deliver',), ('That place? SkinnyFat? \\nhttps://maps.app.goo.gl/G5eC89JQKhhzKcQL8?g_st=iw',), ('Sure I’m not too far away. Can go pickup in a bit.',), (\"That's the spot\",), ('If you deliver the goods without drama. I got more work for you',), ('Make me proud',), ('Looking forward. Might need to Uber around \\nWill update.',), ('Seriously sweet \"honkers\"...',), ('that was taken just now that’s actually me😌',), ('you up?',), ('admin reveal:',), (\"You won't believe how rescuers were able to get this pup out 💙\\n\\nRead the story here: https://thedo.do/3Pg0a4Y\",), ('Wait until you find out what they named him\\xa0\\U0001f979\\n\\nRead the story here: https://thedo.do/3sXQLaN',), ('This kitten is so lucky\\xa0\\U0001f979\\n\\nRead the rescue story here: https://thedo.do/3LnEsen',), (\"Hello fellow animal lovers 👋 Welcome to The Dodo's WhatsApp channel! Your daily dose of happy 🐾❤️\",), ('(🎥: @tornado.watch)',), ('We bet you’ve never heard of this animal! \\n\\nRead more about this wild story: https://thedo.do/3RnEYwA',), ('The surprise of a lifetime!\\xa0💜\\n\\nRead the story here: https://thedo.do/3EHcSVE',), ('How did he do that?\\xa0😂 \\n\\nRead the story here: https://thedo.do/48mLmKq',), ('‼️ like this if it’s friday eve where you are ‼️',), ('but that does mean your monday is my sunday so maybe im chosen after all 😌💅',), ('‼️ like this if it’s already friday and you’re one of the chosen ones 😒‼️',), ('So my plans have changed a bit. Had to send the 🐐 email it’s som good old friend. He just made it 🐶',), ('Ah thanks for the update',), ('She didn’t want to bring him back 😮\\n\\nRead the story here: https://thedo.do/3LzSdXd',), ('trying to pick my mood for the weekend',), ('lil mix of both i suppose 🥰',), ('Nice reflection \\nWhere dat?',), ('Btw. Talked to the owner. I follow them on IG \\nhttps://instagram.com/skinnyfatfarms?igshid=MzRlODBiNWFlZA==',), ('They have some big business going on there. “Farm”',), ('Let me know if you need an intro, could save few € next time',), ('Good lookin out Otto',), ('They were too stunned to speak\\xa0\\U0001fae2\\n\\nRead the story here: https://thedo.do/3RzNZTf',), (\"That's where..lol\",), ('She’s been waiting for this moment\\xa0❤️\\n\\nRead the story here: https://thedo.do/3RBJsA2',), ('guess who didn’t send this message with their hands 😌',), ('https://g.co/kgs/tgEJ3h',), ('castlevania stans 👀',), ('one week.. ⚽️',), ('oh and before i forget',), ('LIKE THIS if you want me to do manual labor and physically type out what’s coming new to netflix in october',), ('LIKE THIS if you want a lil graphic instead',), ('that’s v sweet of you ^ ❤️💕\\U0001f979 (even tho it’s close 😒)',), ('They didn’t expect to find this \\U0001f979\\n\\nRead the story here: https://thedo.do/3PVaktu',), ('Wait until you see this face\\xa0\\U0001f979\\n\\n\\nRead the story here: https://thedo.do/45cQuOL',), ('So. Many. Dogs.\\xa0🐶💜🐶\\n\\nRead the story here: https://thedo.do/46vqqiU',), ('yall',), ('this season of love is blind is so unhinged',), ('I see that you are in town. I have a particularly rare and unique specimen in my possession',), ('Ah just missed you.',), ('Hoping you can help move it to a contact in your wealthy rolodex :-)',), ('You’re getting here?',), ('Working on it -- have some other clients to wrap up with',), ('Send you an ETA shortly',), ('Well, that was an unexpected encounter!\\n\\nRead the story here: https://thedo.do/3Q0dzjj',), ('on october 3rd, he asked me what day it was',), ('Get you a friend who will do this…\\n\\nRead the story: https://thedo.do/3LMZdjT',), (\"Nice catching up. Thanks shouldn't make you some $$$\",), (\"I'll make sure this gets back to the boss.\",), ('Yes 🙌',), ('Until next time!',), ('He got a second chance at life\\xa0\\U0001f979💙\\n\\nRead more: https://thedo.do/46xBgEW',), ('What’s that in the water?\\xa0😳\\n\\nRead the story: https://thedo.do/3LRuWjT',), ('alia bhatt appreciation post',), ('Adopt Fate!\\xa0🐶💕 We’re Live with ASPCA to watch this adoptable pup from NYC enjoy a very special surprise. \\n\\nMeet her here: https://thedo.do/3RN7isj',), ('i know you would say thank you if you could',), ('here’s a weekend gift from me to you',), ('ok who is as excited as i am for this',), ('that photo is just ✨chefs kiss✨',), ('just wanted to show you guys this pic of me looking at my unread emails this morning',), ('send help',), (\"You won't be able to choose 😻\\n\\n👉 https://thedo.do/3RVbcQg\",), ('admin breakfast',), ('Can’t believe they found her!\\xa0😮\\n\\nRead about the rescue here: https://thedo.do/3QccCEt',), ('The way she ran to him\\xa0💙\\n\\nSee the reunion here: https://thedo.do/3FfSLOy',), (\"Yo interested in a massive score? Huge payout low risk. Bit last-minute, but it's gonna be worth it. San Diego Convention center this Saturday. Gonna have a team of pros this go around so even the load and ensure success. You in?\",), ('Yeah I’m in. \\nLet me see how quick I could find a flight to get there',), ('Let me know when you land',), ('Excellent',), ('Yo. You around?',), ('they invented formal wear',), ('How did that get in there?\\xa0🐿️\\n\\nFind out here: https://thedo.do/3ZZMOyO',), ('17852533080@s.whatsapp.net',), (\"He'd never seen anything like this 😮\\n\\nRead more: https://thedo.do/3tynAeB\",), ('in a meeting but would rather be talkin to u',), ('if my boss is in here i’m jk! 🥰',), ('the real spooky season',), ('Read this if you dare 😱 👻🎃\\n\\n👉 https://thedo.do/3M9iBHK',), ('🤪 HAPPY FRIDAY (or whatever day it is where you are)!!!!!🤪',), ('here to make you un-bored because you’re my friends',), ('if you love me back just put a heart on this message (you better)',), (\"It's Reptile Awareness Day and we are VERY aware of this 14-foot reptile 🐍. \\n\\nRead the full story: https://thedo.do/3Q7aFIh\",), ('like? no notes',), ('i need to share one of my fav movie scenes literally ever',), ('soooooo',), ('They never lost hope 😭\\n\\n👉 https://thedo.do/3SdX3xz',), ('Cat or void? 🐈\\u200d⬛ \\n\\nRead to find out: https://thedo.do/3QmdUgl',), ('ITS DAY 1',), ('All she wanted was her happily-ever-after 😭\\n\\nRead her story: https://thedo.do/3NViC3b',), ('i wish you guys could respond to me 😣 but if i see you talking about me on social ill try to respond in here !!!!!',), (\"He almost didn't notice her 🥺\\n\\nRead more: https://thedo.do/3UuKLlB\",), ('This dog rescuer got a devastating call 💔\\n\\nRead more: https://thedo.do/42F6Vnm',), ('Someone was trapped inside! \\n\\nRead to find out what they found \\U0001f979 https://thedo.do/3w7RmZ3',), ('i’m in my feelings',), ('They can’t tell what kind of animal this is 👀\\n\\nRead more: https://thedo.do/3QSqtQg',), ('GOOOOD MORNING CUBBBBIES',), ('Hey bud. Hope it’s more secure here',), ('I’m with the gang but they have someone at the table across',), ('Yes sir. Super nice.',), ('Occasionally off but otherwise ok. 🤣',), ('lol\\nComing? Need you to intro if you could',), ('I’m shy with girlz',), (\"Of course, my dude. Pretty sure she's available. Last dude was a prick like cacti b.\",), ('Are you still alive?',), ('Yeah. Had good time\\nThanks for the intro to Sharon.',), ('We even met earlier but I know she has to leave today',), ('Werd.',), ('She’s actually really cool 😎',), (\"That sucks. How'd it go?\",), ('We will follow up',), ('Nice! Glad you hit it off.',), ('But I’m in a meeting and was wondering if you have anything for me for later?',), (\"Sure. Let's connect later. I've got a couple of meetings myself coming up.\",), ('I’m at the Cloud9 \\n\\nBattery about to die. Coming here?',), (\"I'll be at the main hall tomorrow morning.\",), ('Nah, in another meeting over here.',), ('EMILY IN PARIS FIRST LOOOOKS! (coming aug 15)',), (\"Good after party of you're interested\",), ('Safe travels. It was great to see you as always, and productive . 😀',), ('Till next time. \\nWe need to work on what we’ve discussed before Salt Lake',), ('Of course. Hows it going with Sharon?',), ('Haven’t talked to her since she left I know she got bit busy but we had some nice discussion about some very nice ideas 💡 \\nStill digesting',), ('Awesome!',), ('Bro. Almost got shot today.',), (\"What the hell you'd do?\",), ('https://x.com/emergencystream/status/1800602193025769961?s=46',), ('Was just heading back to the Marriott from that peach tree center',), ('And people pushed us on the way, shouting active shooter',), ('Lol. I thought like you were getting shot at.',), ('Almost as bad. Sheesh.',), ('Me too. Mass shooting. I bailed',), ('Well I’m grabbing dinner now. Got lots of popo here now',), ('I bet. Def lay low.',), ('Btw. Have you heard from Sharon lately?',), (\"Sorry, missed this. No, I haven't. She's been unusually quiet.\",), (\"You didn't make her mad, did you? 🤣\",), ('Well I hope not',), ('If you see them tell them I said hello.',), ('I know those two!',), ('Wilco',), ('No kidding! How did it go?',), ('S is missing you a little, I think. When did you last talk to her?',), ('Trying to reach out to her on Signal but I get no signal.',), ('She said she got kicked out. Trying now again. Weird',), ('okay cubbies i gotta go to bed now. good night (morning/afternoon) ily sweet dreams 🌙✨💤',), ('i’m with the That ‘90s Show cast right now and they wanted to say HIIII',), ('how rude of me… GOOD MORNING AFTERNOON NIGHT CUBBIES',), ('Happy Sunday wine 🍷',), (\"Lucky you. Was stuck doing paperwork all day yesterday. I could've used some of that. It would have made the process much more fun.\",), ('HI CUBBIES!!',), ('{\"auto_add_disabled\":true,\"author\":\"5359042582@s.whatsapp.net\",\"show_membership_string\":false,\"is_initially_empty\":false,\"context_group\":null,\"parent_group_jid\":\"120363294790600721@g.us\",\"should_use_identity_header\":false,\"reason\":4,\"parent_group_name\":\"Citi tudy group209\",\"is_parent_group_general_chat\":false,\"is_open_group\":false,\"subject\":null}',), ('{\"is_open_group\":false,\"parent_group_jid\":\"120363294790600721@g.us\",\"reason\":0,\"auto_add_disabled\":true,\"should_use_identity_header\":false,\"author\":\"5359042582@s.whatsapp.net\",\"is_initially_empty\":false,\"is_parent_group_general_chat\":false,\"parent_group_name\":\"Citi tudy group209\",\"subject\":null,\"context_group\":null,\"show_membership_string\":false}',), ('Citi tudy group218',), ('{\"updated_description\":\"This is the Citi World Crypto Market, a club that brings together investment-friendly exchanges around the world. Here, you can exchange experiences and discuss with high-end investors. Professional market signal guidance and analysis provides you with accurate information to achieve a win-win situation. Friends from all over the world are welcome to share investment experience and insights.\"}',), ('🙋\\u200d♀️🙋\\u200d♀️🙋\\u200d♀️ *Hello everyone, welcome to the Citigroup club, this club focuses on trading programs, we can communicate with each other, in order not to cause group members to disturbances, I hope you green speech, do not involve any race, religion and other political issues in the exchange!*',), ('13412133458@s.whatsapp.net',), ('13412133458@s.whatsapp.net',), (\"*In this club you can enjoy the following support from Mr. Andy Sieg's team:*\\n1, Trading signals in the crypto market\\n2, Trend analysis of the crypto market\\n3、Trading techniques of global mainstream markets\\n*I believe this club will be helpful to you.*\",), (\"*Welcome to all newcomers to the club. Don't be surprised why you're here. You should feel good. Every quarter, Mr. Andy Sieg picks some lucky people in the financial markets to become members of the Citigroup Club, with the aim of paving the way for Citigroup's foray into the crypto market, which will require some support.*\",), ('13213147461@s.whatsapp.net',), (' *Hello everyone, I am Lisena Gocaj, the team assistant of Mr. Andy Sieg of Citigroup, welcome to this community, it is a pleasure to see you all again, please continue to pay attention to this community. Mr. Andy Sieg will analyze the latest situation of the investment market at all levels from time to time, and tomorrow he will be in the community to share his many years of experience in the investment industry, and I hope to bring you a good learning and exchange! We hope to bring you a good atmosphere for learning and exchange! Currently our community group is open for group administrators for the time being, there are limited spots, if you are interested in this, please private message me for more details 💬☕️*',), ('*Many of you may not know who Andy Sieg Analyst is, so let me introduce you to him:*\\nAndy Sieg joined Citi in September 2023 as Head of Wealth. He is a member of Citi’s Executive Management Team.\\n\\nAndy was previously the president of Merrill Wealth Management, where he oversaw a team of more than 25,000 people providing investment and wealth management services to individuals and businesses across the U.S. He joined Merrill Lynch in 1992, and previously held senior strategy, product and field leadership roles in the wealth management business.\\n\\nFrom 2005 to 2009, Andy served as a senior wealth management executive at Citi. He returned to Merrill Lynch in 2009 after the firm’s acquisition by Bank of America. Earlier in his career, Andy served in the White House as an aide to the assistant to the President for Economic and Domestic Policy.',), ('*1 .Financial consulting and planning:* \\nWe all know that everyone has different jobs, incomes and expenses. Therefore, various lifestyles have been formed, but with the continuous development of the economy, our living standards are also constantly improving, but there are always some reasons that affect our lives. For example, wars, viruses, conflicts of interest between countries and regions can lead to inflation that can throw our families out of balance. Therefore, financial advice and planning are very necessary.',), ('*Now let me describe what Citigroup can position to offer investors?*',), ('*2.Private Wealth Management*\\nBased on our understanding of investors, we will provide investors with suitable investment brokers, help investors with wealth management, focus on talents, and provide a wealth of strategic wealth management services for investors to choose from. It is mainly reflected in two aspects: the autonomy is clear and more precise financial allocation can be made; on the other hand, these financial analysts are investments with rich practical experience and expertise in portfolio and risk management (global perspective). Brokers, offering investors a wide range of products and services.',), ('*3.Portfolio*\\nBased on the principle that investment comes with return and risk, our cryptocurrency research and investment department will create solutions that are both offensive and defensive to help investors reduce or avoid risks and achieve wealth appreciation, which is one of our original intentions and cooperation goals.',), ('*4.Set investment scope and diversify investment products* \\nWe will formulate a variety of investment strategies through research, investigation, report analysis, news tracking, sand table simulation exercises, etc. according to the needs and risk tolerance of investors. Diversified investment products, such as open-end funds, closed-end funds, hedge funds, trust investment funds, insurance funds, pension funds, social security funds, bond market, stock market (including IPO), stock index futures market, futures market, insurance wealth management, Forex spread betting, encrypted digital currency contract trading and ICO, etc.',), ('13412133458@s.whatsapp.net',), ('5. Our financial analysts break down zero barriers and are both partners and competitors, making progress together and achieving win-win cooperation. Bain Capital has an excellent team of analysts. In a rigorously mature selection model, we place a heavy emphasis on sustainable investing, which provides dire compounding returns. For example, N. Gregory Mankiw\\'s economics book \"Principles of Economics\" talks about the importance of savings in the long-term real economy and the value created over time between investment and the financial system. A sustainable global financial system is also necessary to create long-term value. The benefits of this regime will belong to long-term responsible investors, thereby promoting a healthy development of the overall investment environment.',), ('How much can I start investing? Can I start with $5k?',), ('*There is no financial limit and almost anyone can participate.*',), ('*Significance of Bitcoin 1. storage 2. as a safe haven 3. free circulation 4. convenient and cheap means of cross-border transactions 5. world coin 6. blockchain technology*',), (\"*There are still many people who don't know what cryptocurrency is? Cryptocurrency is a non-cash digital payment method that is managed and transacted in a decentralized online payment system and is strictly protected by banks. The rise in cryptocurrency prices in recent years has driven further growth in the market, and the asset's attributes as a reserve are being recognized by the majority of the world's population.*\",), ('I wonder what projects this group of analysts are sharing to invest in? Is this really profitable?',), ('17625243488@s.whatsapp.net',), ('*BTC smart contract trading is a two-way trading mechanism. For example, if you have a long BTC order and you choose \"buy\", you will make a profit when the BTC price rises. If you have a short BTC order and you choose \"sell\", you will make a profit when the BTC price falls.*',), (\"*Everyone has heard of or understands the cryptocurrency represented by Bitcoin. Originally launched at $0.0025, Bitcoin peaked at nearly $75,000. Investors who have created countless myths and achieved financial freedom. Everyone who is in the current investment hotspot can easily profit. When you don't know what Bitcoin is, it's leading the cryptocurrency era as a new thing, a special model of value that exists without borders or credit endorsements. In the future, a Bitcoin could be worth hundreds of thousands of dollars.*\",), ('What is BTC smart contract trading? Never heard of such an investment program. How does this work?',), (\"*Due to the Fed's rate hike and tapering, US inflation has reached very high levels, which has directly led to a crash in the US stock market and cryptocurrency market. There is a lot of uncertainty in the investment market right now and I think the best way to invest right now is BTC smart contract trading. Even using a small amount of money in contract trading will make you more profitable, both up and down, everyone can profit from it, very convenient way to invest. Contract trading is a financial derivative. It is a trade related to the spot market. Users can choose to buy long contracts or sell short contracts, determine the highs and lows of the futures contract being traded, and the rise or fall in price to make a profit. Buy and sell at any time and utilize leverage to expand capital multiples for easy profits. Take Profit and Stop Loss can be set flexibly and the system will automatically close the position according to the investor's settings. It has a one-click reversal function when the investor thinks the market direction is wrong. So I intend to make everyone familiar with cryptocurrencies through BTC contract trading and make money through investment, so as to gain the recognition and trust of our Bain Capital investors.*\",), ('🌙🌙🌙*Good evening, everyone. I am Lisena Gocaj, assistant to Andy Sieg, an analyst at Citigroup. We are mainly engaged in BTC smart contract trading. We can provide trading signals for everyone and share real-time news of the crypto market every day. If anyone wants to know more about BTC smart contract trading or wants to join, you can click on my avatar to contact me. I will guide you how to register a \"Citi World\" trading account.*⬇️⬇️⬇️\\n*Good night!!!*',), ('Hello, beautiful Ms. Lisena',), ('*[Citi Financial Information]*\\n1. [South Korea\\'s presidential office: appointed Deputy Finance Minister Kim Byeong-Hwan as the head of the new financial regulator]\\n2. [Coinbase Chief Legal Officer: has responded to the SEC\\'s blocking of Gensler from conducting a reasonable investigation]\\n3. [Russia Considers Permanent Legalization of Stablecoins for Cross-Border Payments]\\n4.[Bitwise: Ether is one of the world\\'s most exciting tech investments]\\n5.[U.S. Congresswoman Cynthia Lummis: The U.S. Will Become the Land of Bitcoin]\\n6.[Biden reaffirms determination to run: No one is forcing me to drop out]]\\n7. [UN and Dfinity Foundation Launch Digital Voucher Pilot Program in Cambodia]]\\n8. [Fed Minutes: Majority of Officials Believe U.S. Economic Growth Is Cooling]\\n9. [French AI lab Kyutai demos voice assistant Moshi, challenges ChatGPT]\\n10. [ECB Governing Council member Stournaras: two more rate cuts this year seem reasonable]\\n11. [British voters call on candidates to take cryptocurrency issue seriously]\\n12. [Fed minutes: Fed waiting for \"more information\" to gain confidence to cut rates]\\n13.[Author of Rich Dad Poor Dad: Technical Charts Show Biggest Crash Coming, Long-term Bull Market Cycle to Begin by End of 2025]]\\n14.[Binance US: ready for the next lawsuit filed against the SEC]',), ('*Without contempt, patience and struggle, you cannot conquer destiny. All success comes from action. Only by daring to act can you achieve success step by step. Hello friends! I wish you a good day and make more money with analysts. 🎊🎊🌈🌈*',), ('*Hello everyone, I am Lisena Gocaj, the team assistant of Mr. Andy Sieg of Citigroup, welcome to this community, it is a pleasure to see you all again, please continue to pay attention to this community.Mr. Andy Sieg will analyze the latest situation of the investment market at all levels from time to time, and tomorrow he will be in the community to share his many years of experience in the investment industry, and I hope to bring you a good learning and exchange! We hope to bring you a good atmosphere for learning and exchange! Currently our community group is open for group administrators for the time being, there are limited spots, if you are interested in this, please private message me for more details 💬☕️*',), ('OK, I sent you a message, looking forward to it...',), ('*Analysts will provide BTC smart contract trading strategies at 5:00pm (EST). Anyone who contacted me yesterday to set up a trading account can log into your Citi World trading account to get ready. Easy to follow and profit from strategic trading within the group.*',), ('Hello, beautiful Assistant Lisena Gocaj, I am so glad to receive your blessing. I look forward to watching analysts share trading signals today',), ('Finally able to trade again, since the last time analysts notified the market volatility to stop trading, it has been more than a week.',), ('First you need a Citi World Trading account and a crypto wallet to buy cryptocurrencies for trading. You can click on my avatar to send me a message and I will guide you and get started.',), ('Wow, I earned so much in just a few minutes, which is equivalent to my salary for many days.',), ('OK, I registered and deposited $5,000 yesterday, looking forward to the profit you can bring me😎',), ('Lisena, I want to join you, how can I do it, I want to get the same profit as them',), ('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',), ('Hi Lisena, I have registered and funds have been transferred. When can I start trading?',), ('*3. Cryptocurrency Investing*\\n*Cryptocurrencies can provide investors with diversification from traditional financial assets such as stocks and bonds. While the cryptocurrency market has a limited history of price movements relative to stocks or bonds, prices so far appear to be uncorrelated with other markets. This can make them a good source of portfolio diversification. By combining assets with minimal price correlation, investors can achieve more stable returns.*',), ('*The first is inflation. If we don’t invest, it means that our purchasing power will gradually be eroded. In the past few years, everyone has had to have a direct experience of the price increases caused by Covid-19. You can go to the Bureau of Labor Statistics website to check the changes in the price index over the past few months, the past few years, and even the past thirty years.*',), ('*2. Financial management*\\n*Stocks, mutual funds and bonds are the three main types of financial investments in the United States. Among them, stocks are more risky, while mutual funds and bonds are less risky. Currently, you can follow the trading plan given by Bain Capital, and the subsequent investment portfolio will be combined according to your financial situation.*',), ('*Data shows that inflation in 2021 is at its highest level since 1982, and inflation will be higher in 2022. Rising costs of food, gas, rent and other necessities are increasing financial pressures on American households. Demand for goods such as cars, furniture and appliances has increased during the pandemic, and increased purchases have clogged ports and warehouses and exacerbated shortages of semiconductors and other components. Covid-19 and the Russia-Ukraine war have severely disrupted the supply chain of goods and services, and gasoline prices have soared.*',), ('Analyst. You are absolutely right that my life has become a mess due to the current economic crisis in the US. Hopefully a solution to my predicament can be found.',), (\"I think your analysis makes sense, we are suffering from an economic crisis that has hit a large number of employees' careers. The skyrocketing unemployment rate has also led to many terrorist attacks. So I hope to make more money in the right and efficient way to make my family live safer in a wealthy area.\",), (\"📢📢📢*Because today is Friday, in order to let everyone enjoy the upcoming holiday better, today's transaction is over. 💬☕️Members who want to participate in the transaction can also send me a private message, join the transaction now!*👇🏻👇🏻\",), ('*Inflation caused by rising asset prices, we can only get more wealth through financial management, so as not to fall into trouble. Below I will share with you some common investment and financial management in the United States.*',), (\"Hello everyone, I am your analyst Andy Sieg, let's talk about the advantages of managed funds:\\n*Advantage 1, can effectively resist inflation*\\n*Advantage 2, provide you with extra income and profits outside of work*\\n*Advantage 3, can provide security for your retirement life*\",), ('*1. Real estate investment*\\n*Currently, the total value of privately owned real estate in the United States has exceeded 10 trillion US dollars, far higher than other types of private assets. But it is worth noting that the high real estate taxes in the US housing market and the agency fees of up to 6% of the total house price when the house is delivered have invisibly increased the cost of holding and trading houses. Living and renting are more cost-effective. But if you want to get a high return by investing in real estate, it will be difficult.*',), (\"*Comparing the above investments, we can know that cryptocurrency investment is very simple and can make a quick profit. Everyone can trust our expertise. We are one of the largest investment consulting firms in the world. Our main responsibility is to maximize the value of our services for all types of investors. With professionally qualified analysts and cutting-edge market investment technology, we invest in you to build a long-term career. We seek to create an environment that promotes your professional and personal growth because we believe that your success is our success. When you recognize Citi Capital's investment philosophy and gain wealth appreciation, you can hire analysts from Citi Investment Research as brokers to bring sustainable wealth appreciation to your friends.*\",), ('What the analyst said makes perfect sense. I am new to the cryptocurrency market and I have heard similar topics from my friends that cryptocurrency is an amazing market. But I have never been exposed to it myself and it is an honor to be invited to join this group and I hope I can learn more about the crypto market here.',), (\"I agree with the analyst's point of view. I believe in the analyst's ability and Citi's strength.\",), ('*4. Insurance*\\n*Property protection is an important way of financial management, just like investment. Insurance products can provide people with various insurance products in the general sense, and obtain income tax exemption compensation when the family encounters misfortune. Protect your family for emergencies. The disadvantage is that the investment cycle is long and cannot be used at any time, otherwise there will be a loss of cash value, and the investment direction and information of insurance financial management are not open enough.*',), ('Dear friends, we will start sending trading signals next Monday. If you have any questions or have other questions, you can send me a private message and I will answer them in detail.',), ('Just landed 🛬 😮\\u200d💨',), ('*🌙🌙🌙Good evening everyone, I am Lisena Gocaj, assistant to Andy Sieg, an analyst at Citigroup. We are mainly engaged in BTC smart contract trading, providing trading signals and sharing real-time news of the crypto market every day. If anyone wants to know more about BTC smart contract trading, or wants to join, you can click on my avatar to contact me, and I will guide you on how to register a \"Citi World\" trading account. ⬇️⬇️⬇️*\\n*Good night!!! I wish you all a happy weekend*',), ('What are you doing up there???',), ('Just taking few days off here in the big 🍎 city then I’m headed towards Sharon, gonna hang out there and we set to go on cruise 🚢 \\nGonna be fun times',), ('*[Citi Financial Information]*\\n1. [Former U.S. Attorney General accuses federal regulators of trying to isolate the digital asset industry from the traditional economy]\\n2. [Dell founder may buy a lot of Bitcoin]\\n3. [After the British Labour Party won the election, the cryptocurrency industry called for the continuation of existing policies]\\n4. [JPMorgan Chase, DBS and Mizuho test Partior blockchain foreign exchange PvP solution]\\n5. [Federal Reserve Semi-annual Monetary Policy Report: Greater confidence in inflation is still needed before interest rate cuts]\\n6. [EU officials warn: Nvidia AI chip supply issues are being investigated]\\n7. [Financial Times: Trump\\'s election may trigger a \"second half of the year Bitcoin rebound\"]\\n8. [Nigerian officials: Detained Binance executives are \"in good condition\"]\\n9. [South Korea postpones virtual asset tax regulations until 2025',), ('💁\\u200d♀️Have a nice weekend everyone. First of all, congratulations to the members who followed the trading signals yesterday and successfully obtained a good net profit. Friends who have not registered a Citi trading account can send me a private message as soon as possible to register an exclusive trading account.',), ('*Dear friends, next teacher Andy will share some knowledge points about BTC smart contract transactions*',), ('We grow as we learn and hope analysts can share more knowledge about cryptocurrencies with us so we can understand better. This further determines our investment',), ('*What is a cryptocurrency?*\\n*Cryptocurrency is a digital asset product formed as a medium of exchange in a cryptographically secure peer-to-peer economic system. Use cryptography to authenticate and secure transactions and control the creation of other units. Unlike centralized banking systems as we know them, most cryptocurrencies operate in a decentralized form, spread across a network of computer systems (also called nodes) operating around the world.*',), (\"Thanks to Lisena's help yesterday, I already have my own Citi World trading account. Wait for analysts to share their professional trading advice.\",), ('*The investment strategy we currently choose at Citi World is BTC contract trading, but some investors still don’t know what cryptocurrency is? Not sure how cryptocurrencies work? Why More and More People Are Trading Cryptocurrencies. I will take the time to bring you detailed answers.*',), ('*How do cryptocurrencies work?*\\nCryptocurrencies are digital currencies created through code. They operate autonomously and outside the confines of traditional banking and government systems. Cryptocurrencies use cryptography to secure transactions and regulate the creation of other units. Bitcoin is the oldest and by far the most famous cryptocurrency, launched in January 2009.',), (\"*While COVID-19 has severely impacted your finances, why not plan for a better future for yourself and your family? If you want to earn a decent income, join us now. Keep up with Citi World's team programs. The Bitcoin futures investments we currently trade are suitable for all types of investors, whether you are a newbie or an experienced investor. You just need to follow the analyst's order recommendations, and if the analyst's investment forecast is correct, you can make an immediate profit.*\",), ('Monica, have a great weekend, I just increased my funds and I want to get more profit.',), ('Lisena, I have registered for a Citi trading account, but have not yet deposited funds.',), ('I used my profit from yesterday to buy a lot of wine and took it home. lol..',), ('*Cryptocurrencies have several advantages:*\\nTransaction speed, if you want to send money to someone in the United States, there is no way to move money or assets from one account to another faster than with cryptocurrency. Most transactions at U.S. financial institutions settle within three to five days. Wire transfers usually take at least 24 hours. Stock trades settle within 3 days.',), (\"*2. Low transaction costs*\\nThe cost of trading with cryptocurrencies is relatively low compared to other financial services. For example, it's not uncommon for a domestic wire transfer to cost $25 or $30. International money transfers can be more expensive. Cryptocurrency trading is generally cheaper. However, you should be aware that the need for blockchain will increase transaction costs. Even so, median transaction fees are still lower than wire transfer fees even on the most crowded blockchains.\",), (\"What??? Seriously?! That's awesome!\",), (\"You should've taken Sharon. She would've loved that.\",), ('*4. Security*\\nUnless someone obtains the private key to your cryptocurrency wallet, they cannot sign transactions or access your funds. However, if you lose your private keys, your funds will not be recovered.Additionally, transactions are protected by the nature of the blockchain system and the distributed network of computers that verify transactions. As more computing power is added to the network, cryptocurrencies become more secure.',), ('*3. Availability*\\nAnyone can use cryptocurrencies. All you need is a computer or smartphone and an internet connection. The process of setting up a cryptocurrency wallet is very quick compared to opening an account at a traditional financial institution. All you need is an email address to sign up, no background or credit check required. Cryptocurrencies provide a way for the unbanked to access financial services without going through a central institution. Using cryptocurrencies allows people who don’t use traditional banking services to easily conduct online transactions or send money to loved ones.',), ('Will be with her soooon',), ('17625243488@s.whatsapp.net',), ('That confidentiality is really nice.👍🏻',), ('this is true. I feel it deeply. When one of my cousins needed money urgently, I sent money via bank and was told it would take 2 business days to reach her account. My cousin almost collapsed when he heard this. If I knew how to pay with BTC, my cousin might not be devastated.',), ('*5. Privacy*\\nSince you don’t need to register an account with a financial institution to trade cryptocurrencies, you can maintain a level of privacy. You have an identifier on the blockchain, your wallet address, but it does not contain any specific information about you.',), ('Received, thank you analyst for your professional sharing.',), ('*6. Transparency*\\nAll cryptocurrency transactions occur on a publicly distributed blockchain ledger. Some tools allow anyone to query transaction data, including where, when and how much someone sent cryptocurrency from a wallet address. Anyone can see how much cryptocurrency is stored in the wallet.This transparency reduces fraudulent transactions. Someone can prove they sent and received funds, or they can prove they had funds to make a transaction.',), ('*7. Diversity*\\nCryptocurrencies can provide investors with diversification from traditional financial assets such as stocks and bonds. While the cryptocurrency market has a limited history of price action relative to stocks or bonds, prices so far appear to be uncorrelated to other markets. This can make them a good source of portfolio diversification. By combining assets with minimal price correlation, you can generate more stable returns.',), ('*8. Inflation protection*\\nMany people believe that Bitcoin and other cryptocurrencies are inflation-proof. Bitcoin has a cap. Therefore, as the money supply grows faster than the supply of Bitcoin, the price of Bitcoin should rise. There are many other cryptocurrencies that use mechanisms to limit supply and hedge against inflation.',), ('There are many ways to trade cryptocurrencies. One is to buy and sell actual digital cryptocurrencies on cryptocurrency exchanges, and the other is to use financial derivatives such as CFDs. CFD trading has become increasingly popular among investors in recent years because the trading tool requires less capital, allows for flexible trading using leverage, and allows investors to speculate on the performance of cryptocurrencies without actually owning the underlying asset. Profit from price changes.*',), ('Inflation has always bothered me and made me very frustrated',), (\"*Today's knowledge sharing ends here. I hope it can help you. If you have any questions or don't understand, you can contact my assistant Lisena, she will help you. In addition, if you want to join BTC smart contract transactions, you can contact Lisena, she will guide you how to participate.*\\n\\n🌹🌹I wish you all a happy weekend and hope you have a good weekend\",), ('Many people are now living financially insecure for a variety of reasons. Pandemics, lack of financial literacy, inability to save, inflation, unemployment, currency devaluation or any other reason can cause it. Often, financial insecurity is no fault of or the result of an individual. It’s a closed cycle of rising prices, falling currencies, and increased uncertainty about livelihoods and employment. However, digital currencies can at least alleviate this uncertainty, whether through transparency or fair use of technology that is accessible to all.',), ('Thanks to the analysts for sharing. Point out the various difficulties we face in life. I hope I can get your help in this group to solve the difficulties and get the lifestyle I want.',), (\"*🌹🌹🌹Dear members, have a nice weekend, today Mr. Andy's knowledge sharing is over, so please keep quiet and enjoy your weekend in order not to disturb other members' weekend break. If you have any questions about cryptocurrencies or if you are interested in investing in cryptocurrencies, you can send me a private message by clicking on my avatar and I will help you!*\",), ('*[Citi Financial Information]*\\n1. [Thai Prime Minister to announce digital wallet registration on July 24]\\n2. [Dragonfly partner Haseeb: Even in a bull market, issuing coins must go through the test of a bear market]\\n3. [Philippine official stablecoin PHPC has been launched on Ronin]\\n4. [Bitcoin mining company TeraWulf: Open to merger transactions]\\n5. [North Carolina Governor vetoes CBDC ban bill, calling it \"premature\"]\\n6. [Bithumb: Actively respond to South Korea\\'s virtual asset user protection law and set up a maximum reward of 300 million won for reporting unfair transactions]\\n7. [Judge dismisses programmer\\'s DMCA claims against Microsoft, OpenAI and GitHub]\\n8. [Financial Times: Former President Trump may return to the White House, which will trigger a sharp surge in the value of Bitcoin]',), ('BTC contracts are a very cool investment, we can make money whether the market is going down or up. I think it is one of the most effective investments to make our money grow fast!',), (\"*A lot of new people don't know what our group is and how to make money. I'll explain it here. This is a BTC contract transaction. Unlike stocks and options, we do not buy BTC to trade. We only predict trends, up or down. When our predictions are correct, investors who follow this strategy will make profits, and the profits will reach your investment account immediately. If you still don’t understand, you can message me privately.*\",), (\"*If you don't try to do things beyond your capabilities, you will never grow. Hello my friends! May a greeting bring you a new mood, and a blessing bring you a new starting point.*\",), ('Trading BTC \"contracts\" with analysts made me realize how easy it is to make money. This is an amazing thing.',), ('*Why does Citi World Group recommend investing in BTC contracts?*\\nStart-up capital is relatively low. Second, the time you spend on this investment is short enough that it won’t interfere with your work and family. Whether you are a novice investor or an experienced investor, this Bitcoin contract can bring you great returns.',), (\"Very good, thank you Lisena for your blessing, I am very satisfied with the trading last week. And got a good profit. This is a very cool start. Citigroup's professional analysts are very accurate in judging the market. Citi World Exchange deposits and withdrawals are very convenient. I like everything here\",), ('Because Citigroup has a large analyst team',), ('Why are Mr. Andy’s trading signals so accurate?',), ('In fact, this is my first exposure to investment. I am new to the investment market and have a good start in the BTC contract investment market. I like this group very much. All this is thanks to the efforts of Citi analysts.',), ('*How Bitcoin Contracts Work and Examples*\\n \\n*Let\\'s look at a concrete example, perpetual contract trading is a bit like you \"betting\" on the market.* \\n*Suppose the current price of BTC is $70,000, you think BTC will rise to $75,000 or even higher in the future, you can buy. Later, if the price of BTC does rise, you will profit. Conversely, if the price of BTC falls, you lose money.*',), ('*BTC perpetual contract trading advantages:*\\n1. Improve the utilization rate of funds: BTC perpetual contract transactions are margin transactions, and you can use the characteristics of leverage to open positions with smaller funds. Different exchanges offer different leverage.',), ('After listening to your detailed explanation, I have a deeper understanding of the BTC contract. Thanks for sharing',), ('*Some may wonder that BTC contracts and futures are one product, they are somewhat similar, but not the same. A BTC contract is a standardized contract stipulated by an exchange for a physical price transaction of BTC at an agreed price at a certain point in the future. The biggest feature of perpetual contracts is that there is no delivery date. Users can hold positions indefinitely and trade anytime, anywhere. There are flexible leverage multiples to choose from, and the price follows the spot and will not be manipulated.*',), ('*Take CME Group’s bitcoin futures contract as an example, its contract size is 5 BTC, and ordinary investors may not even be able to meet the requirements. Compared with perpetual contracts, the capital requirements will be much lower*',), ('OK, thanks for the knowledge sharing analyst. Let me learn a lot',), ('*4.Fast profit*\\nBTC fluctuates by 100-800 points per day on average, and the profit margin is large. As long as you judge the direction of the market every day, you can easily profit. Low handling fee: perpetual contract handling fee is only 2/10,00',), ('*3. Flexibility of trading orders*',), ('*5. Trading hours*\\n24 hours a day, no trading expiration date, especially suitable for office workers, you can make full use of spare time for trading',), ('At present, the exchanges we cooperate with provide 100X leverage, and you only need to use your spare money when trading. Use leverage to improve capital utilization and grow your wealth',), ('*2: BTC contracts can hedge risks*',), (\"Hedging refers to reducing risk by holding two or more trades that are opposite to the initial position. Bitcoin’s price action has often been worrying over the past year. In order to reduce the risk of short-term fluctuations, some investors will use BTC's perpetual contract transactions for hedging. Due to the wide variety of perpetual contracts, you can take advantage of its flexibility to make huge profits\",), ('Well, the principle of leverage is that I double my capital, so I trade with 100x leverage, which multiplies my capital by 100x. This is so cool.',), ('Taking 10:1 leverage as an example, assuming the current price of Bitcoin is $70,000, to buy 1 Bitcoin contract, the margin requirement is:1*$1*70000*10%=$7000.*With Bitcoin contracts, you can utilize $70,000 in an order of $7,000. Make big profits with small capital',), (\"Take Profit or Stop Loss can be set. When you are busy with work and worry about the order, you can set the point, when the price reaches the point you set, the system will automatically close the position for you, you don't need to pay attention all the time\",), ('*6.The market is open*\\nThe price is globally unified, the transparency is high, and the daily trading volume is huge, which is difficult to control. Strong analyzability, suitable for technical analysis T+0 trading: buy on the same day and sell on the same day, sell immediately when the market is unfavorable',), ('Very convenient, I can trade while enjoying my free time. Lying on the sofa also achieves the purpose of making money.',), ('Thanks to the analysts at The Citigroup for letting me know more about this BTC contract investment. I am getting more and more interested in this investment.',), ('*Combined with the above advantages of BTC perpetual contracts, in order to allow our partners to obtain huge profits, this is why the Citigroup recommends BTC contracts to everyone, which is the easiest way to make profits. When we reach a brokerage cooperation agreement, we will recommend a combination trading strategy that can make short-term quick profits and long-term value compounding profits. Long-term and short-term combination to maximize profit and value*',), ('*Today’s sharing ends here. Friends who don’t have a BTC smart contract trading account can contact me for help*',), ('*Victory is not a pie in the sky, but a glory that we have built bit by bit with our sweat and wisdom. Every challenge is a step for our growth, and every struggle brings us one step closer to our goal.*',), ('*Hello everyone, a new week has begun. I am Lisena, focusing on BTC smart contract transactions. I am your exclusive customer service. If you have any questions in the investment market, you can click on my avatar for free consultation!*',), ('*Congratulations to all members who participated in the transaction and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',), ('You made so much money in such a short time?',), (\"Yes, we should thank Andy's analyst team. Without them, there would be no such accurate trading signals.\",), ('*Thursday, July 11: United States – Initial Jobless Claims. The last reading was 238K. A weaker number could be welcomed by the market, which is looking for a weak job market so that the Fed is more confident in cutting rates, which could push Bitcoin prices higher.**Friday, July 12: United States – PPI (mo/mo) (June). The Producer Price Index is crucial in determining inflation risks. The market is hoping to see reassuring signs that producer and consumer price inflation continue to normalize, which could have a stabilizing effect on Bitcoin*',), ('ETH etfs were deemed unimportant, ETH price was manipulated down weeks before launch, wake up everyone, you all know the opposite will happen, this is crypto',), ('*Good afternoon everyone. Today I would like to share with you Citigroup in the club and introduce Citigroup Financial’s solutions to the inflation caused by rising asset prices. I hope it will be helpful to you after you learn more about us.*',), ('ETH ETF to be available next week? Expect unexpected things to happen',), ('Thank you very much, I can make money every day',), ('I think SOL will rise fast, just like what happened to ETH when the BTC ETF rose',), ('Big week for crypto is coming up! Bitcoin bottoms, Congressional crypto hearing, SEC Ethereum',), ('*Key macroeconomic events this week that could impact BTC prices:*\\n*Tuesday-Wednesday, July 9-July 10: United States – Federal Reserve Chairman Jerome Powell testifies. Powell will testify before the Joint Economic Committee on the economic outlook and recent monetary policy actions. Markets will be looking for signals of an upcoming rate cut, which could drive BTC prices higher.**Thursday, July 11: United States – CPI (mo/mo) (June) (expected: +0.1%). A weaker change in CPI could make the market think that the Fed will cut rates faster, which could have a positive impact on the cryptocurrency market.*',), (\"Thanks again Lisena for writing, had a great weekend and hope to make money again today. I don't want to miss any trading opportunities\",), ('I was worried about this at first, but I made $650 in a few minutes.',), ('I know that a diverse team and investment helps every investor better. Citi can grow better only by helping more people succeed \\nIs my understanding correct?',), ('Hello, Mr. Andy~! Nice to see you again. I am very satisfied with the profit of the non-agricultural plan and look forward to more such transactions',), ('*A diverse and inclusive community is our top priority* \\n*At Citi, we know that diverse teams ask better questions, and inclusive teams find better answers, better partners, and ultimately help us build a better business.* \\n*Our way:* *We seek to build lasting partnerships based on trust and credibility* \\n *See how we do it* \\n*Through our scale and broad reach, our team is able to provide a truly global platform*.',), (\"*As the world's leading financial institution, Citi's mission is to drive sustainable economic growth and financial opportunity around the world, and to translate current trends and insights into lasting value.* \\n \\n*We work together to create long-term value for our investors, companies, shareholders, individuals and communities* \\n \\n*Our expertise.* \\n*Deep industry knowledge* \\n*Strong corporate culture* \\n \\n*We use our expertise in various business areas to ensure the best solutions for our partners and companies*\",), ('This reinforces my belief that Citi has a presence in many areas. As a company with a long history of more than 200 years, it is a very successful existence',), ('Thank you Mr. Andy for sharing. I believe these indicators can help me analyze the market more accurately in future transactions.',), (\"You're right, but I need to know more about Citi to see what value he can create for us.If I find Citi valuable to us \\nI will make the right choice.\",), ('*Calculation formula and Description of ahr999 Index:* \\n*Old players in the currency circle have heard of \"ahr999 index\". This is an indicator invented by a veteran player of \"ahr999\" to guide investors to hoard bitcoin. In layman’s terms, it is an indicator of whether a currency is expensive or cheap. According to the calculation method of this index, when the ahr999 index is lower than 0.45, it means that the currency price is super cheap and suitable for bottom hunting; when the ahr999 index is higher than 1.2, it means that the currency price is a bit expensive and not suitable for buying, and the index between 0.45-1.2 means it is suitable for fixed investment.* \\n*ahr999 index = current price /200 days cost/square of fitted forecast price (less than 0.45 bottom hunting, set a fixed investment between 0.45 and 1.2, between 1.2 and 5 wait for takeoff, only buy not sell).* \\n*The ahr999 index focuses on hoarding between 0.45 and 1.2, rather than bottom-huntingbelow 0.45.* \\n*ahr999x = 3/ahr999 index (ahr999x below 0.45 is the bull market’s top area, note that this formula is for reference only)*',), (\"*Reviewing the technical indicators shared today: 🔰 Rainbow Chart (monitoring price changes)* \\n*🔰 Top Escape Indicator (identifies bottoming times and buy signals) 🔰 Bubble Indicator (comprehensive reference to valuation levels and on-chain data opinion data to reflect the relative value of bitcoin)* \\n*🔰 Ahr999 Tunecoin Indicator (reflects short-term market price decisions) 🔰 Long/Short Ratio Indicator (analyzes short/long term market long/short ratios)* \\n*🔰 Greedy Fear Indicator (determines where market sentiment is headed) Well, that's it for our market reference indicators for today, I hope you will read them carefully and apply them to our future trading. If there is something you don't understand, or if you are interested in the market reference indicators I shared, members can contact William to receive the indicator knowledge*\",), ('*Bitcoin long/short ratio:As we all know, we are a two-way trading contract, so the market long/short ratio is an important analysis index we need to refer to.* \\n*From the long/short ratio of bitcoin, we can grasp the bearish sentiment of the market and some major trends. If the long/short ratio of bitcoin is less than 40%, it means that the proportion of short selling is relatively large, and most people predict that the market will fall more than rise. Conversely, if the long/short ratio of bitcoin is more than 60%, it means that most people in the market believe that the market will rise more than fall.According to your own investment strategy, the market long/short ratio from the 5 minutes to 24 hours is a good reference for us to judge the short-term market sentiment.*',), ('*And the greed and fear index, which we see every day, is no stranger to old members, so let\\'s share it with new members* \\n*What is the Bitcoin Fear and Greed Index?* \\n*The behavior of the cryptocurrency market is very emotional. When the market goes up, people tend to be greedy and have a bitter mood. When the market goes down, they react irrationally by selling their cryptocurrencies* \\n*There are two states:* \\n*Extreme fear suggests investors are too worried and could be a buying opportunity.* \\n*Too much greed is a sign that investors are overexcited and the market may adjust.* \\n*So we analyzed the current sentiment in the bitcoin market and plotted it on a scale of 0 to 100.* \\n*Zero means \"extreme fear\" and 100 means \"extreme greed.\"* \\n*Note: The Fear index threshold is 0-100, including indicators: volatility (25%) + market volume (25%), social media (15%), fever (15%) + market research +COINS percentage of total market (10%) + Google buzzword analysis (10)*',), ('*Rainbow Charts:* \\n \\n*Is intended to be an interesting way to observe long-term price movements, without taking into account the \"noise\" of daily fluctuations. The ribbon follows a logarithmic regression. This index is used to assess the price sentiment range that Bitcoin is in and to determine the right time to buy.* \\n \\n*The closer the price is to the bottom of the rainbow band, the greater the value of the investment; the closer the price is to the top of the rainbow band, the greater the bubble so pay attention to the risks.*',), ('*Bitcoin escape top index · Bottom buying signal interpretation*\\n*Intended to be used as a long-term investment tool, the two-year MA multiplier metric highlights periods during which buying and selling bitcoin would generate outsize returns.* \\n*To do this, it uses a 2 Year Moving Average (equivalent to the 730 daily line, green line), and a 5 times product of that moving average (red line).* \\n*Historically:* \\n*When the price falls below the 2-year moving average (green line), it is a bottom-buying signal, and buying bitcoin will generate excess returns.* \\n*When the price exceeds the 2-year average x5 (red line), it is a sell signal to escape the top, and the sale of bitcoin will make a large profit.*\\n*Why is that?* \\n*As Bitcoin is adopted, it goes through bull-bear cycles, with prices rising excessively due to over-excited market participants. Similarly, prices falling excessively due to participants being too pessimistic. Identifying and understanding these periods can be beneficial to long-term investors. This tool is a simple and effective way to highlight these periods.*',), ('*What is sustainable investing?* *Sustainable investing integrates environmental, social and governance factors into investment research and decision-making. We believe these factors are critical to the long-term value of an investment*',), ('As a global financial group with two hundred years of history, I firmly believe in the strength of Citigroup',), ('*The Bitcoin Bubble index consists of two main components:* \\n*The first part is the ratio of bitcoin price to data on the chain (after normalization), which indirectly reflects the valuation level of bitcoin price relative to the data on the chain.* \\n*The second part consists of the cumulative price increase and public sentiment, indirectly reflecting the overall comprehensive performance of Bitcoin in the market and the community. Other parameters are mainly used for numerical standardization to make the data additive or comparable.* \\n*Compared with the hoarding index, the bubble index takes into account many factors related to bitcoin (on-chain data, public opinion data, etc.), which has the same effect. The two can be complementary when used.*',), ('Each of the 6 indicators today is very important, and it also made me realize that trading cannot rely on any one indicator, and more indicators are needed to combine judgments. This is a bit difficult, and I still need time to adapt',), ('*Better business, better results* \\n*We always insist on putting the interests of our customers first. We can get good commissions only when our partners get better profits. This will be a mutually beneficial cooperation.*',), ('Buffett often says , \"Nobody wants to get rich slowly.\"',), ('*We have a diverse and inclusive team better insights* \\n \\n*We have a well-established product control team that monitors transactions, trading patterns and entire portfolios to assess investments and risks. We are the dealing desk and risk management, in-depth analysis, communicating with different stakeholders and handling team issues. I have many projects running in parallel to review controls, improve processes and innovate digital transaction models.*',), ('*I believe everyone has a better understanding of Citi, and now I will start sharing some indicators so that you can take notes when you have time.*',), ('*Good evening everyone, I am Lisena. If you don’t have a contract trading account yet, if you don’t understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me, good night everyone👇🏻👇🏻👇🏻*',), ('*Recently, the Bitcoin and Ethereum markets are adjusting, and the upward trend is very slow, which is not a good thing for investors holding Bitcoin and Ethereum. Fortunately, the Bitcoin and Ethereum markets continue to fluctuate sharply every day, which provides more trading opportunities for our contract trading.*\\n*If friends want to participate in or learn more about cryptocurrency contract trading, you can send a private message to my assistant Lisena, good night.*',), ('The rainbow indicator left a deep impression on me because it is colorful and looks relatively simple, which is suitable for me at this stage hahaha',), ('MISSED YOU SM',), ('Good afternoon Lisena, yes I have learned a lot about trading here',), ('*[Citi Financial Information]*\\n1. [The Republican Party of the United States expressed support for a number of crypto policy measures in its official 2024 party platform]\\n2. [Founder of Fairlead Strategies: I strongly agree to add Bitcoin to the portfolio]\\n3. [Morgan Stanley Strategist: US stocks are very likely to pull back 10%]\\n4. [White House: Biden has not received treatment for Parkinson\\'s disease]\\n5. [Singapore court ruled in favor of Fantom Foundation to win the lawsuit against Multichain]\\n6. [Dubai Customs launches blockchain platform to improve operational transparency]\\n7. [Biden: I will be the Democratic presidential candidate]\\n8. [Japanese manga \"Attack on Titan\" will enter the crypto game world through cooperation with The Sandbox]\\n9. [Fox reporter: Former SEC policy director Heather Slavkin Corzo will join public policy company Mindset]\\n10. [Bank of France and Hong Kong Monetary Authority announced cooperation on wCBDC]\\n11. [Vitalik: The electric vehicle field relies on software updates and needs to adopt more open source models]',), (\"*But please remember that great mariners never fear the wind and waves, because they know that only by setting sail can they reach the unknown shore. In Citi World platform, we not only provide you with a safe and transparent investment environment, but also have a professional team to accompany you through every important moment.*\\n*Today, let us set sail together, toward a broader financial ocean. Here, every transaction may become a turning point in your life, and every decision may lead you to a new peak. Don't be afraid of the unknown, because every attempt will be the most valuable treasure in your life.*\",), ('how many of you are BIGGGGGGG umbrella academy lovers 👀👀👀👀👀☔️☔️☔️☔️☔️☔️☔️☔️',), ('For the first time ever, BTC is one of the key components of a major political party platform.',), (\"*Now, let's join hands and start this exciting journey together! In Citi World platform, your dream, will not be far away.*\",), (\"Trump's big cryptocurrency push, and I think it's like a coming bull market.\",), ('If you are not willing to take the usual risks, you have to accept what life throws at you. True success is not whether you avoid failure, but whether it allows you to learn from it and choose to stick with it. There is no secret to success. It is the result of preparation, hard work, and learning from failure.\\nHi, good morning everyone, my name is Lisena Gocaj.',), ('Cryptocurrency is becoming a political issue. I think BTC will be the deciding factor in this election',), ('*In this era full of opportunities and challenges, every dream needs a starting point, and every success comes from a brave attempt. Are you ready to embark on the journey of wealth that belongs to you?**Imagine when you open your investment account in Citi World platform, it is not just a simple operation, it is a brand new start, the first step towards your dream. We understand your hesitation and concern, because behind every investor is the expectation of the future and the concern of risk.*',), ('BTC Inc. CEO David Bailey told Yahoo that he met with Donald Trump to discuss how to dominate BTC as a \"strategic asset for the United States.\"',), ('Trump was very much \"Make America Great Again\" when he talked about making Bitcoin a central part of his domestic strategy.',), ('*I am Lisena Gocaj. Our group focuses on cryptocurrency contract trading. I am your exclusive customer service. If you have any questions about the investment market, you can click on my avatar for free consultation!*',), ('I have been following this for a long time. If I want to participate, what should I do?',), ('Imagine if we traded 60,000 this week, all the bears would be dead 🐻😹',), ('Each trade gives me more confidence in trading',), (\"Absolutely groundbreaking! 🚀 David Bailey meeting with Trump to discuss Bitcoin as a strategic asset is a huge step forward. Recognizing BTC as a key component of a major political party platform is a game-changing decision.Bitcoin's future as a vital part of the U.S. economy is brighter than ever. Let's dominate the future with BTC\",), ('The bull market will be wild and crazy',), ('I am so ready for this',), ('i maaaaaay have something rly cool for some of u 😬😬😬😬',), ('I read everything the analysts on the panel shared. I see that Citigroup’s analysts have a keen insight into the BTC “contract market”, which makes me look forward to following such a responsible analyst team to victory. Please help me register a BTC \"contract\" account! Thanks!',), ('👆👆👆👆👆 \\n*This chart is a time-share chart of LUNA. At that time, the price of LUNA coin, which was $116.39, plummeted to $0.0002.* \\n \\n*Imagine if you traded a short order on LUNA at a cost of $10K. How much wealth would you have? A billionaire. This is the kind of miracle only a low cost coin can do in a short period of time* \\n👆👆👆👆👆',), ('*Good afternoon, club members. Today, we were invited to attend the Wall Street Financial Forum. As you can see, we discussed the 2024 Wealth Mindset Exchange Summit, hosted by David Thomas. The crypto market in 2024 is currently the most profitable project in the world. This also further determines the direction of our next layout. Many friends on Wall Street learned that our \"non-agricultural plan\" layout last week was very successful, and they are ready to do a larger-scale layout transaction with us. We will have a more detailed discussion tonight, so please wait for my news!*',), ('🐳🐳 *So what do whales do?* 🐳 🐳 \\n*A sharp rise or fall in the cryptocurrency market.* \\n*A buying or selling act equivalent to two forces in the market.* \\n*One is to short the price, and the other is to push it up. This is when a phenomenon called whale confrontation occurs.*',), ('*If anyone wants to join or want to know more about BTC smart contract transactions, you can click on my avatar to send me a message. I will explain it to you in detail and guide you on how to join.*',), ('👇👇👇*The red arrows represent bearish market price whales* 🐳',), ('*Good afternoon, club members. Today, Mr. Andy was invited to participate in the Wall Street Financial Forum. Mr. Andy shared with you the low-priced coins before. This is one of the directions we plan to invest in in the future. In order to let everyone better understand the relationship between the market and money, how to better avoid market risks and maximize profits. Now Mr. Andy has entrusted me to share with you how to identify whale behavior in the market.*\\n\\n*⚠️For the convenience of reading, please do not speak during the sharing process. After I finish speaking, you can speak freely*',), ('*One week has passed this month, and we have successfully obtained a 156.82% return. There are still three weeks left. We will inform all members of the accurate buying points of the daily trading signals in advance. You only need to follow the prompts to set up and you can make money. We will bear half of the losses. With such strength, what are you still hesitating about? Unless you are not interested in making money at all, or you are worried about some problems, you can click on my avatar for free consultation. Even if we cannot become a cooperative relationship, I still hope to solve any of your problems.*',), ('Analyst Mr. Andy previously said that BTC will break through $100,000 this year',), ('‼️ ‼️ ‼️ ‼️ *What is a whale? Let me explain it to you.* \\n*Whether you have a personal trading account in the cryptocurrency market, or a business trading account.* *You have more than 1000 bitcoins in your account to qualify as a whale.* \\n*The current price of Bitcoin is about $57,000. No matter how much bitcoin goes up or down, you need to have at least 1,000 bitcoins to be called a whale.* ‼️ ‼️ ‼️ ‼️',), ('*As Mr. Andy said, the contract market is dominated by money.*\\n*If you dare to take risks, you will change your destiny.*\\n*After all, the high-priced cryptocurrency market like BTC or ETH, its total market value accounts for more than 60% of the entire cryptocurrency market. Moreover, due to the large number of institutions and super-rich people in its pool, the market is relatively chaotic. Especially for traders with less funds, if they do not have some analytical ability, it is easy to be swallowed by whales in the market.*',), (\"👇 👇👇*The green arrow represents another whale trying to push up prices* 🐳🐳🐳 \\n*This will result in big ups and downs, which is the only risk we can't control.* \\n*In particular, a sudden whale activity in the middle of a trade can be very detrimental to our trade. This is common in high value coins.* \\n*In this case, if the cost of controlling the risk is lost, it will be eaten by the whale. Therefore, we must incorporate this risk into our trading. That's why Mr. Ernesto Torres Cantú often reminds people that it is better to be wrong on a trend and to miss a trade than to take more market risk*\",), ('*That is to say, if you go in the opposite direction from the whale, you are at risk of being eaten by the whale. This is one of the core of our contract trading. Going with the trend and following the movement of the whale to capture the short-term trend is our profitable strategy. However, with the increase in the number of club members and the rapid growth of funds, we have a new plan. We are not following the movement of the whale, but we want to make ourselves a big whale market. Our every move will affect the direction of the market. This is also Mr. Andy’s feeling after the recent transaction. Well, today’s knowledge about the trend of whales is shared here. Tomorrow, Mr. Ernesto Torres Cantú will announce the specific content of our trading plan in July. Please wait patiently!*',), ('Yes, if this continues and we don’t have a stable source of income, life will definitely become very bad. I still need to pay about $900 in real estate taxes every year',), ('There is no limit to the amount of money invested',), ('*There are no restrictions on the funds you can invest. For the current zero-risk activity, our analyst team recommends starting with $20K to participate in the transaction. After all, in the investment market, the less money you have, the greater your risk. We also need to consider the safety of your funds.*',), ('*We cannot control what is happening. We can only increase our savings before all the disasters come, so that we and our families can live a better life. No matter what emergencies we encounter, we have enough money to face the difficulties. Money is not everything, but without money, nothing can be done.*',), ('*So how can we save more?*\\n*1 Work?*\\n*The purpose of work is to make money so that our family and ourselves can live a better life, but the work pressure is very high now.*\\n*Hard work will cause great damage to our body, which will make our family worry about us, and in serious cases, we will go to the hospital. It is really painful to pay the hard-earned money to the hospital. So we must change the way we make money now, relax our body and make our life easier, because inflation is getting worse and worse, prices are rising, only our wages are not rising. If this continues, our lives will only get worse and worse. We need to spend a lot of money in the future.*',), ('*3. Invest in real estate?*\\n*As I said above, it was indeed very easy to make money by investing in real estate in 2008, but now due to the epidemic, war, global economic downturn, and increasingly serious bubble economy, the real estate market share has reached saturation. We may get a small piece of the whole cake, but now the cake is only 10/2. Can we still make money so easily?*',), ('Do I have to use $1000 to trade?',), ('Lisena, you are really responsible and gentle',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 50%\\nPurchase Price Range: 57700-57400',), (\"Don't hesitate, the opportunity to make money will not wait for us. I also want more trading signals like this every day.\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('Lisena, I agree with you',), ('Great, thanks to the analyst',), ('😤It’s a pity that my funds have not been deposited into the trading account yet, otherwise I would have made so much money today.',), (\"I don't think investment is gambling. The essence of gambling is that the success rate is only 50%. After thinking for a while, I think Mr. Andy has strong analytical ability and a high winning rate. In the afternoon, I created a trading account with the help of Lisena and will deposit funds to participate in the transaction as soon as possible.\",), (\"I'm ready, Lisena\",), ('Man, get in on the trade early and you’ll make more money.',), (\"Yes, I have been looking forward to today's trading signal as well.🤩\",), (\"OK, I can't wait to get in on the trade.\",), ('*With the escalation of war, the global energy crisis and other international issues, although the Federal Reserve has raised interest rates several times in a row, reducing the severity of our inflation, it is still relatively serious. The entire European country is now facing a historic financial crisis. The escalation of political tensions between Russia and NATO will cause the entire European country to be implicated. If the price of the US dollar falls sharply, then we ordinary people will suffer.*',), ('*So, if you are thinking too much, why not give it a try, because you will never know what the result will be if you don’t try. We have a professional technical team and you have extra idle funds, so if we cooperate once, I believe the result will definitely make us all happy. Satisfied, through cooperation, we each get what we need, which is a good thing for us, because we have this strength, we dare to achieve zero-risk activities*',), ('*2. Invest in stocks?*\\n*I believe that many members have invested in stocks, but because they did not meet the right broker, they traded on their own and suffered losses. In the stock market, retail investors are destined to be eaten by big sharks, and the investment time is long and the returns are unknown. Our stocks can also have a short-selling mechanism, but can you grasp it? Professional matters must be handed over to professionals.*',), (\"*Dear friends, today's trading signal will be released at 8:30 p.m. EST. Please be prepared and contact me to receive the trading signal.*\",), ('17625243488@s.whatsapp.net',), ('17625243488@s.whatsapp.net',), ('Bitcoin has recorded its biggest drop in the current cycle, trading more than 26% below its all-time high. Despite this, the decline is still at an all-time low compared to past cycles',), (\"🌟🌟🌟*No matter how turbulent the market is, we can stay calm and decisive, which has always been the key to our success. Today's trading is over. When there is a suitable trading market, our analysts will start to guide everyone to trade Bitcoin contracts. Everyone should be prepared. 🌺If you have any of the following questions, please contact me immediately to help you solve them:*🌺\\n\\n🌹*(1) How does Bitcoin contract work?*\\n\\n🌹*(2) How to make money*\\n\\n🌹*(3) How to get started*\\n\\n🌹*(4) Is my money safe?*\\n\\n🌹*(5) 100% guaranteed profit*\\n\\n🌹*(6) Is there any professional guidance?*\\n\\n🌹*(7) How to withdraw funds from my trading account?*\",), ('*[Citi Financial Information]*\\n1. [Suriname presidential candidate: There is no infrastructure, so you might as well use Bitcoin]\\n2. [Head of Paradigm Government Relations: The U.S. House of Representatives voted to overturn the SAB121 CRA today]\\n3. [The Australian Spot Bitcoin ETF (IBTC) has accumulated 80 BTC since its launch]\\n4. [Chief Legal Officer of Uniswap Labs: Urges the US SEC not to continue to implement its proposed rulemaking work]\\n5. [Nigeria’s Finance Minister urges the country’s SEC to address cryptocurrency regulatory challenges]\\n6. [Bitwise CCO: Ethereum ETF “nearly completed”, SEC is open to other funds]\\n7. [Musk: xAI is building a system composed of 100,000 H100 chips on its own]\\n8. [Federal Reserve’s mouthpiece: Powell’s change hints that interest rate cuts are imminent]\\n9. [\"Debt King\" Gross: Tesla behaves like a Meme stock]\\n10. [Coinbase executive: The popularity of cryptocurrency needs to provide more beginner-friendly applications]',), ('*Good afternoon, yesterday we briefly talked about the whales in the cryptocurrency market. Many people don’t know about whales in the cryptocurrency market. Simply put, they are the big capital in the cryptocurrency market. Whether they can become big capital depends on the later trading situation. Today, Teacher Andy will share the details and timing of the Whale Plan. Friends who want to participate in this Whale Plan can click on my avatar to contact me.*',), ('Good morning, analyst.',), ('Thanks to the team at Citi for increasing our revenue, I believe our relationship will be long-lasting',), ('Both BTC and ETH are trending back a bit today, will this help us trade today',), (\"Good morning everyone, I'm Lisena Gocaj, our group specializes in trading cryptocurrency contracts, your dedicated customer service, if you have any questions about the investment market, you can click on my avatar for a free consultation! Due to the increasing number of our clients, we will randomly open communication privileges\",), (\"The 2023-2024 cryptocurrency cycle is both similar and different from previous cycles. After the FTX crash, the market experienced about 18 months of steady price gains, followed by three months of range-bound price volatility after Bitcoin's $73,000 ETF high\",), ('*Major macroeconomic events this week could affect the BTC price:*\\n*Tuesday-Wednesday, July 9-July 10: U.S. - Federal Reserve Chairman Jerome Powell testifies. Powell will testify before the Joint Economic Committee on the economic outlook and recent monetary policy actions. Markets will be looking for signals of an impending rate cut, which could push BTC prices higher.*\\n*Thursday, July 11: U.S. - CPI (MoM) (June) (Expected: +0.1%) A weak change in the CPI could make the market think that the Federal Reserve will cut interest rates sooner, which could have a positive impact on the cryptocurrency market.*',), ('🏦*The survey of 166 family finance offices conducted by Citi\\'s in-house team of economists found*\\n🔔 *62% of people are interested in investing in cryptocurrencies, a sharp increase from 39% in 2021.*\\n🔔 *26% are interested in the future of cryptocurrencies, up from 16% in 2021.*\\n🔔 *The number of respondents who are \"not interested\" in the asset class has dropped from 45% to 12%.*\\n🔔 *APAC family offices have a slightly higher allocation to cryptocurrency at 43%.*\\n🔔 *71% of family offices in EMEA are investing in digital assets, compared to 43% in APAC, a 19% increase from 2021.*',), ('*July Trading Program: 🐳The Whale Program🐳*\\n⚠️ *Plan time: 7.18~7.31 (end time depends on the actual situation)*\\n⚠️ *Plan strategy: divide the funds into two parts*\\n*⚠️*1. Set aside 50% of the funds to be transferred to the coin account as a reserve fund for new coin subscription (because the time of new coin issuance is uncertain, but we have to be ready to seize the market opportunity)* *Once we successfully subscribe to the new issuance of low-priced coins, we are pulling up through the funds that we have profited from the contract market, and we have mastered the original price advantage, and the profit is expected to reach 50~100 times, but it requires a huge amount of funds to pull up*',), ('Mr. Andy Sieg, when do we start trading whale programs. Looking forward to your wonderful sharing',), ('Bitcoin needs to wait for the CPI as yesterday Jerome Powell said the Fed is in no hurry to cut rates',), (\"*⚠️⚠️In order to ensure that we can protect ourselves from future financial crises and ensure our absolute dominance in the future cryptocurrency market, I will lead new and old members to grow new wealth in the cryptocurrency market in July and lay the foundation for Laying the foundation for us to become a dominant organization across multiple low-price coins in the future, Lisena Gocaj also shared with you the whale movement in the cryptocurrency market. In the past, our trading strategy was to follow the movements of whales. Now as the club's capital grows, we hope that in the future the club can become one of the whales in the market and dominate the short-term market trend. In the near future, the market will issue new tokens with lower prices, and in order to occupy the market, we need to accumulate more capital. In July, I will announce some details of our plan to achieve this great goal. Please listen carefully. ⚠️⚠️*\",), ('Uncertain why CPI remains in focus. Markets are not focused on the slowdown. I think inflation is in line with expectations, but not sure how anyone can be bullish without worrying. We are top-heavy',), ('*⚠️3.This program we have a strict plan for their own growth, so please prepare sufficient funds before the start of the program, in order to facilitate the management and reduce the pressure of statistics, we will be based on your initial funds to determine your participation in the program echelon, (midway not allowed to change) level echelon different, to obtain the profit and the number of transactions are also different, so would like to improve the trading echelon please prepare the funds before this week!*',), (\"🌏 *The World Economic Forum's Chief Economist Outlook highlighted that:*\\n🔔 *In 2024, there is uncertainty in the global economy due to persistent headwinds and banking sector disruptions*\\n🔔 *There is little consensus on how to interpret the latest economic data*\\n🔔 *Economic activity is expected to be most buoyant in Asia as China reopens*\\n*The chief economist's outlook for regional inflation in 2024 varied, with a majority of respondents expecting the cost of living to remain at crisis levels in many countries.*\",), (\"Tomorrow's CPI will still have a pretty big impact on the BTC price at this critical juncture, so that's another good news for us to engage in contract trading\",), ('*⚠️4. Members with funds of 100K or more will be led by me and can enjoy my one-on-one guidance.*\\n*⚠️ Note: Members who need to participate in the whale program, please report the initial funds to the assistant (Stephanie) to sign up, the quota is limited, please hurry!*',), (\"🌏 *According to the World Economic Forum's Future of Work 2023 report* 🌏\\n🔔 *Artificial intelligence, robotics, and automation will disrupt nearly a quarter of jobs in the next five years, resulting in 83 million job losses. The report shows that the media, entertainment, and sports sectors will experience the greatest disruption. However, it also predicts that 75% of companies will adopt AI technologies, leading to an initial positive impact on job growth and productivity.*\",), (\"🏦 *Citi's stats team's ranking of the top 10 cryptocurrencies by social activity shows that*\\n🔔 *Bitcoin tops the list with 17,800 mentions in April (as of the 11th), followed by Ether and PEPE with nearly 11,000 mentions each.*\\n*The rest of the market is dominated by lower-priced coins, which have received more attention from investors this year*\",), (\"I think if tomorrow's CPI does well, it can pull BTC back to $60,000\",), ('*⚠️2. Using the remaining 50% of the funds to complete a short-term accumulation of funds through a combination of trading, trading varieties diversified, not limited to BTC/ETH, profits are expected to be ~600%*',), ('*Thursday, July 11: USA - Initial jobless claims. The last value was 238 thousand. A weaker number could be welcomed by the market, which is looking for a weaker job market so that the Fed is more confident in cutting interest rates, potentially pushing up the Bitcoin price.*\\n*Friday, July 12: U.S. - PPI (monthly) (June) . The Producer Price Index (PPI) is critical in identifying inflation risks. The market would like to see reassuring signals that producer and consumer price inflation continue to normalize, which could have a stabilizing effect on Bitcoin*',), ('🔔 *Nearly 80% of economists believe central banks now face a trade-off between managing inflation and maintaining stability in the financial sector.*\\n*Recent instability in the banking sector has the potential to have disruptive knock-on effects, including major disruptions to the housing market.*\\n*It also means that industrial policies will deepen geoeconomic tensions, stifle competition, and lead to problematic increases in sovereign debt levels.*',), ('*Dear friends, next I will share some knowledge with you, I hope you will read it carefully.*',), ('🔰 *Combined with the previous data, it is clear to everyone that the world economy is going through difficult times, and the development of artificial intelligence technology will have an initial positive impact on employment growth and productivity.*\\n🔰 *The financial strategies of the major families will tend to focus on cryptocurrency investment, which indicates that digital assets will be a significant trend in the future and the core of asset allocation.*\\n🔰*From the analysis report of Citibank, we can feel the development of the cryptocurrency market this year. More investors like to exploit the potential of small currencies, indicating that this market will establish a new bull market after three years of adjustment*',), ('Haha, this way we can make more money and not be so tired. We can achieve financial freedom easily.',), (\"I will find a way to raise more funds to join the whale program, I don't make as much as you do now😔\",), (\"It's crazy time again🤩\",), ('Teacher Andy and the analyst team are very happy to see that you can all make profits. If there are still people who want to participate in the transaction, please contact me and I will help you how to get started.',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I agree with the point of view. Although I just started trading today, I can make money for the first time, and the trading signals are so accurate in such a short time. I believe that Teacher Andy and their team are very powerful.👍🏻👍🏻👍🏻',), ('Cool! The Whale Project! I like the name and I hope we become a big whale in the market soon',), ('Notify us to short sell. The price started to fall right after we bought it.👍🏻',), ('Thank you very much to Teacher Andy and the analyst team for giving us such accurate trading signals every time, allowing us to make money so easily.',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:57650-57350',), ('35% profit, great,this makes me look forward to the profits of the whale plan more and more🐋',), ('Thank you Mr. Andy Sieg for sharing, it is finally our new plan, I want to be the first to participate, I will add more funds to participate in it',), (\"*Dear friends, today's trading signal will be released at 8:30 p.m. EST. Please be prepared and contact me to receive the trading signal.*\",), ('I have to give a big thumbs up to Teacher Andy',), ('*Congratulations to all members who participated in the transaction and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('*[Citi Financial Information]*\\n1. [Lugano, Switzerland encourages the use of Bitcoin to pay for daily expenses]\\n2. [Musk confirmed that xAI will build its own supercomputer to train the Grok large language model]\\n3. [The leader of the US Democratic Party calls on Biden and his campaign team to prove that they can win the election]\\n4. [Goldman Sachs Global Head of Digital Assets: The launch of spot Bitcoin ETF is a new driving force in the encryption field]\\n5. [Consensys founder: US regulators “neglected their responsibilities”]\\n6. [Powell: Everything the Fed does in cutting interest rates is justified]\\n8. [FOX reporter announced the list of participants of the U.S. Encryption Roundtable, including Biden advisers]\\n9. [U.S. commodity regulator urges swift action on cryptocurrency]',), ('Hey I’m headed to concierge pool, meet me there!',), ('Looking forward to the \"big deal\"',), (\"When the trading signal comes, enjoy life and make money! That's what I do! I believe the whale plan next week will take my life to the next level.\",), ('This means we are making the best choice to invest in cryptocurrencies',), ('Many people are saying that the Fed is likely to keep interest rates unchanged',), ('Good morning, my friend, please accept my wishes: let a smile creep onto your face, let happiness fill your heart, let good luck accompany you, let success nestle in your chest, let happiness bloom heartily, and let friendship be treasured in your heart. A new day has begun. I wish my friends to feel at ease in their trading. (🙏🏻)',), (\"*1. Liquidity impact*\\n*Liquidity tightening: The Fed's interest rate hike means reduced market liquidity and higher borrowing costs.*\\n*Capital repatriation: The Fed's interest rate hike may also attract global capital to return to the United States, because US dollar assets are more attractive in an interest rate hike environment.*\",), ('*Thursday, July 11: United States – Initial Jobless Claims. The previous reading was 238K. A weaker number would likely be welcomed by the market, which is looking for a weak job market so that the Fed would be more confident in cutting rates, potentially pushing up Bitcoin prices.*',), (\"Last night while having a drink with a friend, I heard him say that he is also investing in Citigroup's BTC smart contract trading, at least I think I'm making a decent daily income here\",), ('*2. Investor risk appetite*\\n*Reduced risk appetite: During a rate hike cycle, investors tend to be more cautious and have lower risk appetite.*',), ('*Hello everyone, I am Lisena Gocaj, focusing on cryptocurrency contract trading. I am your exclusive customer service. If you have any questions in the investment market, you can click on my avatar for free consultation. As our customers are increasing, we are now an open communication group. I will now open the right to speak to new members, so all new members please consult me \\u200b\\u200bfor the right to speak!*\\n\\n*Every little progress is a step towards success. As long as we keep accumulating and moving forward, we can achieve our dreams and goals.*',), (\"*4. Internal influence on the crypto market*\\n*Market divergence: In the context of the Federal Reserve raising interest rates, divergence may occur within the crypto market. Some assets with greater value consensus (such as Bitcoin, Ethereum, etc.) may attract more capital inflows and remain relatively strong; while some growth projects that may be valuable in the future may face pressure from capital outflows.*\\n*Black swan events: The Fed's interest rate hikes may also trigger black swan events in the market, such as major policy adjustments, regulatory measures, etc. These events will further increase market volatility and uncertainty.*\",), (\"I envy your life! Don't you have to work today?\",), ('*Major macroeconomic events this week that could impact BTC prices:*\\n*Thursday, July 11: US – CPI (mo/mo) (June) (expected: +0.1%). A weaker CPI could lead the market to believe that the Fed will cut rates faster, which could have a positive impact on the cryptocurrency market.*',), ('You go hiking in such a hot day.',), ('*Friday, July 12: United States - PPI (monthly rate) (June). The producer price index is critical to determining inflation risks. The market hopes to see reassuring signals that producer and consumer price inflation continue to normalize, which may have a stabilizing effect on Bitcoin.*',), ('Haha, there is still enough time, otherwise it will be your loss if you miss the trading signal.',), ('*3.performance and complexity*\\n*Historical data: Judging from historical data, interest rate hike cycles often put pressure on the crypto market. However, the crypto market’s response to Fed policy is not static and sometimes goes the opposite way than expected.*\\n*Complexity: The response of the crypto market is affected by multiple factors, including market sentiment, capital flows, technical factors, etc. Therefore, the impact of the Federal Reserve’s interest rate hikes on the crypto market is complex and cannot be explained simply by a single factor.*',), (\"With such an excellent team like Andy giving us accurate trading signals every day, I believe that it is a very good decision for us to invest in Citigroup's BTC smart contract trading. We can earn income outside of work every day.\",), ('*U.S. interest rates, particularly the Federal Reserve’s interest rate policies, have a significant impact on the crypto market. This influence is mainly reflected in the following aspects:*',), (\"So you need to be prepared at all times, and opportunities are reserved for those who are prepared. For all friends who want to sign up for the Whale Plan, please bring a screenshot of your trading account funds to me in time to claim your place. Friends who haven't joined yet can also add my private account and leave me a message. I will help you make all the preparations. Today's trading signal will be released at 8:30PM EST, so please be prepared for participation.\",), ('Historically, rate cuts usually lead to lower interest rates first',), ('*Many people have been deceived and hurt, I understand very well, and at the same time I am very sad. We at Citi want to help everyone, especially those who have been deceived and hurt. But many people don’t understand, and think that all cryptocurrency events are scams*',), ('*Finally, the flood came and the priest was drowned... He went to heaven and saw God and asked angrily: \"Lord, I have devoted my life to serving you sincerely, why don\\'t you save me!\" God said: \"Why didn\\'t I save you? The first time, I sent a sampan to save you, but you refused; the second time, I sent a speedboat, but you still didn\\'t want it; the third time, I treated you as a state guest and sent a helicopter to save you, but you still didn\\'t want to. I thought you were anxious to come back to me.\"*',), ('*Soon, the flood water reached the priest\\'s chest, and the priest barely stood on the altar. At this time, another policeman drove a speedboat over and said to the priest: \"Father, come up quickly, or you will really drown!\" The priest said: \"No, I want to defend the church, God will definitely come to save me. You should go and save others first.\"*',), ('*Congressman proposes to allow the use of BTC to pay taxes Golden Finance reported that according to Bitcoin Magazine, Congressman Matt Gaetz has launched a proposal to allow the use of BTC to pay federal income taxes.*',), (\"*At the same time, the details of our Whale Plan have been shared in the group for a few days. This plan will be officially launched on July 18th. I hope everyone will read it carefully. If you have any questions, please feel free to contact me and I will answer them for you. If you want to participate, I will also help you start your trading journey. This plan is once every four years, and strive to get the maximum benefit. Please seize the opportunity and don't miss it.*\",), ('*Here I want to tell you a biblical story:*\\n*In a village, it rained heavily and the whole village was flooded. A priest was praying in the church. He saw that the flood was not up to his knees. A lifeguard came up on a sampan and said to the priest: \"Father, please come up quickly! Otherwise, the flood will drown you!\" The priest said: \"No! I firmly believe that God will come to save me. You go and save others first.*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('*After a while, the flood had submerged the entire church, and the priest had to hold on to the cross on top of the church. The helicopter slowly flew over, and the pilot dropped the rope ladder and shouted: \"Father, come up quickly, this is the last chance, we don\\'t want to see you drown!!\" The priest still said firmly: \"No, God will definitely come to save me. God will be with me! You\\'d better go save others first!\"*',), (\"*Golden Finance reported that Bitwise CIO Matt Hougan said that the U.S. spot Ethereum ETF could attract $15 billion worth of net inflows in the first 18 months after listing. Hougan compared Ethereum's relative market value to Bitcoin, and he expects investors to allocate based on the market value of the Bitcoin spot ETF and the Ethereum spot ETF ($1.2 trillion and $405 billion). This will provide a weight of about 75% for the Bitcoin spot ETF and about 25% for the Ethereum spot ETF. Currently, assets managed through spot Bitcoin ETFs have exceeded $50 billion, and Hougan expects this figure to reach at least $100 billion by the end of 2025. This number will rise as the product matures and is approved on platforms such as Morgan Stanley and Merrill Lynch.*\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 57350-57650',), ('Rate cuts always bring sell-offs and plunges! I think it will fall at least 20%',), ('I am reading carefully',), ('*I think most of you have heard this story, but have you ever thought about it deeply?*',), ('The interest rate cut is negative at first, but after a period of time, it will usher in a big surge! Historically, this has been the case. I think that after this interest rate cut, BTC will sprint to $200,000',), (\"*In fact 👉 In 2013, Bitcoin had a 12,410x chance, you don't know, I don't know. We all missed it.*\\n*👉 Bitcoin had an 86x chance in 2017, you don't know, but I know we are getting rich.👉Bitcoin has a 12x chance in 2021, you still don't know, I know, but we are rich again.*\\n*In 2022-2023, Bitcoin will enter another price surge, while driving the appreciation of various cryptocurrencies.*\",), (\"*In fact, sometimes obstacles in life are due to excessive stubbornness and ignorance. When others lend a helping hand, don't forget that only if you are willing to lend a helping hand can others help!*\",), ('*Trump will speak at Bitcoin 2024 in late July According to Golden Finance, two people familiar with the matter said that former US President Trump is in talks to speak at the Bitcoin 2024 conference in Nashville in late July. It is reported that the Bitcoin 2024 event hosted by Bitcoin Magazine will be held from July 25 to 27, a week after the Republican National Convention, and is regarded as the largest Bitcoin event this year. Trump is not the only presidential candidate attending the convention. Independent candidate Robert F. Kennedy Jr. also plans to speak at the convention. Former Republican candidate Vivek Ramaswamy, Senator Bill Hagerty (R-TN) and Marsha Blackburn (R-TN) will also attend.*',), ('Just like the famous saying goes, \"*Don\\'t hesitate no matter what you do, hesitation will only make you miss good opportunities.*\" I have indeed made money in Teacher Andy\\'s team.',), ('Is this true? Are the trading signals always so accurate?',), ('I believe every US person knows Citigroup. Our cooperation with anyone is based on mutual trust.',), ('Good morning, analyst.',), ('This is of course true. I have been trading with Andy for a long time.',), ('*Teacher Andy and the analyst team are very happy to see that you can all make profits. If there are still people who want to participate in the transaction, please contact me and I will help you how to get started.*',), ('We all make money into our own pockets.😁😁',), ('*Congratulations to all members who participated in the transaction and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), (\"Are y'all going anywhere?\",), (\"It's okay man, the purpose of making money is to enjoy life\",), ('I am now looking forward to joining the Whale Plan next week so I can make more money.😆',), ('*[Citi Financial Information]*\\n1. [UK sells Monero confiscated from drug traffickers]\\n2. [Biden admitted that he made mistakes in the debate with Trump and emphasized that he would not withdraw from the election]\\n3. [Fed. Musallem: Recent data shows that the Fed has made progress in controlling inflation]\\n4. [The EU accepts Apple’s commitment to open NFC, including promoting the development of a digital euro]\\n5. [LMAX Group Strategist: Cryptocurrencies may fall further if the poor performance of U.S. stocks evolves into a broader correction]\\n6. [U.S. judge rejects Coinbase’s request to subpoena SEC Chairman, requiring him to re-formulate plan]\\n7. [Bernstein: Iris Energy has planned most of the land at the Childress mine to expand Bitcoin mining operations]',), ('*Through close cooperation of the analyst team, we can improve the accuracy of our strategies. When extreme market conditions occur and our strategies fail, resulting in losses, we will have a comprehensive investment plan to help you quickly recover your losses.*',), ('Now I know why we can make money every day. It turns out Andy has such a strong team. Haha. Fortunately, I got involved in it in advance.',), (\"I don't have enough money in my account so I don't have enough profits. I will have another good talk with my friends and family over the weekend to raise more money to invest in cryptocurrency contracts. I want to buy a new car and live in a big house too\",), ('That is a must. Who doesn’t want to make more money to achieve financial freedom?',), ('Abner, I agree with what you said, but not everyone can seize opportunities. Some people miss opportunities right in front of them because of concerns and worries. As Bernara Shaw said, \"People who succeed in this world will work hard to find the opportunities they want. If they don\\'t find them, they will create opportunities.\"',), ('Haha, you are good at coaxing your wife.👍',), ('*Our analyst team consists of three departments. The first is the information collection department, which collects the latest news from the market and screens it. After screening out some useful news, it will be submitted to the analyst department, which will make predictions about the market through the information and formulate corresponding analysis strategies. Then, it will be submitted to the risk control department for review. Only when the risk rate is lower than 5%, will the department take the client to trade.*',), ('Everyone has a desire to make money, but they are not as lucky as us. If we had not joined Citigroup and had not been guided by Andy, we would not have had such a good investment opportunity. So we would like to thank Mr. Nadi and his analyst team and Lisena for making us all grateful.',), (\"I've been observing for a while, and every time I see you guys making so much money, I'm tempted,\",), (\"*If you don't try to do things beyond your ability, you will never grow. Good morning, my friend! May a greeting bring you a new mood, and may a blessing bring you a new starting point.*\",), (\"Everyone is preparing for next week's Goldfish Project. lol.\",), (\"Time flies, it's Friday again and I won't be able to trade for another 2 days.\",), ('18297659835@s.whatsapp.net',), ('18297659835@s.whatsapp.net',), ('18297659835@s.whatsapp.net',), ('*We can tell you that cryptocurrency investments are very easy and can be profitable quickly. We are one of the largest investment institutions in the world. We have professional analysts and cutting-edge market investment techniques to help you better manage your wealth through a diversified approach. We seek long-term relationships because we believe that your success is our success. Let you know about our investment philosophy*',), ('*Everyone here, please do not hesitate and wait any longer, this is a very good opportunity, any road is to walk out by yourself, rather than waiting in the dream, it is especially important to take the first step accurately!*\\n*If you want to join, please contact me, I will take you on the road to prosperity!*',), ('*Cryptocurrencies can provide investors with diversification from traditional financial assets such as stocks and bonds. While the cryptocurrency market has had a limited history of price volatility relative to stocks or bonds, so far prices appear to be uncorrelated with other markets. This can make them a good source of portfolio diversification. By combining assets with minimal price correlations, investors can achieve more stable returns.*',), (\"*Hello everyone, I'm Andy Sieg. Everyone knows blockchain technology, but they often confuse cryptocurrency and blockchain. However, blockchain technology is essentially a shared computer infrastructure and a decentralised network is formed on it. The cryptocurrency is based on this network. Cryptocurrency is designed to be more reliable, faster and less costly than the standard government-backed currencies we have been used to. As they are traded directly between users, there is no need for financial institutions to hold these currencies. They also allow users to check the whole process of transactions in a completely transparent manner. None of this would be possible without blockchain technology.*\",), ('*Bitcoin contracts are one of the more popular ways to invest in bitcoin contracts, which are investment products derived from bitcoin. You can profit by trading in both directions. Contracts can be traded with leverage, making it easier for you to make huge profits. For the current investment climate, this is a good investment option*',), ('I can not wait any more.',), ('You better be on your best behavior down there.',), (\"*Dear friends, today's trading signal will be released at 8:00 p.m. EST. Please be prepared and contact me to receive the trading signal.*\",), ('*For beginner traders, first learn to analyze the information according to the chart, which is a short-term BTC long trend chart, there is a short-lived long-short standoff before the long position is determined, when the direction is determined, the dominant party will be strong and lock the market direction at this stage, we need to judge the information according to the chart before the standoff, when we choose the right direction, then we also follow the strong party to get rich profits*',), (\"I'm ready.\",), ('*A Contract for Difference (CFD) is an arrangement or contract in financial derivatives trading where the settlement difference between the opening and closing prices is settled in cash, without the need to purchase an equivalent price as in spot trading In contrast to traditional investments, CFDs allow traders to open positions not only when prices fall, but also when prices rise. CFDs are settled in cash.*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 57750-58050',), (\"*Good evening, club members!*\\n*Today's trading day has ended. Congratulations to every club member who made a profit. Today, the price of Bitcoin fluctuated greatly. The Federal Reserve announced that it may cut interest rates once or twice this year. Inflation is moving towards 2%. Everything is going well. Some analysts believe that the price of Bitcoin will exceed 100,000 US dollars in this round.*\\n\\n*If you are interested in learning more about trading cryptocurrency contracts, please contact me. I will answer your questions by leaving a message. I wish you a relaxing and enjoyable night!*🌹🌹🌹\",), ('Lisena, if I also want to participate in the Whale Project next week, are there any requirements?',), ('Yes, I discussed with my family this weekend that I am going to raise funds to increase my investment amount so that I will have enough funds to make more money in my whale plan next week.',), ('I see you used $2893 and made $1070. If you used $140k like me to participate in the transaction, you would make $51k. lol..',), ('This is a big plan prepared for the benefit of new customers. There are no requirements. If you have any questions or don’t understand something, you can click on my avatar to contact me. I will explain it to you in detail and help you how to participate in the Whale Plan.',), ('There are really a lot of profit points today, haha.',), (\"Yeah, so I'm going to go raise funds this weekend.\",), ('Hola 👋🏻',), ('😜He made some money last week, so he must have gone on a date today.',), ('Christian, where are you going to go after washing the car?',), ('*The Whale Plan will start tomorrow. If you want to realize your dream in the Whale Plan, you can contact me. If you don’t have a BTC contract trading account or don’t understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), (\"There is no need to envy others, because you don't know how much you will have tomorrow.\\nWeekend blessings, I wish you a happy weekend!\",), ('*[Citi Financial Information]*\\n1. [Director of the US SEC Enforcement Division calls for stronger cryptocurrency regulation]\\n2. [EBA releases \"Travel Rule\" guidelines]\\n3. [Nuvei launches digital card in Europe]\\n4. [Musk donates to Trump]\\n5. [South Korean media: South Korea considers postponing taxation plan on cryptocurrency income]\\n6. [Russia considers allowing major local licensed exchanges to provide digital currency trading services]\\n7. [Australia\\'s first spot Bitcoin ETF has increased its holdings by 84 BTC]\\n8. [Trump will still deliver a speech at the Bitcoin 2024 conference in Nashville]',), ('Are you washing your car to pick up girls at night? Haha',), ('*Having a dream is like having a pair of invisible wings, allowing us to soar in the ordinary world, explore the unknown, and surpass our limits.*\\n\\n*The crypto market rose slightly this weekend, laying a good foundation for the Whale Plan next week, with an expected return of more than 200%. During the Whale Plan stage, analysts will also provide one-on-one private guidance. Friends who want to participate can contact me to sign up.*',), ('Good morning, Mr. Andy.',), ('Finally finished washing, it took me so long',), ('https://www.youtube.com/watch?v=0PW3aBqjCgQ',), ('*I hope all members can realize their dreams in the Whale Plan next week. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('Looking forward to the first trading day of the week',), ('Yeah, I often play with clients.',), ('Today, the price of BTC has reached above $63,000 again, which is a very good sign',), (\"Of course I can't compare with you, haha, I have to maintain my figure\",), ('Is this all you eat for breakfast?',), (\"(and a new documentary series chronicling carlos alcaraz's 2024 season is coming to netflix in 2025)\",), ('Do you still play golf?',), (\"*Good afternoon, everyone. I am Lisena Gocaj, specializing in cryptocurrency contract trading. I am your exclusive customer service. If you have any questions about the investment market, you can click on my avatar to get a free consultation! Friends who want to sign up for this week's Whale Plan can send me a private message to sign up*\",), ('BTC has risen to $63,000 and I am very much looking forward to trading this week🤩',), ('Lisena Gocaj, has the Whale Project started?',), ('Yes, we have been looking forward to the arrival of the trading plan 🤣',), ('I think the reason a lot of people lose money on cryptocurrencies is because they don’t know anything They trade alone relying solely on luck to determine whether they win or lose The investing and trading markets are complex and not everyone can understand them This is why professional brokers are so sought after and respected',), (\"Yes the beautiful scenery is not what others say but what you see yourself If we can't climb to the top of the mountain alone to see the scenery let's find help to help us climb to the top\",), (\"*Hello dear friends🌺🌺🌺I am Lisena Gocaj, today is Monday, and it is also the first transaction of [Whale Plan]🐳🐳🐳. This transaction will be released at 8:30pm EST, please be prepared for trading members , don't miss a deal.*\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 40%\\nPurchase Price Range: 64400-64700',), ('Great, Whale Project, can make more money again.',), ('I have registered, but my funds have not yet arrived in my trading account. 😔 I feel like I have missed a big opportunity.',), ('If you have the opportunity, seize it. I believe that this kind of whale plan is not common. After all, it touches the interests of capitalists.',), ('Good afternoon, analyst',), ('Today was the bsmesg. :)',), ('*🌹🌹🌹Congratulations to all members who participated in today’s daily trading and successfully achieved ideal returns. Don’t forget, our upcoming whale program this week is the focus of Mr. Andy’s leadership in the crypto market. The whale program is expected to generate returns of over 200%. Mr. Andy will lead everyone to explore the mysteries of the encryption market and help everyone achieve financial freedom. Now. Instantly. Take action. Do not hesitate. ✊🏻✊🏻✊🏻*\\n*Private message me💬☕️I will help you*',), ('*[Citi Financial Information]*\\n1. Kraken: has received creditor funds from Mt. Gox trustee; \\n2. blackRock IBIT market capitalization back above $20 billion; \\n3. Matrixport: bitcoin ETF buying gradually shifting from institutions to retail investors; \\n4. the founder of Gemini donates another $500,000 to the Trump campaign; \\n5. the Tether treasury has minted a cumulative 31 billion USDT over the past year; \\n6. Mt. Gox trustee: BTC and BCH have been repaid to some creditors via designated exchanges today; \\n7. Cyvers: LI.FI suspected of suspicious transactions, over $8 million in funds affected',), ('You can participate in trading once the funds arrive in your trading account.',), ('Thank you very much Lisena for helping me pass the speaking permission. I have been observing in the group for a long time. With your help, I have registered a trading account. When can I start participating in the transaction?',), (\"Luckily, I caught today's deal. I just got home with my grandson🤣\",), ('You are very timely. Lol 👍🏻',), ('There are restrictions on buying USDT directly in the wallet. I always wire the money first and then buy the currency, so that I can transfer it directly.',), ('Beautiful lady, is Manhattan so hot right now?',), ('Wow, yours arrived so quickly and mine hasn’t yet. I also want to join the transaction quickly and don’t want to miss such a good opportunity to make money.',), ('I was restricted before, but later Lisena asked me to wire money.',), ('I deposited money to my crypto.com yesterday and bought USDT, why won’t it let me send it to my trading account?',), (\"Hello Jason, yes, as long as the funds reach your trading account, you can participate in today's Whale Plan.\",), ('*Congratulations to all members who participated in the Whale Plan and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('Analyst trading signals remain accurate',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"You can come to the Bay Area for vacation, it's very cool here\",), (\"Yeah, today's weather is like a sauna\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 40%\\nPurchase Price Range: 64850 -65100',), (\"*Dear friends🌺🌺🌺Hi, I am Lisena Gocaj, today is Tuesday, and it is the second transaction of [Whale Project]🐳🐳🐳. This transaction will be released at 8:30 pm EST, please be prepared and don't miss any transaction.*\",), ('Haha, you can also come to Seattle for vacation. I can take you around.',), ('This is my first time participating in a transaction today. Fortunately, the funds have arrived in my account today, otherwise I would have missed the trading signal.',), ('You are right. Only by seizing the opportunity to make money can you earn the wealth you want and enjoy life better.',), ('The sooner you join, the sooner you can achieve financial freedom, haha',), ('A good start to the day',), (\"*[Citi Financial Information]*\\n1. Argentina sets rules for the regularization of undeclared assets, including cryptocurrencies; \\n2. options with a notional value of about $1.756 billion in BTC and ETH will expire for delivery on Friday; \\n3. kraken is in talks to raise $100 million before the end of the year for an IPO; \\n4. aethir suspended its token swap with io.net and launched a $50 million community rewards program; \\n5. revolut is in talks with Tiger Global for a stock sale worth $500 million; \\n6. Binance responds to Bloomberg's apology statement: it will continue to focus on providing the best service and innovation to its users; \\n7. Hong Kong Treasury Board and Hong Kong Monetary Authority: will work with other regulators to jointly build a consistent regulatory framework for virtual assets.\",), ('heeheheheh',), ('*In the world we live in, there is a group of people who stand out because of their pursuit of excellence. They pursue their goals with firm will and unremitting efforts. Every choice they make shows their desire for extraordinary achievements. In their dictionary, the word \"stagnation\" never exists, and challenges are just stepping stones to their success*',), ('*To achieve real breakthroughs and success, we must exchange them with full commitment, tenacious determination and continuous struggle. Just as we are making progress every day, this is an eternal lesson: there is no shortcut to success, and only through unremitting practice and action can we truly break through ourselves. Let us be proactive, give full play to our potential, and use our wisdom and efforts to make dreams bloom brilliantly in reality.*',), ('Yes, he is a staunch supporter of cryptocurrency',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:64300-64600',), (\"*Hello dear friends🌺🌺🌺, I am Monica, today is Wednesday, and it is the third deal of [Whale Project]🐳🐳🐳. This deal will be announced at 8:40 pm EST, please be prepared and don't miss any deal.*\",), (\"🌐🎯 *The chart shows CME's share in global notional open interest in the standard futures market tied to bitcoin and ether*\\n\\n🌐🎯 *The global derivatives giant accounts for 83% of total BTC futures open interest and 65% of ETH open interest*\\n\\n🌐🎯 *The numbers represent growing institutional participation in the crypto market*\",), ('*If you have completed the transaction, please send a screenshot of your profit to the group so that I can compile the statistics and send them to our analyst team as a reference for the next trading signal and market information.*',), ('*The chances of President Joe Biden dropping out of November\\'s election hit 68% on crypto-based prediction market platform Polymarket. Biden announced he had been diagnosed with Covid-19 on Wednesday, having previously said he would re-evaluate whether to run \"if [he] had some medical condition.\" The president has thus far given a poor showing during the campaign, most notably during a debate with Donald Trump, who is considered the significantly more pro-crypto candidate. Trump\\'s perceived chances of victory have become a metric for the cryptocurrency market. Bitcoin\\'s rally to over $65,000 this week followed the assassination attempt on Trump, which was seen as a boost to his prospects of retaking the White House*',), (\"*Dear friends 🌺🌺🌺 Hello everyone, my name is Lisena Gocaj, today is Thursday, and it is the fourth deal of [Whale Project] 🐳🐳🐳. This deal will be announced at 8:30 pm EST, please be prepared and don't miss any deal.*\",), ('Hate airports',), (\"I saw Lisena's message in the community. Cryptocurrency offers a great opportunity right now. The presidential campaign is largely focused on whether to support cryptocurrencies. If Mr. Trump supports cryptocurrencies and is elected, it will be a huge boon to the cryptocurrency market.\",), (\"I'm not too bullish on Biden. I prefer Trump because I trade cryptocurrencies😂\",), ('*Since the market test risk is greater than 5%, trading has been suspended. Please wait patiently for notification.*',), (\"*Citi News:*\\n1. Democrat bigwigs advise Biden to drop out of race\\n2.U.S. SEC indicts former Digital World CEO Patrick Orlando\\n3.U.S. SEC approves grayed-out spot ethereum mini-ETF 19b-4 filing\\n4.US Judge Agrees to Reduce Ether Developer Virgil Griffith's Sentence by 7 Months to 56 Months\\n5. Cryptocurrency Custodian Copper Receives Hong Kong TCSP License\\n6.Mark Cuban: Inflation Remains the Essential Reason for BTC's Rise, BTC to Become a Global Capital Haven\",), (\"*Good morning, dear members and friends, congratulations to everyone for making good profits in this week's Whale Plan 🐳. Today is the fourth trading day of the Whale Plan 🐳. If you don't have a BTC contract trading account or don't understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not appropriate, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\",), (\"*Bitcoin {{BTC}} struggled to stay above $65,000 after falling below $64,000 during Wednesday's U.S. trading session. After briefly recapturing $65,000, bitcoin drifted toward the $64,500 mark, down about 1 percent from 24 hours earlier. the CoinDesk 20 Index was down about 2.4 percent. Stocks sold off after Wednesday's rally came to a halt, with the tech-heavy Nasdaq down 2.7% and the S&P 500 down 1.3%. Market strategists said the cryptocurrency rally could stall if the stock market sell-off turns into a correction, but in the longer term it could provide a haven for investors fleeing the stock market*\",), (\"*🎉🎉🎊🎊Congratulations to all the partners who participated in the Whale Plan🐳 today and gained benefits. I believe that everyone has made good profits in this week's Whale Plan🐳. Today is the third trading day of the Whale Plan🐳. If you don't have a BTC contract trading account or don't understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\\n\\n*🥰🥰🥰Wish you all a good night🌹🌹🌹*\",), (\"*Citi News:*\\n1. table and photo with Trump during Bitcoin conference price of $844,600\\n2.Polymarket: probability of Biden dropping out rises to 80%, a record high\\n3.South Korea's first cryptocurrency law comes into full effect\\n4. rumor has it that Trump will announce the U.S. strategic reserve policy for bitcoin next week\\n5. Putin warns that uncontrolled cryptocurrency mining growth could trigger a Russian energy crisis and emphasizes the utility of the digital ruble\",), (\"*Notify:*\\n\\n*Because the risk of the market analysis department's simulated test trading based on today's market conditions is greater than 5%, today's trading signals are suspended. You don't have to wait. I'm very sorry!*\",), ('Yes, because there were no trading signals yesterday and the market was unstable yesterday, Lisena said that the risk assessment analyzed by the analyst team exceeded 5%.',), ('🎉🎉🎊🎊 *Dear members, if you don’t have a BTC contract trading account or don’t understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*☎️☎️\\n\\n🥰🥰🥰*Good night everyone*🌹🌹🌹',), (\"You are lucky to catch today's trading signal.\",), ('Finally, I can participate in the transaction.',), ('I am ready.',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:66200-67000',), ('Haha, I can go out traveling this weekend.',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*Dear friends🌺🌺🌺Hello everyone, I am Lisena Gocaj, today is Friday, it is the last transaction of [Whale Project]🐳🐳🐳. Trading signals will be released at 8:00 PM ET, so be ready to take advantage and don't miss out on any trading gains.*\",), ('okay',), (\"*🎉🎉🎊🎊Congratulations to all the friends who participated in the Whale Plan 🐳 today and reaped the benefits. I believe that everyone has reaped good benefits in this week's Whale Plan 🐳. If you don't have a BTC contract trading account or don't understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not appropriate, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\",), (\"*Good evening everyone🌹🌹🌹*\\n*This week's whale plan has come to a successful conclusion. Congratulations to all members who participated in this whale plan. I believe everyone has made good profits in this whale plan.*\\n*In addition, if you do not have a BTC smart contract trading account, or do not understand our BTC smart contract transactions, you can send me a private message and I will teach you step by step and explain it to everyone in detail. The first step in cooperation is communication. If you feel it is inappropriate, you can withdraw money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\\n*I wish everyone a happy weekend. Friends who need to withdraw funds can contact me.*\\n*Good night!*\\n*Lisena Gocaj*\",), ('*[Citi Financial Information]*\\n1. [ETF Store President: Approval of spot Ethereum ETF marks a new shift in cryptocurrency regulation]\\n2. [JPMorgan Chase: Cryptocurrency rebound is unlikely to continue, Trump\\'s presidency will benefit Bitcoin and gold\\n3. [Trump responded to Musk\\'s $45 million monthly donation to him: \"I like Musk, he\\'s great\"]\\n4. [US Senator emphasizes that Bitcoin as a currency is not affected by large-scale cyber attacks]\\n5. [Indian crypto trading platform WazirX announces the launch of a bounty program]',), ('I was looking at cars with my family.',), ('What do you guys do on the weekends?',), ('Haha, I am also accompanying my wife to look at cars😁',), (\"You all made a lot of money on last week's Whale Scheme, unfortunately I only caught the last trade,\",), ('Did you watch the news? Biden is dropping out of the presidential race.',), ('So you all understand…. Biden is dropping out of the race, but he still has until January 2025 to finish this term.',), ('Everyone can relax on the weekend. There are no trading signals in the group on the weekend. Teacher Andy said that in order not to disturb everyone to have a happy weekend, there will be no sharing of knowledge points on the weekend.🥰',), ('My family and I are still looking and have not yet decided. We have looked at many cars.',), (\"That's right, we can make more money.😎\",), ('*[Citi Financial Information]*\\n*1. South Korea\\'s FSC Chairman Candidate: Unwilling to Approve South Korea\\'s Spot Bitcoin ETF*\\n*2. JPMorgan Chase: The short-term rebound in the cryptocurrency market may only be temporary*\\n*3. A coalition of seven U.S. states filed a friend-of-the-court brief and opposed the SEC\\'s attempt to regulate cryptocurrencies*\\n*4. Crypto Policy Group: President Biden\\'s decision to step down is a new opportunity for the Democratic Party\\'s top leaders to embrace cryptocurrency and blockchain technology*\\n*5. Harris expressed hope to win the Democratic presidential nomination*\\n*6. The Speaker of the U.S. House of Representatives called on Biden to resign \"immediately\"*\\n*7. Musk changed the profile picture of the X platform to \"laser eyes\"*\\n*8. The Monetary Authority of Singapore promised to invest more than $74 million in quantum computing and artificial intelligence*\\n*9. Variant Fund Chief Legal Officer: The new Democratic presidential candidate should regard cryptocurrency as a top priority*',), ('I think his last-minute move could boost Bitcoin and crypto assets in the coming months, while others think investors should curb their excitement now',), ('I got a new message. Biden officially announced his withdrawal from this election. Will the bulls get on track?',), ('BTC is rising towards $70,000 today, and it looks like the crypto market will have a new breakthrough in the new week',), (\"Don't rush the analysts, Lisena will send us trading signals when they appear.\",), (\"I've been ready for this and am really looking forward to today's deal.\",), ('https://m.coinol.club/#/register?verify_code=kxWtZs',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('*If you want to register a \"Citi World\" trading account, you can click this link to register your trading account. After the registration is completed, you can take a screenshot and send it to me to get a gift of $1,000.*',), (\"I'll tell you a very simple truth. When you are still waiting and watching, some people have already gone a long way. You can learn while doing. I have also been following the messages in the group for a long time. But when I took the first brave step, I found that it was not that difficult. Thanks to Assistant Lisena for her patience and help.\",), ('Yes, can those of us who have already participated in the transaction still participate? I also want to increase my own funds.',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('Lisena Can I still attend this event?',), ('*🌹🌹🌹Dear friends, hello🌹🌹🌹, in order to promote \"Citi World\", now we have launched 2 activities:🔔🔔🔔*\\n\\n*🌹① Register a Citi World account and get 💰$1,000*\\n*🌹② Register a Citi World account and deposit money to start trading,*\\n*When the deposit amount reaches 💰$10k or more, you will get 💰20%;*\\n*When the deposit amount reaches 💰$30k or more, you will get 💰30%;*\\n*When the deposit amount reaches 💰$50k or more, you will get 💰50%;*\\n*When the deposit amount reaches 💰$100k or more, you will get 💰80%.*\\n\\n*The number of places and time for the event are limited⌛️⌛️⌛️, if you need to know more, please click on my avatar to contact me.*',), (\"Relax. The benefits will satisfy you. From an old man's experience🤝🏻\",), ('*If you want to register a \"Citi World\" trading account, you can click on my avatar to contact me. I will guide you to register. After the registration is completed, you will receive a gift of US$1,000.*',), (\"📢📢📢*Note: I know everyone can't wait to start trading today. Now I have received a message from the analyst team, and today's trading signal has been sent to the risk control department for testing. Please prepare your trading account, I will let everyone be ready 1 hour before the trading signal appears.*\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 67200 -67900',), ('You are right, the mechanics of the stock market gave me a lot of headaches and I lost a lot of money',), ('Can buy or sell at any time, and when analysts find trading signals, we can be the first to buy or sell',), ('Ether ETF Approved for Listing How will it affect the price of Ether?',), (\"*Good afternoon, fellow club members. How to trade BTC smart contracts? I will explain this in detail. This will help us become more familiar with daily transactions, better understand the contract market, and become familiar with the operation methods. So stay tuned for club information and we'll start to explain.*\",), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('US regulators have finally approved an ETF that holds Ethereum, allowing us to invest in the second-largest cryptocurrency through this easy-to-trade vehicle',), (\"*'Don't be afraid of the dark clouds that cover your vision, because you are already standing at the highest point'. Every challenge is the only way to success; every persistence is the cornerstone of glory. Let us climb the investment peak with fearless courage, surpass ourselves, and achieve extraordinary achievements.*✊🏻✊🏻\",), ('*First of all, the contract transaction is T+0 transaction, you can buy at any time, sell in the next second, you can place an order at any time, close the position at any time, stop the loss at any time, and minimize the risk. It is a paradise for short-term traders. . Controlling risk is the first step in getting a steady income, so the rules of buying and selling at any time are especially important. Stocks are bought and sold every other day, which is a very important reason why many people lose money in stock investing. Because many international events will occur after the stock market closes, which will have an impact on the market. Therefore, contracts are less risky than stocks.*',), ('The decision concludes a multi-year process for the SEC to approve Ether ETFs, after regulators approved a Bitcoin ETF in Jan. Ether ETFs could make Ether more popular with traditional investors, as these funds can be bought and sold through traditional brokerage accounts. Bitcoin ETFs have attracted tens of billions of dollars in investment since their debut in January',), ('*[Citi Financial Information]*\\n1. [The U.S. Democratic Party will determine its presidential candidate before August 7]\\n2. [Details of the Trump shooting are revealed again: The Secret Service knew about the gunman 57 minutes before the assassination]\\n3. [A South Korean court has issued an arrest warrant for Kakao founder Kim]\\n4. [CNBC discusses the possibility of the U.S. government using Bitcoin as a reserve currency]\\n5. [Founder of BlockTower: The possibility that the United States will use Bitcoin as a strategic reserve asset in the next four years is very low]\\n6. [Musk: The U.S. dollar is becoming like the Zimbabwean dollar]\\n7. [The U.S. House of Representatives passed the cryptocurrency illegal financing bill, but it may be rejected by the Senate]\\n8. [President of ETFStore: Traditional asset management can no longer ignore cryptocurrency as an asset class]\\n9. [Forcount cryptocurrency scam promoter pleads guilty to wire fraud]\\n10. [U.S. Vice President Harris: Has received enough support to become the Democratic presidential candidate]',), ('*🌹🌹🌹Dear friends, hello🌹🌹🌹, in order to promote \"Citi World\", now we have launched 2 activities:🔔🔔🔔*\\n\\n*🌹① Register a Citi World account and get 💰$1,000*\\n*🌹② Register a Citi World account and deposit money to start trading,*\\n*When the deposit amount reaches 💰$10k or more, you will get 💰20%;*\\n*When the deposit amount reaches 💰$30k or more, you will get 💰30%;*\\n*When the deposit amount reaches 💰$50k or more, you will get 💰50%;*\\n*When the deposit amount reaches 💰$100k or more, you will get 💰80%.*\\n\\n*The number of places and time for the event are limited⌛️⌛️⌛️, if you need to know more, please click on my avatar to contact me.*',), ('OK, Lisena',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('The more you deposit, the more profit you earn',), (\"Where are you at, my dude. You've been super quiet.\",), ('Hello??',), (\"Let's drink together and celebrate today's victory\",), ('*[Citi Financial Information]*\\n1. [U.S. Secretary of Homeland Security Mayorkas appoints Ronald Lowe as Acting Secret Service Director]\\n2. [Coinbase CEO: Bitcoin is a check and balance on deficit spending and can prolong Western civilization]\\n3. [U.S. House of Representatives Majority Whip Emmer: Digital assets and artificial intelligence may establish a \"symbiotic relationship\" in the future]\\n4. [Musk: FSD is expected to be approved in China before the end of the year]\\n5. [Galaxy: At least seven current U.S. senators will participate in the Bitcoin Conference this week]\\n6. [Democratic leader of the U.S. House of Representatives: Strongly supports Harris’ candidacy for president]\\n7. [Bitcoin Magazine CEO: Promoting Harris to speak at the Bitcoin 2024 Conference]\\n8. [Author of \"Rich Dad Poor Dad\": If Trump wins the election, Bitcoin will reach $105,000]\\n9. [US Congressman: Taxing Bitcoin miners will be detrimental to the United States]\\n10. [Musk: Never said he would donate $45 million a month to Trump]',), ('When you have as much money as I do, you will also earn as much.',), ('*Wednesday is a new starting point of hope, and a day to fly towards our dreams again. Let us use wisdom and diligence to write a legendary story of successful investment. Let these words of encouragement become a beacon to illuminate our way forward and guide us to the other side of wealth and achievement. Finally, members, in your busy and hard work, please take a little time to find happiness and relaxation. Let smile be your best embellishment, and let happiness become your daily habit. No matter what difficulties and challenges you encounter, you must face them with a smile, because a good mood is the secret weapon to overcome everything. Good morning, may your day be filled with sunshine and happiness!*',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*Remember that Wednesday is not just the middle of the week, but a powerful accelerator for achieving your dreams. Don’t let fear stop you, because it is in these difficult moments that our resilience is forged, allowing us to shine even more in adversity.*\\n*Today, let us move forward into the unknown with unwavering determination. No matter how strong the wind and rain, we will continue to move forward with passion and firm belief. Whether the road ahead is full of obstacles or smooth and flat, stay calm and optimistic, because the most beautiful scenery is often just behind the steepest slope.*',), (\"It's so hot, and you guys are still going out to play. I just woke up from drinking too much last night.😂\",), ('Thank you, Lisean!',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 65000-66000',), ('*Let inspiring words be our battle cry: \"Success is not the end, failure is not fatal: what matters is the courage to move forward.\" Every challenge we face is a stepping stone to glory; every persistence we make is the foundation of success. Let us climb the investment peak with fearless determination, surpass our own limits, and achieve extraordinary achievements.*',), ('*🌹🌹In order to promote \"Citi World\", we launched 2 activities: 🔔🔔🔔*\\n\\n*🌹① Register a Citi World account and get 💰$1,000*\\n*🌹② Register a Citi World account and deposit to start trading,*\\n*Deposit amount reaches 💰$10k or more, get 💰20%;*\\n*Deposit amount reaches 💰$30k or more, get 💰30%;*\\n*Deposit amount reaches 💰$50k or more, get 💰50%;*\\n*Deposit amount reaches 💰$100k or more, get 💰80%.*\\n\\n*The number of places and event time are limited⌛️⌛️⌛️For more information, please click on my avatar to contact me.*',), ('What did you do????? 😭',), ('My bank loan has not been approved yet. I will increase the funds after it is approved. I used the funds given when I registered to try these two transactions.',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), ('I also took out a loan from a bank, but I have already paid it off.',), ('Good night, Lisena!',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*[Citi Financial Information]*\\n1. [Former New York Fed President: The Fed should cut interest rates immediately]\\n2. [U.S. Senate candidate John Deaton has invested about 80% of his net worth in Bitcoin-related investments]\\n3. [Sygnum, Switzerland, saw a surge in cryptocurrency spot and derivatives trading in the first half of the year, and plans to expand its business to the European Union and Hong Kong]\\n4. [Founder of SkyBridge: Harris is open to cryptocurrencies and will take a more moderate approach to cryptocurrencies]\\n5. [Founder of SkyBridge Capital: Harris is open to cryptocurrencies and will take a more moderate approach to cryptocurrencies]\\n6. [A man in Columbia County, USA, was sentenced to prison for selling crypto mining computers that were not delivered and lost contact]\\n7. [Founder of a16z: The Biden administration's regulatory approach to cryptocurrencies is stifling innovation and growth in the industry]\\n8. \\u200b\\u200b[Crypto analyst Jamie Coutts CMT: The situation for Bitcoin miners is improving]\\n9. [Vitalik: The actual application of technology is what ultimately determines the success of cryptocurrencies]\",), ('OK',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*Due to the limited number of members who can speak in the community, many members have told me that they cannot speak and discuss in the community. In response to this, we at Citi held a meeting and decided to set up a group where people can speak freely. If you are interested in cryptocurrency and want to learn more about cryptocurrency and investment advice from Mr. Andy, you can click the link below 👇🏻👇🏻👇🏻*\\n\\nhttps://chat.whatsapp.com/Lq60RAA82B86ibC85YS23o',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin:30%\\nPurchase Price Range: 65500-66500',), (\"*There are still many members who have not joined the new group. Those who have joined the new group, please send today's trading profit pictures to the new group. Those who have not joined the new group, please join as soon as possible, because in the new group everyone can speak freely and communicate and learn from each other.*\",), ('*Due to the limited number of members who can speak in the community, many members have told me that they cannot speak and discuss in the community. In response to this, we at Citi held a meeting and decided to set up a group where people can speak freely. If you are interested in cryptocurrency and want to learn more about cryptocurrency and investment advice from Mr. Andy, you can click the link below 👇🏻👇🏻👇🏻*\\n\\nhttps://chat.whatsapp.com/Lq60RAA82B86ibC85YS23o',), ('12027132090@s.whatsapp.net',), ('*[Citi Financial Information]*\\n1. [Jersey City, New Jersey, USA Pension Fund Will Invest in Bitcoin ETF]\\n2. [Yellen praised Biden’s “excellent” economic performance and said the United States is on a soft landing]\\n3. [Founder of Satoshi Action Fund: Key U.S. Senate supporter withdraws support for bill banning Bitcoin self-custody]\\n4. [Coinbase UK subsidiary fined $4.5 million for inadequate anti-money laundering controls]\\n5. [JPMorgan Chase launches generative artificial intelligence for analyst work]\\n6. [India plans to publish a cryptocurrency discussion paper by September]\\n7. [Trump campaign team: Will not commit to arranging any debate with Harris until she becomes the official nominee]\\n8. [U.S. Senators Withdraw Support for Elizabeth Warren’s Cryptocurrency Anti-Money Laundering Bill]',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 67500-68500',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:00pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I still find it hard to believe 😱',), ('*Good evening everyone🌹🌹🌹*\\n*🎉🎉🎊🎊Congratulations to everyone who participated in the plan this week. We have achieved a profit of 140%-160% this week. If you don’t have a BTC contract trading account, or don’t understand our contract trading, you can send me a private message and I will guide you on how to join. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you want to have an income after work, please click on my avatar to contact me*',), ('*Due to the limited number of members who can speak in the community, many members have told me that they cannot speak and discuss in the community. In response to this, we at Citi held a meeting and decided to set up a group where people can speak freely. If you are interested in cryptocurrency and want to learn more about cryptocurrency and investment advice from Mr. Andy, you can click the link below 👇🏻👇🏻👇🏻*\\n\\nhttps://chat.whatsapp.com/Lq60RAA82B86ibC85YS23o',), ('*[Citi Financial Information]*\\n1. [Forbes: The United States may introduce more federal policies to support cryptocurrency]\\n2. [U.S. Vice President Harris campaign team seeks to restart contact with Bitcoin and encryption teams]\\n3. [Trump: Never sell your Bitcoin, if elected he will prevent the US government from selling Bitcoin]\\n4. [Bitcoin Magazine CEO will donate Bitcoin to Trump, making him an official holder]\\n5. [Executive Chairman of Microstrategy: The U.S. government should own most of the world’s Bitcoins]\\n6. [US presidential candidate Kennedy: Trump may announce the US government’s plan to purchase Bitcoin tomorrow]\\n7. [US Congressman Bill Hagerty: Working hard to promote legislation to support Bitcoin]\\n8. [Mayor of Jersey City, USA: Bitcoin is an inflation hedging tool, and I personally also hold ETH]',), ('Wow, are you playing tennis?',), ('Have a nice weekend, friends.',), ('Yes, the weekend needs exercise, it will be a good weekend',), ('Weekends are the days when I don’t want to go out. There are simply too many people outside. I need to find a place with fewer people😁',), ('*[Citi Financial Information]*\\n1. [The University of Wyoming establishes the Bitcoin Research Institute to export peer-reviewed academic research results on Bitcoin]\\n2. [VanEck Consultant: The logic of the Federal Reserve buying Bitcoin instead of Treasury bonds is based on the fixed total amount of Bitcoin]\\n3. [U.S. SEC accuses Citron Research founder of allegedly profiting US$16 million through securities fraud]\\n4. [Encryption Lawyer: Harris should ask the SEC Chairman to resign to show his attitude towards promoting the encryption economy during his administration]\\n5. [Democratic House of Representatives: Cryptocurrency regulation should not become a “partisan political game”]\\n6. [Galaxy CEO: The hypocrisy of American politicians has no end, I hope both parties will stand on the side of the encryption community]\\n7. [British hacker sentenced to 3.5 years in prison for Coinbase phishing scam, involving theft of approximately $900,000]\\n8. [Slovenia becomes the first EU country to issue sovereign digital bonds]\\n9. [South Korea’s Paju City collects 100 million won in local tax arrears by seizing virtual assets]\\n10. [Venezuela’s electoral body announced that Maduro was re-elected as president, although the opposition also claimed victory]',), ('Good morning, friends, a new week and a new start.',), ('*Good morning, friends in the group. I believe you all had a great weekend.*\\n*A wonderful week has begun again. Lisena wishes you all good work and profitable trading.*',), ('Lisena, are there any trading signals today?',), ('It really sucks to have no trading over the weekend.',), ('I have observed that the BTC market has been very volatile in the past few days. Will this affect our trading?',), ('*Hello friends in the group, if you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. As long as you have enough funds to join the transaction, we will multiply your funds several times in a short period of time. If you have any doubts or want to withdraw, you can withdraw your funds at any time without any loss. Every successful person has taken the first step boldly and is getting more and more stable on the road to success. Please don’t hesitate, please click on my avatar to contact me and let our Citigroup team take you to find the life you want to live.*',), (\"There have been no trading signals for two days and I can't wait any longer.\",), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), (\"I don't think it will affect us. We followed Mr. Andy's technical analysis team and made so many transactions based on the trading signals given, and we didn't suffer any losses. I remember that there was one time when the market was very unstable and no trading signals were given that day. So I believe that Mr. Andy's team is responsible for us\",), ('okay',), ('I am ready',), ('Alright, I got it',), ('I agree with what you said, but I think the only bad thing is that every time I increase funds, they cannot be credited to my account in time',), ('ok',), ('yes really great',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 20%\\nPurchase Price Range: 65800-66800',), ('Wish I could make that much money every day this profit is driving me crazy',), ('wow very big profit',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('This opportunity does not come along every day',), (\"Dude. Call me. Need to make sure you're ok. I'm worried.\",), ('I know, so just hope LOL',), ('Cherish every trading opportunity',), ('*Congratulations to all friends who made a profit today. If you don’t have a BTC contract trading account or are not familiar with our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. As long as you have enough funds to join the transaction, we will multiply your funds several times in a short period of time. If you have doubts or want to withdraw, you can withdraw at any time without any loss. Every successful person bravely took the first step and became more and more stable on the road to success. Please do not hesitate, please click on my avatar to contact me, and let our Citi team take you to find the life you want*',), (\"Of course I'm looking forward to it! Big deals bring big profits! I'm not a fool\",), (\"That's right, the more profit you make from big trades, the more you invest, the more you earn! Why not add a little more?\",), ('*[Citi Financial Information]*\\n1. Governor of the Russian Central Bank: The Russian Central Bank is expected to test crypto payments for the first time this year\\n2. Blockworks founder: Hope to invite Democratic presidential nominee Harris to attend the upcoming encryption conference\\n3. Gold advocate Peter Schiff: Biden administration will sell all Bitcoin before Trump takes office\\n4. Harris is considering Michigan Sen. Peters as her running mate\\n5.Real Vision Analyst: Bitcoin may have appeared on the balance sheets of multiple countries\\n6. U.S. Senator Cynthia Lummis: Bitcoin strategic reserves can prevent the “barbaric growth” of the U.S. national debt\\n7. CryptoQuant Research Director: After Bitcoin halving, smaller miners are selling Bitcoin, while larger miners are accumulating Bitcoin\\n8. Trump Friend: Trump has been interested in cryptocurrencies for the past two years',), ('It looks delicious! You should expect more than profit on big trades, as I do!',), ('*If you want to participate in the transaction, you can contact me. If you don’t have a BTC contract trading account and are not familiar with our contract trading, you can also send me a private message and I will teach you step by step.*',), ('I believe that with the help of Mr. Andy and Lisena, you will make enough money and quit your part-time job.',), ('Haha, I believe everyone doesn’t want to miss the trading signals.',), ('For me, this amount of money is the most I can afford! I even applied for a $20,000 bank loan! But I believe I can make money following Mr. Andy and Lisena! Maybe after the big deal is over, I will find a way to make more money! Maybe after the big deal is over, I can quit my part-time jobs, so that I can have more time to participate in trading and make more money than my part-time jobs.',), (\"I didn't make much profit, I think it's because I just started and I didn't invest enough money! But I will stick with it like you said.\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:65600-66600',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), ('Seriously starting to worry now.',), (\"*Notice:*\\n*Hello dear friends, according to the calculation data of Friday's non-agricultural data, the analyst team has formulated a trading plan, and the profit of a single transaction will reach more than 30%. Please contact me for more information.*\\n*Lisena Gocaj*\",), ('If I have any questions I will always contact you. Thank you, Lisena',), ('*If you have any questions, please feel free to contact me. You can call me anytime, whether it is a \"big deal\" or about registering a trading account or increasing the funds in your trading account.*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I closed a deal and made some money so I went out for drinks with my friends. Anyone want to celebrate with me?',), ('😎Persistence is the loneliest, but you have to persevere. In the end, it is the people who persevere who will be seen to succeed.',), ('Yes, all encounters are the guidance of fate.',), (\"*You're welcome. It's a fate that we can meet in this group.*\",), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:40pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*[Citi Financial Information]*\\n1. 【The United States plans to establish a strategic Bitcoin reserve by revaluing the gold part to raise funds】\\n2. 【Bernstein: Harris’ cryptocurrency shift will have difficulty influencing voters】\\n3. 【WSJ: Using Bitcoin as a strategic reserve asset contradicts the statement of “getting rid of the shackles of the government”】\\n4. 【The Bank of Italy develops a new permissioned consensus protocol for the central bank’s DLT system】\\n5. 【US Congressman Bill Hagerty: Make sure Bitcoin happens in the United States】\\n6. 【Judge approves former FTX executive Ryan Salame’s request to postpone jail time】\\n 7.【Bahamas launches Digital Asset DARE 2024 Act】\\n8. 【Goldman Sachs CEO: The Federal Reserve may cut interest rates once or twice this year】\\n 9. 【Japan Crypto-Asset Business Association and JVCEA jointly submit a request to the government for 2025 tax reform on crypto-assets】\\n 10. 【UK Law Commission proposes to establish new property class for crypto assets】',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:64300-64500',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('Haha, yes, he should be eager to join',), (\"I am celebrating today's victory with my family 🥂\",), ('I am also going to share this amazing good news with my friend, I believe he will be very surprised 😁',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), (\"Of course, who doesn't want to make money\",), ('*[Citi Financial Information]*\\n1. [Many CEXs in South Korea will begin to pay regulatory fees, which are expected to total approximately US$220,000]\\n2. [Harris was revealed to be in contact with top encryption companies recently]\\n3. [Johnber Kim was detained and prosecuted for allegedly manipulating a “fraud coin” with a market value of US$58.6 million]\\n4. [The Bank for International Settlements and the Bank of England launch the project “Pyxtrial” for stablecoin monitoring]\\n5. [Fed: The Federal Reserve will wait until confidence in curbing inflation increases before cutting interest rates. The FOMC focuses on the \"two-way risks\" of its dual mission]\\n6. [Bitwise CIO: Although politicians continue to publicly support Bitcoin, the market’s optimism for Bitcoin is still insufficient]\\n7. [XAI, owned by Musk, is considering acquiring the AI \\u200b\\u200bchatbot startup Character.AI]\\n8. [CryptoQuant CEO: Whales are preparing for the next round of altcoin rebound]\\n9. [Powell: Will continue to focus fully on dual missions]\\n10. [DBS Bank: The Federal Reserve will open the door to interest rate cuts]\\n11. [Biden adviser joins Harris Political Action Committee, it is unclear whether cryptocurrency is involved]',), ('*Dear members and friends, good morning☀️*',), ('Yes, our team is getting stronger and stronger.',), ('There are new friends coming in, welcome',), ('*Will it be different this time?*\\n*While history won’t repeat itself exactly, the rhythmic nature of past cycles — initial Bitcoin dominance, subsequent altcoin outperformance, and macroeconomic influences — set the stage for altcoin rallies. However, this time may be different. On the positive side, BTC and ETH have achieved mainstream adoption through ETFs, and retail and institutional inflows have hit all-time highs.*\\n*A word of caution, a larger and more diverse group of altcoins compete for investor capital, and many new projects have limited circulating supply due to airdrops, leading to future dilution. Only ecosystems with solid technology that can attract builders and users will thrive in this cycle.*',), ('*Macroeconomic Impact*\\n*Like other risk assets, cryptocurrencies are highly correlated to global net liquidity conditions. Global net liquidity has grown by 30-50% over the past two cycles. The recent Q2 sell-off was driven in part by tighter liquidity. However, the trajectory of Fed rate cuts looks favorable as Q2 data confirms slower inflation and growth.*\\n*The market currently prices a greater than 95% chance of a rate cut in September, up from 50% at the beginning of the third quarter. Additionally, crypto policy is becoming central to the US election, with Trump supporting crypto, which could influence the new Democratic candidate. The past two cycles also overlapped with the US election and the BTC halving event, increasing the potential for a rally*',), (\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",), ('*Dear members and friends, today’s trading signal will be released at 5:00pm (EST)! I hope everyone will pay attention to the news in the group at any time so as not to miss the profits of trading signals!*',), ('🌎🌍🌍*【Global News Today】*',), ('I have just joined this team and hope to learn more relevant trading knowledge from everyone in future transactions.🤝🏻🤝🏻🤝🏻',), (\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",), ('*Anatomy of a Crypto Bull Run*\\n*Analyzing previous crypto market cycles helps us understand the current market cycle.*\\n*Despite the short history of cryptocurrencies, with Bitcoin just turning 15 this year, we have already gone through three major cycles: 2011-2013, 2015-2017, and 2019-2021. The short cycles are not surprising, considering that the crypto markets trade 24/7 and have roughly five times the volume of the stock market. The 2011-2013 cycle was primarily centered around BTC, as ETH was launched in 2015. Analyzing the past two cycles reveals some patterns that help us understand the structure of the crypto bull market. History could repeat itself once again as the market heats up ahead of the US election and the outlook for liquidity improves.*',), (\"*Good morning, everyone. Today is a wonderful day. I see that the friends in the group are getting better and better. They are all working towards the same goal. We are a group. The magnetic force of positive energy will always attract each other. Tomorrow's non-agricultural trading plan, most of the friends in the group have signed up to participate. I know you don't want to miss such a good opportunity. I wish everyone will get rich profits*\",), ('thx',), ('Haha, yes, and it only took 10 min',), ('*Yes, please be patient and I will send the trading signal later.*',), ('Haha my friends watched me make money and now they want to join us',), ('*Tomorrow is the big non-agricultural plan. If you want to know more or want to join BTC smart contract trading, you can send me a message. I will explain more details to you and guide you how to get started.*',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 64000-65000',), ('My friend, it is OK. Now you just need to wait patiently for the trading signal.',), ('My god, our profits are so high, your friend may be shocked 🤣',), (\"It's the same feeling I had when I watched you guys making money Lol🤣\",), ('*[Citi Financial Information]*\\n1. [Russian Central Bank Governor: CBDC will become part of daily life in 2031]\\n2. [The leader of the U.S. Senate majority party introduced a bill to oppose the Supreme Court’s partial support of Trump’s immunity claim]\\n3. [Coinbase: Continue to file lawsuits against the US SEC if necessary]\\n4. [Crypto PAC-backed Republican Blake Masters lost the Arizona primary]\\n5. [New York Court of Appeals rejects Trump’s request to lift gag order in “hush money” case]\\n6. [VanEck CEO: Bitcoin’s market value will reach half of gold’s total market value]\\n7. [Apple CEO: Will continue to make major investments in artificial intelligence technology]\\n8. [Dubai Commercial Bank in the United Arab Emirates launches dedicated account for virtual asset service provider]\\n9. [Forbes Reporter: The Harris campaign team and encryption industry leaders will attend a meeting in Washington next Monday]\\n10. [The Digital Chamber of Commerce calls on U.S. lawmakers to vote in support of the “Bitcoin Reserve Act”]',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I agree too!',), ('*This month\\'s non-agricultural plan ends here. I believe that all members are very satisfied with this week\\'s profits. You are all great, just like this famous saying: \"Any road is walked by yourself, not waiting in a dream. It is particularly important to take the first step accurately.\" You have all done it. I hope that everyone and Citi World can go further and further on this win-win road. At the weekend, our Mr. Andy will lead the technical analysis team to survey the market and formulate a trading plan for next week. Thank you all friends for your support and recognition of my work*\\n\\n*Lisena Gocaj: I wish all friends in the group a happy weekend🌹🌹🌹*',), ('*Congratulations to all members for making a profit of 40%-50% in the first \"Big Non-Agricultural\" trading plan today. There is also a second \"Big Non-Agricultural\" trading signal today. I hope everyone will pay attention to the group dynamics at any time to avoid missing the trading signal benefits. If anyone wants to participate in the \"Big Non-Agricultural\" trading and obtain trading signals, please contact me and I will help you complete it.*',), ('Thanks to Teacher Andy and Lisena!',), ('*Dear members and friends, hello everyone, today\\'s first \"Big Non-Agricultural\" trading signal will be released at 4:00 pm (EST)! I hope you can pay attention to the dynamics of the group at any time to avoid missing the benefits of trading signals! If you want trading signals, you can click on my avatar to contact me*',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 62500-63500',), ('*Hello, everyone. Today, the second \"Non-Agricultural\" trading signal will be released at 8:30 pm (EST)! I hope you will pay attention to the dynamics of the group at any time to avoid missing the benefits brought by the trading signal! If you want trading signals, you can click on my avatar to contact me*',), (\"Ok, if I don't hear back from you I'm seriously gonna call the cops.\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*Congratulations to all friends who participated in the transaction. This month's non-agricultural plan has ended.*\\n *Lisena wishes everyone a wonderful and happy weekend*\",), (\"*You're welcome,members! Even though we only e-met each other, but still it feels like we have known each other for many years, because we got to know each other's personalities through time. We can all be good friends in this group, and we don't need to be too polite all of the time. I believe that friends should be honest with each other.*\",), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 61000-62000',), ('Very good profit!',), (\"It's been a week.\",), ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',), ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',), ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',), ('GOOD MORNING GOOD AFTERNOON GOODNIGHT !!!',), ('sorry for the radio silence! I’ve had a busy week with work/life stuff and lost track of time. Thanks for checking in—everything’s okay on my end.',), ('Dude, where have you been??? Last I heard you were on a cruise and then you mouthed off to Sharon?',), ('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!',), ('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!!',), ('I had to handle something.',), ('Oh. So tell.',), ('Hi',), ('👋🏻 there!!!\\nYou ok? Long time',), (\"GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!! Hope you're having a good weekend ily xoxoxoxo\",), ('SIMPLY IN LOVE',), ('6288219778388@s.whatsapp.net',), ('62895389716687@s.whatsapp.net;19736818333@s.whatsapp.net,19735109699@s.whatsapp.net,18482194434@s.whatsapp.net,19734522935@s.whatsapp.net,17572180776@s.whatsapp.net,17575756838@s.whatsapp.net,19735190307@s.whatsapp.net,18622331018@s.whatsapp.net,18624449919@s.whatsapp.net,17325894803@s.whatsapp.net,18623652223@s.whatsapp.net,19732595972@s.whatsapp.net,17039670153@s.whatsapp.net,17324708113@s.whatsapp.net,17037271232@s.whatsapp.net,17038627053@s.whatsapp.net,19735672426@s.whatsapp.net,19735806309@s.whatsapp.net,17037316918@s.whatsapp.net,19087271964@s.whatsapp.net,17039653343@s.whatsapp.net,17328191950@s.whatsapp.net,18623299073@s.whatsapp.net,19088873190@s.whatsapp.net,18482281939@s.whatsapp.net,19735808480@s.whatsapp.net,18623346881@s.whatsapp.net,18625712280@s.whatsapp.net,17329009342@s.whatsapp.net,19735833941@s.whatsapp.net,17037283524@s.whatsapp.net,18488440098@s.whatsapp.net,18565009728@s.whatsapp.net,17572794383@s.whatsapp.net,17329979675@s.whatsapp.net,19083927958@s.whatsapp.net,17572889212@s.whatsapp.net,18562630804@s.whatsapp.net,17327667875@s.whatsapp.net,19737227884@s.whatsapp.net,19738167411@s.whatsapp.net,19738706395@s.whatsapp.net,19085405192@s.whatsapp.net,19732101098@s.whatsapp.net,18565539504@s.whatsapp.net,18482473810@s.whatsapp.net,19734441231@s.whatsapp.net,18566412940@s.whatsapp.net,18622374143@s.whatsapp.net,19738618819@s.whatsapp.net,17039755496@s.whatsapp.net,19087236486@s.whatsapp.net,18566369366@s.whatsapp.net,19739914224@s.whatsapp.net,19084193937@s.whatsapp.net,17039092682@s.whatsapp.net,17325279160@s.whatsapp.net,18622410403@s.whatsapp.net,17329663506@s.whatsapp.net,19732621747@s.whatsapp.net,17036499585@s.whatsapp.net,18562130267@s.whatsapp.net,19739682827@s.whatsapp.net,17036499068@s.whatsapp.net,17572879370@s.whatsapp.net,19736894225@s.whatsapp.net,17328579912@s.whatsapp.net,19088125349@s.whatsapp.net,18622686408@s.whatsapp.net,17326145797@s.whatsapp.net,19083579011@s.whatsapp.net,17572371327@s.whatsapp.net,19084336270@s.whatsapp.net,17572011990@s.whatsapp.net,19734191473@s.whatsapp.net,19739643320@s.whatsapp.net,18629442264@s.whatsapp.net',), ('admin_add',), ('Hey! How are you?',), ('{\"is_admin\":false,\"trigger_type\":0}',), ('447774217081@s.whatsapp.net',), ('447774217081@s.whatsapp.net',), ('447774217081@s.whatsapp.net',), ('{\"is_parent_group_general_chat\":false,\"reason\":0,\"context_group\":null,\"is_initially_empty\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"parent_group_jid\":\"120363304649477491@g.us\",\"should_use_identity_header\":false,\"show_membership_string\":true,\"is_open_group\":false,\"subject\":null,\"auto_add_disabled\":false,\"author\":\"447774218634@s.whatsapp.net\"}',), ('{\"context_group\":null,\"is_initially_empty\":false,\"author\":\"447774218634@s.whatsapp.net\",\"is_parent_group_general_chat\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"is_open_group\":false,\"should_use_identity_header\":false,\"auto_add_disabled\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 5\",\"is_hidden_sub_group\":false,\"groupJID\":\"120363021860168333@g.us\"},{\"groupJID\":\"120363023952078149@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 3\",\"is_hidden_sub_group\":false},{\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts 4\",\"groupJID\":\"120363040642031212@g.us\"},{\"is_hidden_sub_group\":false,\"groupJID\":\"6281345495551-1582787805@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 19\"},{\"groupJID\":\"6281958150302-1578736572@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 16\",\"is_hidden_sub_group\":false},{\"subject\":\"📈📈8-12 BTC Contracts - 22\",\"groupJID\":\"6281958150302-1592367394@g.us\",\"is_hidden_sub_group\":false},{\"subject\":\"📈📈8-12 BTC Contracts 18\",\"groupJID\":\"6282250585501-1580972345@g.us\",\"is_hidden_sub_group\":false},{\"groupJID\":\"6285349796569-1603636646@g.us\",\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts - 23\"},{\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts 17\",\"groupJID\":\"6285654289426-1605961176@g.us\"},{\"groupJID\":\"6285845305853-1584204877@g.us\",\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts - 21\"}],\"show_membership_string\":false,\"subject\":null,\"reason\":0,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\"}',), ('{\"show_membership_string\":false,\"subject\":null,\"auto_add_disabled\":true,\"should_use_identity_header\":false,\"is_initially_empty\":false,\"is_open_group\":false,\"reason\":4,\"author\":\"447774218634@s.whatsapp.net\",\"parent_group_jid\":\"120363304649477491@g.us\",\"is_parent_group_general_chat\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"context_group\":null}',), ('{\"is_initially_empty\":false,\"linked_groups\":[{\"groupJID\":\"6285845305853-1584204877@g.us\",\"subject\":\"📈📈8-12 BTC Contracts - 21\",\"is_hidden_sub_group\":false}],\"context_group\":null,\"subject\":null,\"is_parent_group_general_chat\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"author\":\"15038639039@s.whatsapp.net\",\"show_membership_string\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"auto_add_disabled\":false,\"reason\":0,\"is_open_group\":false,\"should_use_identity_header\":false}',), ('{\"parent_group_jid\":\"120363304649477491@g.us\",\"is_initially_empty\":false,\"show_membership_string\":false,\"auto_add_disabled\":false,\"context_group\":null,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts - 22\",\"is_hidden_sub_group\":false,\"groupJID\":\"6281958150302-1592367394@g.us\"}],\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"is_open_group\":false,\"is_parent_group_general_chat\":false,\"subject\":null,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"should_use_identity_header\":false}',), ('{\"auto_add_disabled\":false,\"should_use_identity_header\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"show_membership_string\":false,\"context_group\":null,\"is_open_group\":false,\"is_parent_group_general_chat\":false,\"subject\":null,\"is_initially_empty\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts - 23\",\"is_hidden_sub_group\":false,\"groupJID\":\"6285349796569-1603636646@g.us\"}]}',), ('{\"is_parent_group_general_chat\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"subject\":null,\"context_group\":null,\"reason\":0,\"show_membership_string\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"is_initially_empty\":false,\"should_use_identity_header\":false,\"is_open_group\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 16\",\"is_hidden_sub_group\":false,\"groupJID\":\"6281958150302-1578736572@g.us\"}],\"auto_add_disabled\":false}',), ('{\"auto_add_disabled\":false,\"should_use_identity_header\":false,\"show_membership_string\":false,\"linked_groups\":[{\"groupJID\":\"6285654289426-1605961176@g.us\",\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts 17\"}],\"is_parent_group_general_chat\":false,\"is_initially_empty\":false,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"context_group\":null,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"subject\":null,\"parent_group_jid\":\"120363304649477491@g.us\",\"is_open_group\":false}',), ('{\"parent_group_jid\":\"120363304649477491@g.us\",\"is_initially_empty\":false,\"show_membership_string\":false,\"auto_add_disabled\":false,\"context_group\":null,\"linked_groups\":[{\"groupJID\":\"6282250585501-1580972345@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 18\",\"is_hidden_sub_group\":false}],\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"is_open_group\":false,\"is_parent_group_general_chat\":false,\"subject\":null,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"should_use_identity_header\":false}',), ('{\"author\":\"15038639039@s.whatsapp.net\",\"should_use_identity_header\":false,\"is_parent_group_general_chat\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"linked_groups\":[{\"is_hidden_sub_group\":false,\"groupJID\":\"120363023952078149@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 3\"}],\"auto_add_disabled\":false,\"context_group\":null,\"subject\":null,\"reason\":0,\"is_open_group\":false,\"show_membership_string\":false,\"is_initially_empty\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\"}',), ('{\"context_group\":null,\"reason\":0,\"auto_add_disabled\":false,\"is_parent_group_general_chat\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"subject\":null,\"is_initially_empty\":false,\"show_membership_string\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 19\",\"groupJID\":\"6281345495551-1582787805@g.us\",\"is_hidden_sub_group\":false}],\"should_use_identity_header\":false,\"is_open_group\":false,\"parent_group_jid\":\"120363304649477491@g.us\"}',), ('{\"parent_group_jid\":\"120363304649477491@g.us\",\"show_membership_string\":false,\"is_parent_group_general_chat\":false,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"is_initially_empty\":false,\"subject\":null,\"should_use_identity_header\":false,\"linked_groups\":[{\"groupJID\":\"120363040642031212@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 4\",\"is_hidden_sub_group\":false}],\"context_group\":null,\"is_open_group\":false,\"auto_add_disabled\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\"}',), ('{\"m0\":true,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"is_tappable\":true}',), ('{\"should_use_identity_header\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 5\",\"is_hidden_sub_group\":false,\"groupJID\":\"120363021860168333@g.us\"}],\"is_open_group\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"auto_add_disabled\":false,\"context_group\":null,\"is_initially_empty\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"show_membership_string\":false,\"subject\":null,\"is_parent_group_general_chat\":false}',), ('Thanks for inviting me to join the BTC trading group',), ('*In this community, you can enjoy the following support:*\\n\\n*1️⃣. How to earn more than 15 times the principal in one month*\\n\\n*2️⃣. Trading signals in the cryptocurrency market*\\n\\n*3️⃣. Cryptocurrency market analysis*\\n\\n*4️⃣. Trading skills in the global mainstream investment market*\\n\\n*In addition, my team and I will share future analysis and views on the cryptocurrency market in the community every day. I believe that joining this community will definitely help your investment*',), ('*SKOI official website: https://skoi.cc/*',), ('Mr. Robechucks was delighted to invite me to the group again',), ('*Investors who successfully register this week will have the opportunity to receive a $200 bonus for depositing $1,000, first come first served*\\n\\n*If you are interested in cryptocurrency, please contact my assistant*\\n\\n*👇🏻Telegram👇🏻*\\nhttps://t.me/Anna_Malina05',), ('I have been investing in cryptocurrencies for 5 years and this is great news for me',), ('When did Mr. Robechucks start directing transactions?🤣',), ('Thank you for your invitation. When will the BTC trading start today?',), (\"During this period, I followed Mr. Robechucks's guidance on transactions, which brought me one step closer to buying a house🤝🏻\",), (\"Follow Mr. Robechucks Raul's investment advice and I believe you can afford a house this year😄\",), ('Yes, I think so too. This is my recent profit. I believe my capital will increase in the next few months',), (\"Great, please start trading, I'm ready\",), ('Okay, Mr. Robechucks',), (\"Please start giving trading suggestions. Today's recharge has been completed, so I am very confident now😃\",), (\"OK, I'll keep an eye out for your information\",), ('*📈📈📈📈Order suggestions*\\n*⚠️⚠️⚠️Investment order amount: 2000USDT!*\\n*✅BTC/USDT【Buy】*\\n*✅Position selection time: 60S*\\n*✅Quantity: 2000 USDT (click to buy)*\\n*✅ (Please complete the operation within 10 seconds)*',), ('OK',), ('*⚠️⚠️⚠️The second instruction will be issued soon, please be ready*',), ('*📈📈📈📈Order suggestions*\\n*⚠️⚠️⚠️Investment order amount: 2000USDT!*\\n*✅BTC/USDT【Buy】*\\n*✅Position selection time: 60S*\\n*✅Quantity: 2000 USDT (click to buy)*\\n*✅ (Please complete the operation within 10 seconds)*',), ('Profit $1760',), (\"I'm very happy that I made money on my first order. Please continue\",), ('This is a good start, please keep going and look forward to winning streak😁',), ('win',), ('It’s the second consecutive victory. Today’s market is very good. I continue to look forward to the third consecutive victory😃',), ('The professionalism of the analyst is beyond doubt',), ('The two have won in a row, ask the analyst to bring us more profitable orders',), ('Hope to always cooperate with analysts for win-win results🤝🤝',), (\"Today's profit plan is great😀\",), ('It is a good decision to follow the guidance of Robechucks Raul analyst',), ('I love the profits from this simple trade, it gives me a great sense of achievement',), ('Thank you sir for your trading guidance',), ('Okay, thanks for the hard work of the analyst, looking forward to trading tomorrow, see you tomorrow, I wish you a happy life🤝',), ('Good morning, everyone.🤣',), ('*📣📣📣Good morning everyone. Recently, many new members in the team don’t know much about our company. Let me introduce our company to you*',), ('Okay, Mr. Robechucks',), ('Currently, I have achieved more than 2 times of wealth growth every month. Although I have not yet achieved 20 times of profit, I think it is possible for me to achieve 20 times of profit in the near future',), ('This is awesome, I’m honored to join by reviewing😁',), ('Very powerful👍🏻',), (\"I know, I've saved it\",), ('*This is the SKOI website: http://skoi.cc/*\\n\\n*This is the AONE COIN exchange website: https://www.aonecoin.top/*',), ('GOOD MORNING GOOD AFTERNOON GOODNIGHT CUBBIES!!!',), ('*Our SKOI Investment Advisory Company currently has more than 400 senior analysts from all over the world, which is a large scale*\\n\\n*SKOI has a top leadership team with decades of investment and trading experience, strong business execution and deep market insight, and the entire company is committed to maintaining the highest compliance and regulatory standards in the digital asset economy*',), ('Please continue sir, I would like to know more🧐',), ('*SKOI is a leading asset management company in Asia headquartered in Singapore. It was founded in 1994 and currently has six offices in Hong Kong, South Africa, South Korea, Australia, the United Kingdom and the United States to maintain service continuity and build strong client relationships*',), ('It is amazing for a company to last for thirty years',), ('The 15% service fee is not high, allowing us to get more profits, and analysts will judge the market for us and reduce investment risks',), (\"*Our company is committed to serving all investors around the world and providing them with a good and safe trading environment. Our company serves tens of millions of investors every year and helps many investors achieve wealth freedom. Each investor who cooperates with us will pay 15% of the total profit as our company's service fee, achieving win-win cooperation with investors*\",), ('*Why does our company share investment advice with all investors? Because we work with investors to achieve win-win results*',), ('I believe that win-win cooperation leads to long-term cooperation',), ('I agree with this👍🏻',), (\"Thank you for your introduction, I am confident about today's profit plan🤝🏻\",), ('Mr. Robechucks, I await your orders🤝🏻',), ('Nearly $100K, is this just a small portion of your money?',), ('I have prepared a small amount of funds',), ('OK sir',), ('📣📣📣*Dear investors in the group, please be prepared, I will release the BTC trading guidance signal direction*',), (\"Got it, I'm ready\",), ('*⚠️Order suggestion*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to buy)*\\n\\n*✅(Please complete the operation within 10 seconds)*',), ('OK',), ('Beautiful instruction, the first instruction is profitable',), ('Please continue with the next instruction. I have plenty of time to follow👍🏻',), ('Profit $1760',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 4000 USDT!*\\n\\n*✅BTC/USDT [Sell]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 4000 USDT (click to sell)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), (\"Mr. Robechucks, today's profit target has been achieved, thank you for bringing me a huge profit\",), ('Perfect two consecutive victories, looking forward to the arrival of three consecutive victories',), ('👍🏻👍🏻Thank you sir, the wallet keeps growing',), (\"It's a pity that there are only two instructions today🧐\",), ('Thank you sir, looking forward to your profit plan tomorrow, good night👏🏻',), ('GOOD MORNING ☀️ GOOD AFTERNOON 🌺 GOODNIGHT CUBBIES 🌙 !!!',), ('Everything is ready and looking forward to today’s guidance',), ('Following Mr. Robechucks’ investment, I believe that not only will my wallet grow, but I will also learn a lot.👏',), ('Enjoy life👍🏻',), ('You are a foodie🤣',), ('Thank you Mr. Robechucks, when will our profit plan start today?',), ('I applied to the assistant to speak. I am very happy to be an administrator. Thank you for the invitation from the analyst',), ('Yes',), ('Welcome new friends to join us and make money together🤝🏻',), ('Nice, a very good start, hope to keep making profits👏🏻',), ('The first order made a profit of $1760, I am very happy',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Buy]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), (\"okay, finally when it's time to be happy, I'm ready😃\",), ('*⚠️⚠️⚠️⚠️I am about to issue the first instruction*',), ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',), ('Okay, long awaited. Always ready for this',), ('Everyone is making money, I am becoming more and more confident, I believe I can also make more money👍',), (\"OK, I'll keep an eye out for your information\",), ('OK, please start',), (\"Thank you Mr. Robechucks, I am very satisfied with today's two order transactions.🤝🏻\",), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Sell]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to sell)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('*⚠️⚠️⚠️⚠️I am about to issue the second command*',), ('Great...The analyst has brought us two consecutive victories',), ('win',), ('Thank you Mr. Robechucks, looking forward to your guidance trading tomorrow👍🏻',), ('Profit $3520',), ('Please continue😀',), ('OK',), ('Good morning, everyone.',), ('The operation of Bitcoin second contract trading is very simple. Regardless of whether you have ever been exposed to investing before, as long as you apply for a trading account of your own. You can make money by following the guidance of analysts',), ('Friend, I invest in BTC seconds contract trading',), ('Of course, it was profitable and I already made six withdrawals',), ('What are you guys investing in?',), ('I do not understand. How to invest. how it works',), ('Virtual Reality? invest? Is it profitable?',), ('Investing is simple. We just need to follow the guidance of analysts and place orders to make profits',), ('Only 5000 USDT can be deposited at one time😔',), ('Are ready',), (\"I don't care about anything else. I only care about when today's plan starts\",), ('OK sir,',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Buy]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('Perfect two-game winning streak',), ('*⚠️⚠️⚠️⚠️I am about to issue the first instruction, please be prepared*',), ('Good sir',), ('OK',), (\"OK, let's start\",), ('Profit $1760👍🏻',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Sell]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to sell)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('*⚠️⚠️⚠️I am about to issue the second instruction, please be prepared*',), ('win',), ('I like these two orders very much, which made me a profit of $3520',), (\"Thank you sir, I am very satisfied with today's profit plan😄\",), ('https://drive.google.com/drive/folders/1d5OCAPXXpq1m8rQYjmytxHUMQgwpr9jR',), ('Hey dude. Take a look at these and let me know what you think.',), ('Good afternoon Mr. Robechucks',), ('Looking forward to analyst guidance today.',), ('OK',), ('$4000 Profit Plan is great👏🏻',), ('*🌺🌺We cannot guarantee that every BTC guidance suggestion is profitable, but as long as you are ready, you are a winner*\\n\\n*🌺🌺When you have enough funds in your account, you can take all risks*',), ('*Coinbase, crypto, Cash, and kraken have opened international investment deposit and withdrawal channels. Any country’s fiat currency can be bought and sold here.*',), ('*This is all the crypto wallets suitable for investment use:*\\n\\n*Coinbase wallet registration link: https://www.coinbase.com/*\\n\\n*Crypto wallet registration link: https://crypto.com/*\\n\\n*Cash wallet registration link: https://cashAPP.com/*\\n\\n*Kraken wallet registration link: https://www.kraken.com/*',), ('Mr Robechucks is very professional👍🏻',), ('OK',), ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',), (\"OK Mr. Robechucks, let's get started👏🏻\",), ('*⚠️⚠️⚠️Investment order amount: 5000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 5000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('Mr. Robechucks is very powerful, please continue to the next instruction',), ('I like this order very much, profit $4400👏🏻👏🏻👏🏻',), ('Is there only one order today? Unfortunately, I only made $1760 from this order',), ('I made a profit of $1760🧐',), ('Adequate funding is the key to my success.🤣🤣',), (\"Thanks Mr. Robechucks, I am very happy with today's profit plan, although there is only one instruction\",), ('Thank you analyst, please have a good rest',)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple instances of names that are likely to be personal names, such as 'Chad Hunt', 'Toni Yu', 'Charles Finley', 'Ronen Engler', 'John Raynolds', and 'Jonathan Reyes'.\"}\n", - "evidence_count : 0\n", - "evidence_sample : []\n", - "source_columns : ['ZCONTACTNAME', 'ZPARTNERNAME', 'ZAUTHORNAME', 'ZTEXT', 'ZPUSHNAME']\n", - "\n", - "--- END METADATA ---\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find PERSON_NAME in the database\n", - "1: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "2: AI -> Retrieved 100 rows\n", - "3: AI -> SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "4: AI -> Retrieved 1188 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 2\n", - "max_attempts : 3\n", - "phase : extraction\n", - "target_entity : PERSON_NAME\n", - "exploration_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "LIMIT 100;\n", - "extraction_sql : SELECT ZCONTACTNAME FROM ZWAGROUPMEMBER WHERE ZCONTACTNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPARTNERNAME FROM ZWACHATSESSION WHERE ZPARTNERNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZAUTHORNAME FROM ZWAMEDIAITEM WHERE ZAUTHORNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZTEXT FROM ZWAMESSAGE WHERE ZTEXT REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - "UNION ALL\n", - "SELECT ZPUSHNAME FROM ZWAPROFILEPUSHNAME WHERE ZPUSHNAME REGEXP '[A-Za-z][A-Za-z\\s\\.\\-]{1,50}'\n", - ";\n", - "rows_count : 1188\n", - "rows_sample : [('Follow me',), ('Test',), ('The Chamber',), ('Group',), ('Group-A',), ('Chad Hunt',), ('Toni Yu',), ('\\u200eWhatsApp',), ('\\u200eYou',), ('Charles Finley',), ('Ronen Engler',), ('John Raynolds',), ('Netflix',), ('The Dodo',), ('Jonathan Reyes',), ('Ronen Engler',), ('Johnny Good',), ('Keeps',), ('\\u200eWhatsApp',), ('Russell Philby',), ('Citi tudy group209',), ('Citi tudy group218',), ('Sharon 😍',), ('Abe Rudder',), ('📈📈8-12 BTC Contracts 5',), ('📈📈8-12 BTC Contracts 2',), ('📈📈8-12 BTC Contracts 2',), ('Group-A',), ('Moo',), ('Hola',), ('If you need anything give my man Rick a call.',), ('Remember this placep?',), ('He will never let you down, or give you up!!',), ('Gotta love vinyl...',), ('Phew. Only saw the first part of your text. Glad you’re good',), ('Long time no talk',), ('Hello there Otto',), ('Yolo!',), (\"It's your boy Reynolds. New number\",), ('Got time for call bud?',), ('Surely',), ('Need a package picked up at 12503 E Via De Palmas, Chandler, AZ on Tuesday and taken to 8500 Peña Blvd, Denver, CO ask the bartender at Mesa Verde Bar “where are the goats around here?” He’ll tell where to drop the package, COD at the drop off spot',), ('Let me know if you down to deliver',), ('That place? SkinnyFat? \\nhttps://maps.app.goo.gl/G5eC89JQKhhzKcQL8?g_st=iw',), ('Sure I’m not too far away. Can go pickup in a bit.',), (\"That's the spot\",), ('If you deliver the goods without drama. I got more work for you',), ('Make me proud',), ('Looking forward. Might need to Uber around \\nWill update.',), ('Seriously sweet \"honkers\"...',), ('that was taken just now that’s actually me😌',), ('you up?',), ('admin reveal:',), (\"You won't believe how rescuers were able to get this pup out 💙\\n\\nRead the story here: https://thedo.do/3Pg0a4Y\",), ('Wait until you find out what they named him\\xa0\\U0001f979\\n\\nRead the story here: https://thedo.do/3sXQLaN',), ('This kitten is so lucky\\xa0\\U0001f979\\n\\nRead the rescue story here: https://thedo.do/3LnEsen',), (\"Hello fellow animal lovers 👋 Welcome to The Dodo's WhatsApp channel! Your daily dose of happy 🐾❤️\",), ('(🎥: @tornado.watch)',), ('We bet you’ve never heard of this animal! \\n\\nRead more about this wild story: https://thedo.do/3RnEYwA',), ('The surprise of a lifetime!\\xa0💜\\n\\nRead the story here: https://thedo.do/3EHcSVE',), ('How did he do that?\\xa0😂 \\n\\nRead the story here: https://thedo.do/48mLmKq',), ('‼️ like this if it’s friday eve where you are ‼️',), ('but that does mean your monday is my sunday so maybe im chosen after all 😌💅',), ('‼️ like this if it’s already friday and you’re one of the chosen ones 😒‼️',), ('So my plans have changed a bit. Had to send the 🐐 email it’s som good old friend. He just made it 🐶',), ('Ah thanks for the update',), ('She didn’t want to bring him back 😮\\n\\nRead the story here: https://thedo.do/3LzSdXd',), ('trying to pick my mood for the weekend',), ('lil mix of both i suppose 🥰',), ('Nice reflection \\nWhere dat?',), ('Btw. Talked to the owner. I follow them on IG \\nhttps://instagram.com/skinnyfatfarms?igshid=MzRlODBiNWFlZA==',), ('They have some big business going on there. “Farm”',), ('Let me know if you need an intro, could save few € next time',), ('Good lookin out Otto',), ('They were too stunned to speak\\xa0\\U0001fae2\\n\\nRead the story here: https://thedo.do/3RzNZTf',), (\"That's where..lol\",), ('She’s been waiting for this moment\\xa0❤️\\n\\nRead the story here: https://thedo.do/3RBJsA2',), ('guess who didn’t send this message with their hands 😌',), ('https://g.co/kgs/tgEJ3h',), ('castlevania stans 👀',), ('one week.. ⚽️',), ('oh and before i forget',), ('LIKE THIS if you want me to do manual labor and physically type out what’s coming new to netflix in october',), ('LIKE THIS if you want a lil graphic instead',), ('that’s v sweet of you ^ ❤️💕\\U0001f979 (even tho it’s close 😒)',), ('They didn’t expect to find this \\U0001f979\\n\\nRead the story here: https://thedo.do/3PVaktu',), ('Wait until you see this face\\xa0\\U0001f979\\n\\n\\nRead the story here: https://thedo.do/45cQuOL',), ('So. Many. Dogs.\\xa0🐶💜🐶\\n\\nRead the story here: https://thedo.do/46vqqiU',), ('yall',), ('this season of love is blind is so unhinged',), ('I see that you are in town. I have a particularly rare and unique specimen in my possession',), ('Ah just missed you.',), ('Hoping you can help move it to a contact in your wealthy rolodex :-)',), ('You’re getting here?',), ('Working on it -- have some other clients to wrap up with',), ('Send you an ETA shortly',), ('Well, that was an unexpected encounter!\\n\\nRead the story here: https://thedo.do/3Q0dzjj',), ('on october 3rd, he asked me what day it was',), ('Get you a friend who will do this…\\n\\nRead the story: https://thedo.do/3LMZdjT',), (\"Nice catching up. Thanks shouldn't make you some $$$\",), (\"I'll make sure this gets back to the boss.\",), ('Yes 🙌',), ('Until next time!',), ('He got a second chance at life\\xa0\\U0001f979💙\\n\\nRead more: https://thedo.do/46xBgEW',), ('What’s that in the water?\\xa0😳\\n\\nRead the story: https://thedo.do/3LRuWjT',), ('alia bhatt appreciation post',), ('Adopt Fate!\\xa0🐶💕 We’re Live with ASPCA to watch this adoptable pup from NYC enjoy a very special surprise. \\n\\nMeet her here: https://thedo.do/3RN7isj',), ('i know you would say thank you if you could',), ('here’s a weekend gift from me to you',), ('ok who is as excited as i am for this',), ('that photo is just ✨chefs kiss✨',), ('just wanted to show you guys this pic of me looking at my unread emails this morning',), ('send help',), (\"You won't be able to choose 😻\\n\\n👉 https://thedo.do/3RVbcQg\",), ('admin breakfast',), ('Can’t believe they found her!\\xa0😮\\n\\nRead about the rescue here: https://thedo.do/3QccCEt',), ('The way she ran to him\\xa0💙\\n\\nSee the reunion here: https://thedo.do/3FfSLOy',), (\"Yo interested in a massive score? Huge payout low risk. Bit last-minute, but it's gonna be worth it. San Diego Convention center this Saturday. Gonna have a team of pros this go around so even the load and ensure success. You in?\",), ('Yeah I’m in. \\nLet me see how quick I could find a flight to get there',), ('Let me know when you land',), ('Excellent',), ('Yo. You around?',), ('they invented formal wear',), ('How did that get in there?\\xa0🐿️\\n\\nFind out here: https://thedo.do/3ZZMOyO',), ('17852533080@s.whatsapp.net',), (\"He'd never seen anything like this 😮\\n\\nRead more: https://thedo.do/3tynAeB\",), ('in a meeting but would rather be talkin to u',), ('if my boss is in here i’m jk! 🥰',), ('the real spooky season',), ('Read this if you dare 😱 👻🎃\\n\\n👉 https://thedo.do/3M9iBHK',), ('🤪 HAPPY FRIDAY (or whatever day it is where you are)!!!!!🤪',), ('here to make you un-bored because you’re my friends',), ('if you love me back just put a heart on this message (you better)',), (\"It's Reptile Awareness Day and we are VERY aware of this 14-foot reptile 🐍. \\n\\nRead the full story: https://thedo.do/3Q7aFIh\",), ('like? no notes',), ('i need to share one of my fav movie scenes literally ever',), ('soooooo',), ('They never lost hope 😭\\n\\n👉 https://thedo.do/3SdX3xz',), ('Cat or void? 🐈\\u200d⬛ \\n\\nRead to find out: https://thedo.do/3QmdUgl',), ('ITS DAY 1',), ('All she wanted was her happily-ever-after 😭\\n\\nRead her story: https://thedo.do/3NViC3b',), ('i wish you guys could respond to me 😣 but if i see you talking about me on social ill try to respond in here !!!!!',), (\"He almost didn't notice her 🥺\\n\\nRead more: https://thedo.do/3UuKLlB\",), ('This dog rescuer got a devastating call 💔\\n\\nRead more: https://thedo.do/42F6Vnm',), ('Someone was trapped inside! \\n\\nRead to find out what they found \\U0001f979 https://thedo.do/3w7RmZ3',), ('i’m in my feelings',), ('They can’t tell what kind of animal this is 👀\\n\\nRead more: https://thedo.do/3QSqtQg',), ('GOOOOD MORNING CUBBBBIES',), ('Hey bud. Hope it’s more secure here',), ('I’m with the gang but they have someone at the table across',), ('Yes sir. Super nice.',), ('Occasionally off but otherwise ok. 🤣',), ('lol\\nComing? Need you to intro if you could',), ('I’m shy with girlz',), (\"Of course, my dude. Pretty sure she's available. Last dude was a prick like cacti b.\",), ('Are you still alive?',), ('Yeah. Had good time\\nThanks for the intro to Sharon.',), ('We even met earlier but I know she has to leave today',), ('Werd.',), ('She’s actually really cool 😎',), (\"That sucks. How'd it go?\",), ('We will follow up',), ('Nice! Glad you hit it off.',), ('But I’m in a meeting and was wondering if you have anything for me for later?',), (\"Sure. Let's connect later. I've got a couple of meetings myself coming up.\",), ('I’m at the Cloud9 \\n\\nBattery about to die. Coming here?',), (\"I'll be at the main hall tomorrow morning.\",), ('Nah, in another meeting over here.',), ('EMILY IN PARIS FIRST LOOOOKS! (coming aug 15)',), (\"Good after party of you're interested\",), ('Safe travels. It was great to see you as always, and productive . 😀',), ('Till next time. \\nWe need to work on what we’ve discussed before Salt Lake',), ('Of course. Hows it going with Sharon?',), ('Haven’t talked to her since she left I know she got bit busy but we had some nice discussion about some very nice ideas 💡 \\nStill digesting',), ('Awesome!',), ('Bro. Almost got shot today.',), (\"What the hell you'd do?\",), ('https://x.com/emergencystream/status/1800602193025769961?s=46',), ('Was just heading back to the Marriott from that peach tree center',), ('And people pushed us on the way, shouting active shooter',), ('Lol. I thought like you were getting shot at.',), ('Almost as bad. Sheesh.',), ('Me too. Mass shooting. I bailed',), ('Well I’m grabbing dinner now. Got lots of popo here now',), ('I bet. Def lay low.',), ('Btw. Have you heard from Sharon lately?',), (\"Sorry, missed this. No, I haven't. She's been unusually quiet.\",), (\"You didn't make her mad, did you? 🤣\",), ('Well I hope not',), ('If you see them tell them I said hello.',), ('I know those two!',), ('Wilco',), ('No kidding! How did it go?',), ('S is missing you a little, I think. When did you last talk to her?',), ('Trying to reach out to her on Signal but I get no signal.',), ('She said she got kicked out. Trying now again. Weird',), ('okay cubbies i gotta go to bed now. good night (morning/afternoon) ily sweet dreams 🌙✨💤',), ('i’m with the That ‘90s Show cast right now and they wanted to say HIIII',), ('how rude of me… GOOD MORNING AFTERNOON NIGHT CUBBIES',), ('Happy Sunday wine 🍷',), (\"Lucky you. Was stuck doing paperwork all day yesterday. I could've used some of that. It would have made the process much more fun.\",), ('HI CUBBIES!!',), ('{\"auto_add_disabled\":true,\"author\":\"5359042582@s.whatsapp.net\",\"show_membership_string\":false,\"is_initially_empty\":false,\"context_group\":null,\"parent_group_jid\":\"120363294790600721@g.us\",\"should_use_identity_header\":false,\"reason\":4,\"parent_group_name\":\"Citi tudy group209\",\"is_parent_group_general_chat\":false,\"is_open_group\":false,\"subject\":null}',), ('{\"is_open_group\":false,\"parent_group_jid\":\"120363294790600721@g.us\",\"reason\":0,\"auto_add_disabled\":true,\"should_use_identity_header\":false,\"author\":\"5359042582@s.whatsapp.net\",\"is_initially_empty\":false,\"is_parent_group_general_chat\":false,\"parent_group_name\":\"Citi tudy group209\",\"subject\":null,\"context_group\":null,\"show_membership_string\":false}',), ('Citi tudy group218',), ('{\"updated_description\":\"This is the Citi World Crypto Market, a club that brings together investment-friendly exchanges around the world. Here, you can exchange experiences and discuss with high-end investors. Professional market signal guidance and analysis provides you with accurate information to achieve a win-win situation. Friends from all over the world are welcome to share investment experience and insights.\"}',), ('🙋\\u200d♀️🙋\\u200d♀️🙋\\u200d♀️ *Hello everyone, welcome to the Citigroup club, this club focuses on trading programs, we can communicate with each other, in order not to cause group members to disturbances, I hope you green speech, do not involve any race, religion and other political issues in the exchange!*',), ('13412133458@s.whatsapp.net',), ('13412133458@s.whatsapp.net',), (\"*In this club you can enjoy the following support from Mr. Andy Sieg's team:*\\n1, Trading signals in the crypto market\\n2, Trend analysis of the crypto market\\n3、Trading techniques of global mainstream markets\\n*I believe this club will be helpful to you.*\",), (\"*Welcome to all newcomers to the club. Don't be surprised why you're here. You should feel good. Every quarter, Mr. Andy Sieg picks some lucky people in the financial markets to become members of the Citigroup Club, with the aim of paving the way for Citigroup's foray into the crypto market, which will require some support.*\",), ('13213147461@s.whatsapp.net',), (' *Hello everyone, I am Lisena Gocaj, the team assistant of Mr. Andy Sieg of Citigroup, welcome to this community, it is a pleasure to see you all again, please continue to pay attention to this community. Mr. Andy Sieg will analyze the latest situation of the investment market at all levels from time to time, and tomorrow he will be in the community to share his many years of experience in the investment industry, and I hope to bring you a good learning and exchange! We hope to bring you a good atmosphere for learning and exchange! Currently our community group is open for group administrators for the time being, there are limited spots, if you are interested in this, please private message me for more details 💬☕️*',), ('*Many of you may not know who Andy Sieg Analyst is, so let me introduce you to him:*\\nAndy Sieg joined Citi in September 2023 as Head of Wealth. He is a member of Citi’s Executive Management Team.\\n\\nAndy was previously the president of Merrill Wealth Management, where he oversaw a team of more than 25,000 people providing investment and wealth management services to individuals and businesses across the U.S. He joined Merrill Lynch in 1992, and previously held senior strategy, product and field leadership roles in the wealth management business.\\n\\nFrom 2005 to 2009, Andy served as a senior wealth management executive at Citi. He returned to Merrill Lynch in 2009 after the firm’s acquisition by Bank of America. Earlier in his career, Andy served in the White House as an aide to the assistant to the President for Economic and Domestic Policy.',), ('*1 .Financial consulting and planning:* \\nWe all know that everyone has different jobs, incomes and expenses. Therefore, various lifestyles have been formed, but with the continuous development of the economy, our living standards are also constantly improving, but there are always some reasons that affect our lives. For example, wars, viruses, conflicts of interest between countries and regions can lead to inflation that can throw our families out of balance. Therefore, financial advice and planning are very necessary.',), ('*Now let me describe what Citigroup can position to offer investors?*',), ('*2.Private Wealth Management*\\nBased on our understanding of investors, we will provide investors with suitable investment brokers, help investors with wealth management, focus on talents, and provide a wealth of strategic wealth management services for investors to choose from. It is mainly reflected in two aspects: the autonomy is clear and more precise financial allocation can be made; on the other hand, these financial analysts are investments with rich practical experience and expertise in portfolio and risk management (global perspective). Brokers, offering investors a wide range of products and services.',), ('*3.Portfolio*\\nBased on the principle that investment comes with return and risk, our cryptocurrency research and investment department will create solutions that are both offensive and defensive to help investors reduce or avoid risks and achieve wealth appreciation, which is one of our original intentions and cooperation goals.',), ('*4.Set investment scope and diversify investment products* \\nWe will formulate a variety of investment strategies through research, investigation, report analysis, news tracking, sand table simulation exercises, etc. according to the needs and risk tolerance of investors. Diversified investment products, such as open-end funds, closed-end funds, hedge funds, trust investment funds, insurance funds, pension funds, social security funds, bond market, stock market (including IPO), stock index futures market, futures market, insurance wealth management, Forex spread betting, encrypted digital currency contract trading and ICO, etc.',), ('13412133458@s.whatsapp.net',), ('5. Our financial analysts break down zero barriers and are both partners and competitors, making progress together and achieving win-win cooperation. Bain Capital has an excellent team of analysts. In a rigorously mature selection model, we place a heavy emphasis on sustainable investing, which provides dire compounding returns. For example, N. Gregory Mankiw\\'s economics book \"Principles of Economics\" talks about the importance of savings in the long-term real economy and the value created over time between investment and the financial system. A sustainable global financial system is also necessary to create long-term value. The benefits of this regime will belong to long-term responsible investors, thereby promoting a healthy development of the overall investment environment.',), ('How much can I start investing? Can I start with $5k?',), ('*There is no financial limit and almost anyone can participate.*',), ('*Significance of Bitcoin 1. storage 2. as a safe haven 3. free circulation 4. convenient and cheap means of cross-border transactions 5. world coin 6. blockchain technology*',), (\"*There are still many people who don't know what cryptocurrency is? Cryptocurrency is a non-cash digital payment method that is managed and transacted in a decentralized online payment system and is strictly protected by banks. The rise in cryptocurrency prices in recent years has driven further growth in the market, and the asset's attributes as a reserve are being recognized by the majority of the world's population.*\",), ('I wonder what projects this group of analysts are sharing to invest in? Is this really profitable?',), ('17625243488@s.whatsapp.net',), ('*BTC smart contract trading is a two-way trading mechanism. For example, if you have a long BTC order and you choose \"buy\", you will make a profit when the BTC price rises. If you have a short BTC order and you choose \"sell\", you will make a profit when the BTC price falls.*',), (\"*Everyone has heard of or understands the cryptocurrency represented by Bitcoin. Originally launched at $0.0025, Bitcoin peaked at nearly $75,000. Investors who have created countless myths and achieved financial freedom. Everyone who is in the current investment hotspot can easily profit. When you don't know what Bitcoin is, it's leading the cryptocurrency era as a new thing, a special model of value that exists without borders or credit endorsements. In the future, a Bitcoin could be worth hundreds of thousands of dollars.*\",), ('What is BTC smart contract trading? Never heard of such an investment program. How does this work?',), (\"*Due to the Fed's rate hike and tapering, US inflation has reached very high levels, which has directly led to a crash in the US stock market and cryptocurrency market. There is a lot of uncertainty in the investment market right now and I think the best way to invest right now is BTC smart contract trading. Even using a small amount of money in contract trading will make you more profitable, both up and down, everyone can profit from it, very convenient way to invest. Contract trading is a financial derivative. It is a trade related to the spot market. Users can choose to buy long contracts or sell short contracts, determine the highs and lows of the futures contract being traded, and the rise or fall in price to make a profit. Buy and sell at any time and utilize leverage to expand capital multiples for easy profits. Take Profit and Stop Loss can be set flexibly and the system will automatically close the position according to the investor's settings. It has a one-click reversal function when the investor thinks the market direction is wrong. So I intend to make everyone familiar with cryptocurrencies through BTC contract trading and make money through investment, so as to gain the recognition and trust of our Bain Capital investors.*\",), ('🌙🌙🌙*Good evening, everyone. I am Lisena Gocaj, assistant to Andy Sieg, an analyst at Citigroup. We are mainly engaged in BTC smart contract trading. We can provide trading signals for everyone and share real-time news of the crypto market every day. If anyone wants to know more about BTC smart contract trading or wants to join, you can click on my avatar to contact me. I will guide you how to register a \"Citi World\" trading account.*⬇️⬇️⬇️\\n*Good night!!!*',), ('Hello, beautiful Ms. Lisena',), ('*[Citi Financial Information]*\\n1. [South Korea\\'s presidential office: appointed Deputy Finance Minister Kim Byeong-Hwan as the head of the new financial regulator]\\n2. [Coinbase Chief Legal Officer: has responded to the SEC\\'s blocking of Gensler from conducting a reasonable investigation]\\n3. [Russia Considers Permanent Legalization of Stablecoins for Cross-Border Payments]\\n4.[Bitwise: Ether is one of the world\\'s most exciting tech investments]\\n5.[U.S. Congresswoman Cynthia Lummis: The U.S. Will Become the Land of Bitcoin]\\n6.[Biden reaffirms determination to run: No one is forcing me to drop out]]\\n7. [UN and Dfinity Foundation Launch Digital Voucher Pilot Program in Cambodia]]\\n8. [Fed Minutes: Majority of Officials Believe U.S. Economic Growth Is Cooling]\\n9. [French AI lab Kyutai demos voice assistant Moshi, challenges ChatGPT]\\n10. [ECB Governing Council member Stournaras: two more rate cuts this year seem reasonable]\\n11. [British voters call on candidates to take cryptocurrency issue seriously]\\n12. [Fed minutes: Fed waiting for \"more information\" to gain confidence to cut rates]\\n13.[Author of Rich Dad Poor Dad: Technical Charts Show Biggest Crash Coming, Long-term Bull Market Cycle to Begin by End of 2025]]\\n14.[Binance US: ready for the next lawsuit filed against the SEC]',), ('*Without contempt, patience and struggle, you cannot conquer destiny. All success comes from action. Only by daring to act can you achieve success step by step. Hello friends! I wish you a good day and make more money with analysts. 🎊🎊🌈🌈*',), ('*Hello everyone, I am Lisena Gocaj, the team assistant of Mr. Andy Sieg of Citigroup, welcome to this community, it is a pleasure to see you all again, please continue to pay attention to this community.Mr. Andy Sieg will analyze the latest situation of the investment market at all levels from time to time, and tomorrow he will be in the community to share his many years of experience in the investment industry, and I hope to bring you a good learning and exchange! We hope to bring you a good atmosphere for learning and exchange! Currently our community group is open for group administrators for the time being, there are limited spots, if you are interested in this, please private message me for more details 💬☕️*',), ('OK, I sent you a message, looking forward to it...',), ('*Analysts will provide BTC smart contract trading strategies at 5:00pm (EST). Anyone who contacted me yesterday to set up a trading account can log into your Citi World trading account to get ready. Easy to follow and profit from strategic trading within the group.*',), ('Hello, beautiful Assistant Lisena Gocaj, I am so glad to receive your blessing. I look forward to watching analysts share trading signals today',), ('Finally able to trade again, since the last time analysts notified the market volatility to stop trading, it has been more than a week.',), ('First you need a Citi World Trading account and a crypto wallet to buy cryptocurrencies for trading. You can click on my avatar to send me a message and I will guide you and get started.',), ('Wow, I earned so much in just a few minutes, which is equivalent to my salary for many days.',), ('OK, I registered and deposited $5,000 yesterday, looking forward to the profit you can bring me😎',), ('Lisena, I want to join you, how can I do it, I want to get the same profit as them',), ('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',), ('Hi Lisena, I have registered and funds have been transferred. When can I start trading?',), ('*3. Cryptocurrency Investing*\\n*Cryptocurrencies can provide investors with diversification from traditional financial assets such as stocks and bonds. While the cryptocurrency market has a limited history of price movements relative to stocks or bonds, prices so far appear to be uncorrelated with other markets. This can make them a good source of portfolio diversification. By combining assets with minimal price correlation, investors can achieve more stable returns.*',), ('*The first is inflation. If we don’t invest, it means that our purchasing power will gradually be eroded. In the past few years, everyone has had to have a direct experience of the price increases caused by Covid-19. You can go to the Bureau of Labor Statistics website to check the changes in the price index over the past few months, the past few years, and even the past thirty years.*',), ('*2. Financial management*\\n*Stocks, mutual funds and bonds are the three main types of financial investments in the United States. Among them, stocks are more risky, while mutual funds and bonds are less risky. Currently, you can follow the trading plan given by Bain Capital, and the subsequent investment portfolio will be combined according to your financial situation.*',), ('*Data shows that inflation in 2021 is at its highest level since 1982, and inflation will be higher in 2022. Rising costs of food, gas, rent and other necessities are increasing financial pressures on American households. Demand for goods such as cars, furniture and appliances has increased during the pandemic, and increased purchases have clogged ports and warehouses and exacerbated shortages of semiconductors and other components. Covid-19 and the Russia-Ukraine war have severely disrupted the supply chain of goods and services, and gasoline prices have soared.*',), ('Analyst. You are absolutely right that my life has become a mess due to the current economic crisis in the US. Hopefully a solution to my predicament can be found.',), (\"I think your analysis makes sense, we are suffering from an economic crisis that has hit a large number of employees' careers. The skyrocketing unemployment rate has also led to many terrorist attacks. So I hope to make more money in the right and efficient way to make my family live safer in a wealthy area.\",), (\"📢📢📢*Because today is Friday, in order to let everyone enjoy the upcoming holiday better, today's transaction is over. 💬☕️Members who want to participate in the transaction can also send me a private message, join the transaction now!*👇🏻👇🏻\",), ('*Inflation caused by rising asset prices, we can only get more wealth through financial management, so as not to fall into trouble. Below I will share with you some common investment and financial management in the United States.*',), (\"Hello everyone, I am your analyst Andy Sieg, let's talk about the advantages of managed funds:\\n*Advantage 1, can effectively resist inflation*\\n*Advantage 2, provide you with extra income and profits outside of work*\\n*Advantage 3, can provide security for your retirement life*\",), ('*1. Real estate investment*\\n*Currently, the total value of privately owned real estate in the United States has exceeded 10 trillion US dollars, far higher than other types of private assets. But it is worth noting that the high real estate taxes in the US housing market and the agency fees of up to 6% of the total house price when the house is delivered have invisibly increased the cost of holding and trading houses. Living and renting are more cost-effective. But if you want to get a high return by investing in real estate, it will be difficult.*',), (\"*Comparing the above investments, we can know that cryptocurrency investment is very simple and can make a quick profit. Everyone can trust our expertise. We are one of the largest investment consulting firms in the world. Our main responsibility is to maximize the value of our services for all types of investors. With professionally qualified analysts and cutting-edge market investment technology, we invest in you to build a long-term career. We seek to create an environment that promotes your professional and personal growth because we believe that your success is our success. When you recognize Citi Capital's investment philosophy and gain wealth appreciation, you can hire analysts from Citi Investment Research as brokers to bring sustainable wealth appreciation to your friends.*\",), ('What the analyst said makes perfect sense. I am new to the cryptocurrency market and I have heard similar topics from my friends that cryptocurrency is an amazing market. But I have never been exposed to it myself and it is an honor to be invited to join this group and I hope I can learn more about the crypto market here.',), (\"I agree with the analyst's point of view. I believe in the analyst's ability and Citi's strength.\",), ('*4. Insurance*\\n*Property protection is an important way of financial management, just like investment. Insurance products can provide people with various insurance products in the general sense, and obtain income tax exemption compensation when the family encounters misfortune. Protect your family for emergencies. The disadvantage is that the investment cycle is long and cannot be used at any time, otherwise there will be a loss of cash value, and the investment direction and information of insurance financial management are not open enough.*',), ('Dear friends, we will start sending trading signals next Monday. If you have any questions or have other questions, you can send me a private message and I will answer them in detail.',), ('Just landed 🛬 😮\\u200d💨',), ('*🌙🌙🌙Good evening everyone, I am Lisena Gocaj, assistant to Andy Sieg, an analyst at Citigroup. We are mainly engaged in BTC smart contract trading, providing trading signals and sharing real-time news of the crypto market every day. If anyone wants to know more about BTC smart contract trading, or wants to join, you can click on my avatar to contact me, and I will guide you on how to register a \"Citi World\" trading account. ⬇️⬇️⬇️*\\n*Good night!!! I wish you all a happy weekend*',), ('What are you doing up there???',), ('Just taking few days off here in the big 🍎 city then I’m headed towards Sharon, gonna hang out there and we set to go on cruise 🚢 \\nGonna be fun times',), ('*[Citi Financial Information]*\\n1. [Former U.S. Attorney General accuses federal regulators of trying to isolate the digital asset industry from the traditional economy]\\n2. [Dell founder may buy a lot of Bitcoin]\\n3. [After the British Labour Party won the election, the cryptocurrency industry called for the continuation of existing policies]\\n4. [JPMorgan Chase, DBS and Mizuho test Partior blockchain foreign exchange PvP solution]\\n5. [Federal Reserve Semi-annual Monetary Policy Report: Greater confidence in inflation is still needed before interest rate cuts]\\n6. [EU officials warn: Nvidia AI chip supply issues are being investigated]\\n7. [Financial Times: Trump\\'s election may trigger a \"second half of the year Bitcoin rebound\"]\\n8. [Nigerian officials: Detained Binance executives are \"in good condition\"]\\n9. [South Korea postpones virtual asset tax regulations until 2025',), ('💁\\u200d♀️Have a nice weekend everyone. First of all, congratulations to the members who followed the trading signals yesterday and successfully obtained a good net profit. Friends who have not registered a Citi trading account can send me a private message as soon as possible to register an exclusive trading account.',), ('*Dear friends, next teacher Andy will share some knowledge points about BTC smart contract transactions*',), ('We grow as we learn and hope analysts can share more knowledge about cryptocurrencies with us so we can understand better. This further determines our investment',), ('*What is a cryptocurrency?*\\n*Cryptocurrency is a digital asset product formed as a medium of exchange in a cryptographically secure peer-to-peer economic system. Use cryptography to authenticate and secure transactions and control the creation of other units. Unlike centralized banking systems as we know them, most cryptocurrencies operate in a decentralized form, spread across a network of computer systems (also called nodes) operating around the world.*',), (\"Thanks to Lisena's help yesterday, I already have my own Citi World trading account. Wait for analysts to share their professional trading advice.\",), ('*The investment strategy we currently choose at Citi World is BTC contract trading, but some investors still don’t know what cryptocurrency is? Not sure how cryptocurrencies work? Why More and More People Are Trading Cryptocurrencies. I will take the time to bring you detailed answers.*',), ('*How do cryptocurrencies work?*\\nCryptocurrencies are digital currencies created through code. They operate autonomously and outside the confines of traditional banking and government systems. Cryptocurrencies use cryptography to secure transactions and regulate the creation of other units. Bitcoin is the oldest and by far the most famous cryptocurrency, launched in January 2009.',), (\"*While COVID-19 has severely impacted your finances, why not plan for a better future for yourself and your family? If you want to earn a decent income, join us now. Keep up with Citi World's team programs. The Bitcoin futures investments we currently trade are suitable for all types of investors, whether you are a newbie or an experienced investor. You just need to follow the analyst's order recommendations, and if the analyst's investment forecast is correct, you can make an immediate profit.*\",), ('Monica, have a great weekend, I just increased my funds and I want to get more profit.',), ('Lisena, I have registered for a Citi trading account, but have not yet deposited funds.',), ('I used my profit from yesterday to buy a lot of wine and took it home. lol..',), ('*Cryptocurrencies have several advantages:*\\nTransaction speed, if you want to send money to someone in the United States, there is no way to move money or assets from one account to another faster than with cryptocurrency. Most transactions at U.S. financial institutions settle within three to five days. Wire transfers usually take at least 24 hours. Stock trades settle within 3 days.',), (\"*2. Low transaction costs*\\nThe cost of trading with cryptocurrencies is relatively low compared to other financial services. For example, it's not uncommon for a domestic wire transfer to cost $25 or $30. International money transfers can be more expensive. Cryptocurrency trading is generally cheaper. However, you should be aware that the need for blockchain will increase transaction costs. Even so, median transaction fees are still lower than wire transfer fees even on the most crowded blockchains.\",), (\"What??? Seriously?! That's awesome!\",), (\"You should've taken Sharon. She would've loved that.\",), ('*4. Security*\\nUnless someone obtains the private key to your cryptocurrency wallet, they cannot sign transactions or access your funds. However, if you lose your private keys, your funds will not be recovered.Additionally, transactions are protected by the nature of the blockchain system and the distributed network of computers that verify transactions. As more computing power is added to the network, cryptocurrencies become more secure.',), ('*3. Availability*\\nAnyone can use cryptocurrencies. All you need is a computer or smartphone and an internet connection. The process of setting up a cryptocurrency wallet is very quick compared to opening an account at a traditional financial institution. All you need is an email address to sign up, no background or credit check required. Cryptocurrencies provide a way for the unbanked to access financial services without going through a central institution. Using cryptocurrencies allows people who don’t use traditional banking services to easily conduct online transactions or send money to loved ones.',), ('Will be with her soooon',), ('17625243488@s.whatsapp.net',), ('That confidentiality is really nice.👍🏻',), ('this is true. I feel it deeply. When one of my cousins needed money urgently, I sent money via bank and was told it would take 2 business days to reach her account. My cousin almost collapsed when he heard this. If I knew how to pay with BTC, my cousin might not be devastated.',), ('*5. Privacy*\\nSince you don’t need to register an account with a financial institution to trade cryptocurrencies, you can maintain a level of privacy. You have an identifier on the blockchain, your wallet address, but it does not contain any specific information about you.',), ('Received, thank you analyst for your professional sharing.',), ('*6. Transparency*\\nAll cryptocurrency transactions occur on a publicly distributed blockchain ledger. Some tools allow anyone to query transaction data, including where, when and how much someone sent cryptocurrency from a wallet address. Anyone can see how much cryptocurrency is stored in the wallet.This transparency reduces fraudulent transactions. Someone can prove they sent and received funds, or they can prove they had funds to make a transaction.',), ('*7. Diversity*\\nCryptocurrencies can provide investors with diversification from traditional financial assets such as stocks and bonds. While the cryptocurrency market has a limited history of price action relative to stocks or bonds, prices so far appear to be uncorrelated to other markets. This can make them a good source of portfolio diversification. By combining assets with minimal price correlation, you can generate more stable returns.',), ('*8. Inflation protection*\\nMany people believe that Bitcoin and other cryptocurrencies are inflation-proof. Bitcoin has a cap. Therefore, as the money supply grows faster than the supply of Bitcoin, the price of Bitcoin should rise. There are many other cryptocurrencies that use mechanisms to limit supply and hedge against inflation.',), ('There are many ways to trade cryptocurrencies. One is to buy and sell actual digital cryptocurrencies on cryptocurrency exchanges, and the other is to use financial derivatives such as CFDs. CFD trading has become increasingly popular among investors in recent years because the trading tool requires less capital, allows for flexible trading using leverage, and allows investors to speculate on the performance of cryptocurrencies without actually owning the underlying asset. Profit from price changes.*',), ('Inflation has always bothered me and made me very frustrated',), (\"*Today's knowledge sharing ends here. I hope it can help you. If you have any questions or don't understand, you can contact my assistant Lisena, she will help you. In addition, if you want to join BTC smart contract transactions, you can contact Lisena, she will guide you how to participate.*\\n\\n🌹🌹I wish you all a happy weekend and hope you have a good weekend\",), ('Many people are now living financially insecure for a variety of reasons. Pandemics, lack of financial literacy, inability to save, inflation, unemployment, currency devaluation or any other reason can cause it. Often, financial insecurity is no fault of or the result of an individual. It’s a closed cycle of rising prices, falling currencies, and increased uncertainty about livelihoods and employment. However, digital currencies can at least alleviate this uncertainty, whether through transparency or fair use of technology that is accessible to all.',), ('Thanks to the analysts for sharing. Point out the various difficulties we face in life. I hope I can get your help in this group to solve the difficulties and get the lifestyle I want.',), (\"*🌹🌹🌹Dear members, have a nice weekend, today Mr. Andy's knowledge sharing is over, so please keep quiet and enjoy your weekend in order not to disturb other members' weekend break. If you have any questions about cryptocurrencies or if you are interested in investing in cryptocurrencies, you can send me a private message by clicking on my avatar and I will help you!*\",), ('*[Citi Financial Information]*\\n1. [Thai Prime Minister to announce digital wallet registration on July 24]\\n2. [Dragonfly partner Haseeb: Even in a bull market, issuing coins must go through the test of a bear market]\\n3. [Philippine official stablecoin PHPC has been launched on Ronin]\\n4. [Bitcoin mining company TeraWulf: Open to merger transactions]\\n5. [North Carolina Governor vetoes CBDC ban bill, calling it \"premature\"]\\n6. [Bithumb: Actively respond to South Korea\\'s virtual asset user protection law and set up a maximum reward of 300 million won for reporting unfair transactions]\\n7. [Judge dismisses programmer\\'s DMCA claims against Microsoft, OpenAI and GitHub]\\n8. [Financial Times: Former President Trump may return to the White House, which will trigger a sharp surge in the value of Bitcoin]',), ('BTC contracts are a very cool investment, we can make money whether the market is going down or up. I think it is one of the most effective investments to make our money grow fast!',), (\"*A lot of new people don't know what our group is and how to make money. I'll explain it here. This is a BTC contract transaction. Unlike stocks and options, we do not buy BTC to trade. We only predict trends, up or down. When our predictions are correct, investors who follow this strategy will make profits, and the profits will reach your investment account immediately. If you still don’t understand, you can message me privately.*\",), (\"*If you don't try to do things beyond your capabilities, you will never grow. Hello my friends! May a greeting bring you a new mood, and a blessing bring you a new starting point.*\",), ('Trading BTC \"contracts\" with analysts made me realize how easy it is to make money. This is an amazing thing.',), ('*Why does Citi World Group recommend investing in BTC contracts?*\\nStart-up capital is relatively low. Second, the time you spend on this investment is short enough that it won’t interfere with your work and family. Whether you are a novice investor or an experienced investor, this Bitcoin contract can bring you great returns.',), (\"Very good, thank you Lisena for your blessing, I am very satisfied with the trading last week. And got a good profit. This is a very cool start. Citigroup's professional analysts are very accurate in judging the market. Citi World Exchange deposits and withdrawals are very convenient. I like everything here\",), ('Because Citigroup has a large analyst team',), ('Why are Mr. Andy’s trading signals so accurate?',), ('In fact, this is my first exposure to investment. I am new to the investment market and have a good start in the BTC contract investment market. I like this group very much. All this is thanks to the efforts of Citi analysts.',), ('*How Bitcoin Contracts Work and Examples*\\n \\n*Let\\'s look at a concrete example, perpetual contract trading is a bit like you \"betting\" on the market.* \\n*Suppose the current price of BTC is $70,000, you think BTC will rise to $75,000 or even higher in the future, you can buy. Later, if the price of BTC does rise, you will profit. Conversely, if the price of BTC falls, you lose money.*',), ('*BTC perpetual contract trading advantages:*\\n1. Improve the utilization rate of funds: BTC perpetual contract transactions are margin transactions, and you can use the characteristics of leverage to open positions with smaller funds. Different exchanges offer different leverage.',), ('After listening to your detailed explanation, I have a deeper understanding of the BTC contract. Thanks for sharing',), ('*Some may wonder that BTC contracts and futures are one product, they are somewhat similar, but not the same. A BTC contract is a standardized contract stipulated by an exchange for a physical price transaction of BTC at an agreed price at a certain point in the future. The biggest feature of perpetual contracts is that there is no delivery date. Users can hold positions indefinitely and trade anytime, anywhere. There are flexible leverage multiples to choose from, and the price follows the spot and will not be manipulated.*',), ('*Take CME Group’s bitcoin futures contract as an example, its contract size is 5 BTC, and ordinary investors may not even be able to meet the requirements. Compared with perpetual contracts, the capital requirements will be much lower*',), ('OK, thanks for the knowledge sharing analyst. Let me learn a lot',), ('*4.Fast profit*\\nBTC fluctuates by 100-800 points per day on average, and the profit margin is large. As long as you judge the direction of the market every day, you can easily profit. Low handling fee: perpetual contract handling fee is only 2/10,00',), ('*3. Flexibility of trading orders*',), ('*5. Trading hours*\\n24 hours a day, no trading expiration date, especially suitable for office workers, you can make full use of spare time for trading',), ('At present, the exchanges we cooperate with provide 100X leverage, and you only need to use your spare money when trading. Use leverage to improve capital utilization and grow your wealth',), ('*2: BTC contracts can hedge risks*',), (\"Hedging refers to reducing risk by holding two or more trades that are opposite to the initial position. Bitcoin’s price action has often been worrying over the past year. In order to reduce the risk of short-term fluctuations, some investors will use BTC's perpetual contract transactions for hedging. Due to the wide variety of perpetual contracts, you can take advantage of its flexibility to make huge profits\",), ('Well, the principle of leverage is that I double my capital, so I trade with 100x leverage, which multiplies my capital by 100x. This is so cool.',), ('Taking 10:1 leverage as an example, assuming the current price of Bitcoin is $70,000, to buy 1 Bitcoin contract, the margin requirement is:1*$1*70000*10%=$7000.*With Bitcoin contracts, you can utilize $70,000 in an order of $7,000. Make big profits with small capital',), (\"Take Profit or Stop Loss can be set. When you are busy with work and worry about the order, you can set the point, when the price reaches the point you set, the system will automatically close the position for you, you don't need to pay attention all the time\",), ('*6.The market is open*\\nThe price is globally unified, the transparency is high, and the daily trading volume is huge, which is difficult to control. Strong analyzability, suitable for technical analysis T+0 trading: buy on the same day and sell on the same day, sell immediately when the market is unfavorable',), ('Very convenient, I can trade while enjoying my free time. Lying on the sofa also achieves the purpose of making money.',), ('Thanks to the analysts at The Citigroup for letting me know more about this BTC contract investment. I am getting more and more interested in this investment.',), ('*Combined with the above advantages of BTC perpetual contracts, in order to allow our partners to obtain huge profits, this is why the Citigroup recommends BTC contracts to everyone, which is the easiest way to make profits. When we reach a brokerage cooperation agreement, we will recommend a combination trading strategy that can make short-term quick profits and long-term value compounding profits. Long-term and short-term combination to maximize profit and value*',), ('*Today’s sharing ends here. Friends who don’t have a BTC smart contract trading account can contact me for help*',), ('*Victory is not a pie in the sky, but a glory that we have built bit by bit with our sweat and wisdom. Every challenge is a step for our growth, and every struggle brings us one step closer to our goal.*',), ('*Hello everyone, a new week has begun. I am Lisena, focusing on BTC smart contract transactions. I am your exclusive customer service. If you have any questions in the investment market, you can click on my avatar for free consultation!*',), ('*Congratulations to all members who participated in the transaction and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',), ('You made so much money in such a short time?',), (\"Yes, we should thank Andy's analyst team. Without them, there would be no such accurate trading signals.\",), ('*Thursday, July 11: United States – Initial Jobless Claims. The last reading was 238K. A weaker number could be welcomed by the market, which is looking for a weak job market so that the Fed is more confident in cutting rates, which could push Bitcoin prices higher.**Friday, July 12: United States – PPI (mo/mo) (June). The Producer Price Index is crucial in determining inflation risks. The market is hoping to see reassuring signs that producer and consumer price inflation continue to normalize, which could have a stabilizing effect on Bitcoin*',), ('ETH etfs were deemed unimportant, ETH price was manipulated down weeks before launch, wake up everyone, you all know the opposite will happen, this is crypto',), ('*Good afternoon everyone. Today I would like to share with you Citigroup in the club and introduce Citigroup Financial’s solutions to the inflation caused by rising asset prices. I hope it will be helpful to you after you learn more about us.*',), ('ETH ETF to be available next week? Expect unexpected things to happen',), ('Thank you very much, I can make money every day',), ('I think SOL will rise fast, just like what happened to ETH when the BTC ETF rose',), ('Big week for crypto is coming up! Bitcoin bottoms, Congressional crypto hearing, SEC Ethereum',), ('*Key macroeconomic events this week that could impact BTC prices:*\\n*Tuesday-Wednesday, July 9-July 10: United States – Federal Reserve Chairman Jerome Powell testifies. Powell will testify before the Joint Economic Committee on the economic outlook and recent monetary policy actions. Markets will be looking for signals of an upcoming rate cut, which could drive BTC prices higher.**Thursday, July 11: United States – CPI (mo/mo) (June) (expected: +0.1%). A weaker change in CPI could make the market think that the Fed will cut rates faster, which could have a positive impact on the cryptocurrency market.*',), (\"Thanks again Lisena for writing, had a great weekend and hope to make money again today. I don't want to miss any trading opportunities\",), ('I was worried about this at first, but I made $650 in a few minutes.',), ('I know that a diverse team and investment helps every investor better. Citi can grow better only by helping more people succeed \\nIs my understanding correct?',), ('Hello, Mr. Andy~! Nice to see you again. I am very satisfied with the profit of the non-agricultural plan and look forward to more such transactions',), ('*A diverse and inclusive community is our top priority* \\n*At Citi, we know that diverse teams ask better questions, and inclusive teams find better answers, better partners, and ultimately help us build a better business.* \\n*Our way:* *We seek to build lasting partnerships based on trust and credibility* \\n *See how we do it* \\n*Through our scale and broad reach, our team is able to provide a truly global platform*.',), (\"*As the world's leading financial institution, Citi's mission is to drive sustainable economic growth and financial opportunity around the world, and to translate current trends and insights into lasting value.* \\n \\n*We work together to create long-term value for our investors, companies, shareholders, individuals and communities* \\n \\n*Our expertise.* \\n*Deep industry knowledge* \\n*Strong corporate culture* \\n \\n*We use our expertise in various business areas to ensure the best solutions for our partners and companies*\",), ('This reinforces my belief that Citi has a presence in many areas. As a company with a long history of more than 200 years, it is a very successful existence',), ('Thank you Mr. Andy for sharing. I believe these indicators can help me analyze the market more accurately in future transactions.',), (\"You're right, but I need to know more about Citi to see what value he can create for us.If I find Citi valuable to us \\nI will make the right choice.\",), ('*Calculation formula and Description of ahr999 Index:* \\n*Old players in the currency circle have heard of \"ahr999 index\". This is an indicator invented by a veteran player of \"ahr999\" to guide investors to hoard bitcoin. In layman’s terms, it is an indicator of whether a currency is expensive or cheap. According to the calculation method of this index, when the ahr999 index is lower than 0.45, it means that the currency price is super cheap and suitable for bottom hunting; when the ahr999 index is higher than 1.2, it means that the currency price is a bit expensive and not suitable for buying, and the index between 0.45-1.2 means it is suitable for fixed investment.* \\n*ahr999 index = current price /200 days cost/square of fitted forecast price (less than 0.45 bottom hunting, set a fixed investment between 0.45 and 1.2, between 1.2 and 5 wait for takeoff, only buy not sell).* \\n*The ahr999 index focuses on hoarding between 0.45 and 1.2, rather than bottom-huntingbelow 0.45.* \\n*ahr999x = 3/ahr999 index (ahr999x below 0.45 is the bull market’s top area, note that this formula is for reference only)*',), (\"*Reviewing the technical indicators shared today: 🔰 Rainbow Chart (monitoring price changes)* \\n*🔰 Top Escape Indicator (identifies bottoming times and buy signals) 🔰 Bubble Indicator (comprehensive reference to valuation levels and on-chain data opinion data to reflect the relative value of bitcoin)* \\n*🔰 Ahr999 Tunecoin Indicator (reflects short-term market price decisions) 🔰 Long/Short Ratio Indicator (analyzes short/long term market long/short ratios)* \\n*🔰 Greedy Fear Indicator (determines where market sentiment is headed) Well, that's it for our market reference indicators for today, I hope you will read them carefully and apply them to our future trading. If there is something you don't understand, or if you are interested in the market reference indicators I shared, members can contact William to receive the indicator knowledge*\",), ('*Bitcoin long/short ratio:As we all know, we are a two-way trading contract, so the market long/short ratio is an important analysis index we need to refer to.* \\n*From the long/short ratio of bitcoin, we can grasp the bearish sentiment of the market and some major trends. If the long/short ratio of bitcoin is less than 40%, it means that the proportion of short selling is relatively large, and most people predict that the market will fall more than rise. Conversely, if the long/short ratio of bitcoin is more than 60%, it means that most people in the market believe that the market will rise more than fall.According to your own investment strategy, the market long/short ratio from the 5 minutes to 24 hours is a good reference for us to judge the short-term market sentiment.*',), ('*And the greed and fear index, which we see every day, is no stranger to old members, so let\\'s share it with new members* \\n*What is the Bitcoin Fear and Greed Index?* \\n*The behavior of the cryptocurrency market is very emotional. When the market goes up, people tend to be greedy and have a bitter mood. When the market goes down, they react irrationally by selling their cryptocurrencies* \\n*There are two states:* \\n*Extreme fear suggests investors are too worried and could be a buying opportunity.* \\n*Too much greed is a sign that investors are overexcited and the market may adjust.* \\n*So we analyzed the current sentiment in the bitcoin market and plotted it on a scale of 0 to 100.* \\n*Zero means \"extreme fear\" and 100 means \"extreme greed.\"* \\n*Note: The Fear index threshold is 0-100, including indicators: volatility (25%) + market volume (25%), social media (15%), fever (15%) + market research +COINS percentage of total market (10%) + Google buzzword analysis (10)*',), ('*Rainbow Charts:* \\n \\n*Is intended to be an interesting way to observe long-term price movements, without taking into account the \"noise\" of daily fluctuations. The ribbon follows a logarithmic regression. This index is used to assess the price sentiment range that Bitcoin is in and to determine the right time to buy.* \\n \\n*The closer the price is to the bottom of the rainbow band, the greater the value of the investment; the closer the price is to the top of the rainbow band, the greater the bubble so pay attention to the risks.*',), ('*Bitcoin escape top index · Bottom buying signal interpretation*\\n*Intended to be used as a long-term investment tool, the two-year MA multiplier metric highlights periods during which buying and selling bitcoin would generate outsize returns.* \\n*To do this, it uses a 2 Year Moving Average (equivalent to the 730 daily line, green line), and a 5 times product of that moving average (red line).* \\n*Historically:* \\n*When the price falls below the 2-year moving average (green line), it is a bottom-buying signal, and buying bitcoin will generate excess returns.* \\n*When the price exceeds the 2-year average x5 (red line), it is a sell signal to escape the top, and the sale of bitcoin will make a large profit.*\\n*Why is that?* \\n*As Bitcoin is adopted, it goes through bull-bear cycles, with prices rising excessively due to over-excited market participants. Similarly, prices falling excessively due to participants being too pessimistic. Identifying and understanding these periods can be beneficial to long-term investors. This tool is a simple and effective way to highlight these periods.*',), ('*What is sustainable investing?* *Sustainable investing integrates environmental, social and governance factors into investment research and decision-making. We believe these factors are critical to the long-term value of an investment*',), ('As a global financial group with two hundred years of history, I firmly believe in the strength of Citigroup',), ('*The Bitcoin Bubble index consists of two main components:* \\n*The first part is the ratio of bitcoin price to data on the chain (after normalization), which indirectly reflects the valuation level of bitcoin price relative to the data on the chain.* \\n*The second part consists of the cumulative price increase and public sentiment, indirectly reflecting the overall comprehensive performance of Bitcoin in the market and the community. Other parameters are mainly used for numerical standardization to make the data additive or comparable.* \\n*Compared with the hoarding index, the bubble index takes into account many factors related to bitcoin (on-chain data, public opinion data, etc.), which has the same effect. The two can be complementary when used.*',), ('Each of the 6 indicators today is very important, and it also made me realize that trading cannot rely on any one indicator, and more indicators are needed to combine judgments. This is a bit difficult, and I still need time to adapt',), ('*Better business, better results* \\n*We always insist on putting the interests of our customers first. We can get good commissions only when our partners get better profits. This will be a mutually beneficial cooperation.*',), ('Buffett often says , \"Nobody wants to get rich slowly.\"',), ('*We have a diverse and inclusive team better insights* \\n \\n*We have a well-established product control team that monitors transactions, trading patterns and entire portfolios to assess investments and risks. We are the dealing desk and risk management, in-depth analysis, communicating with different stakeholders and handling team issues. I have many projects running in parallel to review controls, improve processes and innovate digital transaction models.*',), ('*I believe everyone has a better understanding of Citi, and now I will start sharing some indicators so that you can take notes when you have time.*',), ('*Good evening everyone, I am Lisena. If you don’t have a contract trading account yet, if you don’t understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me, good night everyone👇🏻👇🏻👇🏻*',), ('*Recently, the Bitcoin and Ethereum markets are adjusting, and the upward trend is very slow, which is not a good thing for investors holding Bitcoin and Ethereum. Fortunately, the Bitcoin and Ethereum markets continue to fluctuate sharply every day, which provides more trading opportunities for our contract trading.*\\n*If friends want to participate in or learn more about cryptocurrency contract trading, you can send a private message to my assistant Lisena, good night.*',), ('The rainbow indicator left a deep impression on me because it is colorful and looks relatively simple, which is suitable for me at this stage hahaha',), ('MISSED YOU SM',), ('Good afternoon Lisena, yes I have learned a lot about trading here',), ('*[Citi Financial Information]*\\n1. [The Republican Party of the United States expressed support for a number of crypto policy measures in its official 2024 party platform]\\n2. [Founder of Fairlead Strategies: I strongly agree to add Bitcoin to the portfolio]\\n3. [Morgan Stanley Strategist: US stocks are very likely to pull back 10%]\\n4. [White House: Biden has not received treatment for Parkinson\\'s disease]\\n5. [Singapore court ruled in favor of Fantom Foundation to win the lawsuit against Multichain]\\n6. [Dubai Customs launches blockchain platform to improve operational transparency]\\n7. [Biden: I will be the Democratic presidential candidate]\\n8. [Japanese manga \"Attack on Titan\" will enter the crypto game world through cooperation with The Sandbox]\\n9. [Fox reporter: Former SEC policy director Heather Slavkin Corzo will join public policy company Mindset]\\n10. [Bank of France and Hong Kong Monetary Authority announced cooperation on wCBDC]\\n11. [Vitalik: The electric vehicle field relies on software updates and needs to adopt more open source models]',), (\"*But please remember that great mariners never fear the wind and waves, because they know that only by setting sail can they reach the unknown shore. In Citi World platform, we not only provide you with a safe and transparent investment environment, but also have a professional team to accompany you through every important moment.*\\n*Today, let us set sail together, toward a broader financial ocean. Here, every transaction may become a turning point in your life, and every decision may lead you to a new peak. Don't be afraid of the unknown, because every attempt will be the most valuable treasure in your life.*\",), ('how many of you are BIGGGGGGG umbrella academy lovers 👀👀👀👀👀☔️☔️☔️☔️☔️☔️☔️☔️',), ('For the first time ever, BTC is one of the key components of a major political party platform.',), (\"*Now, let's join hands and start this exciting journey together! In Citi World platform, your dream, will not be far away.*\",), (\"Trump's big cryptocurrency push, and I think it's like a coming bull market.\",), ('If you are not willing to take the usual risks, you have to accept what life throws at you. True success is not whether you avoid failure, but whether it allows you to learn from it and choose to stick with it. There is no secret to success. It is the result of preparation, hard work, and learning from failure.\\nHi, good morning everyone, my name is Lisena Gocaj.',), ('Cryptocurrency is becoming a political issue. I think BTC will be the deciding factor in this election',), ('*In this era full of opportunities and challenges, every dream needs a starting point, and every success comes from a brave attempt. Are you ready to embark on the journey of wealth that belongs to you?**Imagine when you open your investment account in Citi World platform, it is not just a simple operation, it is a brand new start, the first step towards your dream. We understand your hesitation and concern, because behind every investor is the expectation of the future and the concern of risk.*',), ('BTC Inc. CEO David Bailey told Yahoo that he met with Donald Trump to discuss how to dominate BTC as a \"strategic asset for the United States.\"',), ('Trump was very much \"Make America Great Again\" when he talked about making Bitcoin a central part of his domestic strategy.',), ('*I am Lisena Gocaj. Our group focuses on cryptocurrency contract trading. I am your exclusive customer service. If you have any questions about the investment market, you can click on my avatar for free consultation!*',), ('I have been following this for a long time. If I want to participate, what should I do?',), ('Imagine if we traded 60,000 this week, all the bears would be dead 🐻😹',), ('Each trade gives me more confidence in trading',), (\"Absolutely groundbreaking! 🚀 David Bailey meeting with Trump to discuss Bitcoin as a strategic asset is a huge step forward. Recognizing BTC as a key component of a major political party platform is a game-changing decision.Bitcoin's future as a vital part of the U.S. economy is brighter than ever. Let's dominate the future with BTC\",), ('The bull market will be wild and crazy',), ('I am so ready for this',), ('i maaaaaay have something rly cool for some of u 😬😬😬😬',), ('I read everything the analysts on the panel shared. I see that Citigroup’s analysts have a keen insight into the BTC “contract market”, which makes me look forward to following such a responsible analyst team to victory. Please help me register a BTC \"contract\" account! Thanks!',), ('👆👆👆👆👆 \\n*This chart is a time-share chart of LUNA. At that time, the price of LUNA coin, which was $116.39, plummeted to $0.0002.* \\n \\n*Imagine if you traded a short order on LUNA at a cost of $10K. How much wealth would you have? A billionaire. This is the kind of miracle only a low cost coin can do in a short period of time* \\n👆👆👆👆👆',), ('*Good afternoon, club members. Today, we were invited to attend the Wall Street Financial Forum. As you can see, we discussed the 2024 Wealth Mindset Exchange Summit, hosted by David Thomas. The crypto market in 2024 is currently the most profitable project in the world. This also further determines the direction of our next layout. Many friends on Wall Street learned that our \"non-agricultural plan\" layout last week was very successful, and they are ready to do a larger-scale layout transaction with us. We will have a more detailed discussion tonight, so please wait for my news!*',), ('🐳🐳 *So what do whales do?* 🐳 🐳 \\n*A sharp rise or fall in the cryptocurrency market.* \\n*A buying or selling act equivalent to two forces in the market.* \\n*One is to short the price, and the other is to push it up. This is when a phenomenon called whale confrontation occurs.*',), ('*If anyone wants to join or want to know more about BTC smart contract transactions, you can click on my avatar to send me a message. I will explain it to you in detail and guide you on how to join.*',), ('👇👇👇*The red arrows represent bearish market price whales* 🐳',), ('*Good afternoon, club members. Today, Mr. Andy was invited to participate in the Wall Street Financial Forum. Mr. Andy shared with you the low-priced coins before. This is one of the directions we plan to invest in in the future. In order to let everyone better understand the relationship between the market and money, how to better avoid market risks and maximize profits. Now Mr. Andy has entrusted me to share with you how to identify whale behavior in the market.*\\n\\n*⚠️For the convenience of reading, please do not speak during the sharing process. After I finish speaking, you can speak freely*',), ('*One week has passed this month, and we have successfully obtained a 156.82% return. There are still three weeks left. We will inform all members of the accurate buying points of the daily trading signals in advance. You only need to follow the prompts to set up and you can make money. We will bear half of the losses. With such strength, what are you still hesitating about? Unless you are not interested in making money at all, or you are worried about some problems, you can click on my avatar for free consultation. Even if we cannot become a cooperative relationship, I still hope to solve any of your problems.*',), ('Analyst Mr. Andy previously said that BTC will break through $100,000 this year',), ('‼️ ‼️ ‼️ ‼️ *What is a whale? Let me explain it to you.* \\n*Whether you have a personal trading account in the cryptocurrency market, or a business trading account.* *You have more than 1000 bitcoins in your account to qualify as a whale.* \\n*The current price of Bitcoin is about $57,000. No matter how much bitcoin goes up or down, you need to have at least 1,000 bitcoins to be called a whale.* ‼️ ‼️ ‼️ ‼️',), ('*As Mr. Andy said, the contract market is dominated by money.*\\n*If you dare to take risks, you will change your destiny.*\\n*After all, the high-priced cryptocurrency market like BTC or ETH, its total market value accounts for more than 60% of the entire cryptocurrency market. Moreover, due to the large number of institutions and super-rich people in its pool, the market is relatively chaotic. Especially for traders with less funds, if they do not have some analytical ability, it is easy to be swallowed by whales in the market.*',), (\"👇 👇👇*The green arrow represents another whale trying to push up prices* 🐳🐳🐳 \\n*This will result in big ups and downs, which is the only risk we can't control.* \\n*In particular, a sudden whale activity in the middle of a trade can be very detrimental to our trade. This is common in high value coins.* \\n*In this case, if the cost of controlling the risk is lost, it will be eaten by the whale. Therefore, we must incorporate this risk into our trading. That's why Mr. Ernesto Torres Cantú often reminds people that it is better to be wrong on a trend and to miss a trade than to take more market risk*\",), ('*That is to say, if you go in the opposite direction from the whale, you are at risk of being eaten by the whale. This is one of the core of our contract trading. Going with the trend and following the movement of the whale to capture the short-term trend is our profitable strategy. However, with the increase in the number of club members and the rapid growth of funds, we have a new plan. We are not following the movement of the whale, but we want to make ourselves a big whale market. Our every move will affect the direction of the market. This is also Mr. Andy’s feeling after the recent transaction. Well, today’s knowledge about the trend of whales is shared here. Tomorrow, Mr. Ernesto Torres Cantú will announce the specific content of our trading plan in July. Please wait patiently!*',), ('Yes, if this continues and we don’t have a stable source of income, life will definitely become very bad. I still need to pay about $900 in real estate taxes every year',), ('There is no limit to the amount of money invested',), ('*There are no restrictions on the funds you can invest. For the current zero-risk activity, our analyst team recommends starting with $20K to participate in the transaction. After all, in the investment market, the less money you have, the greater your risk. We also need to consider the safety of your funds.*',), ('*We cannot control what is happening. We can only increase our savings before all the disasters come, so that we and our families can live a better life. No matter what emergencies we encounter, we have enough money to face the difficulties. Money is not everything, but without money, nothing can be done.*',), ('*So how can we save more?*\\n*1 Work?*\\n*The purpose of work is to make money so that our family and ourselves can live a better life, but the work pressure is very high now.*\\n*Hard work will cause great damage to our body, which will make our family worry about us, and in serious cases, we will go to the hospital. It is really painful to pay the hard-earned money to the hospital. So we must change the way we make money now, relax our body and make our life easier, because inflation is getting worse and worse, prices are rising, only our wages are not rising. If this continues, our lives will only get worse and worse. We need to spend a lot of money in the future.*',), ('*3. Invest in real estate?*\\n*As I said above, it was indeed very easy to make money by investing in real estate in 2008, but now due to the epidemic, war, global economic downturn, and increasingly serious bubble economy, the real estate market share has reached saturation. We may get a small piece of the whole cake, but now the cake is only 10/2. Can we still make money so easily?*',), ('Do I have to use $1000 to trade?',), ('Lisena, you are really responsible and gentle',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 50%\\nPurchase Price Range: 57700-57400',), (\"Don't hesitate, the opportunity to make money will not wait for us. I also want more trading signals like this every day.\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('Lisena, I agree with you',), ('Great, thanks to the analyst',), ('😤It’s a pity that my funds have not been deposited into the trading account yet, otherwise I would have made so much money today.',), (\"I don't think investment is gambling. The essence of gambling is that the success rate is only 50%. After thinking for a while, I think Mr. Andy has strong analytical ability and a high winning rate. In the afternoon, I created a trading account with the help of Lisena and will deposit funds to participate in the transaction as soon as possible.\",), (\"I'm ready, Lisena\",), ('Man, get in on the trade early and you’ll make more money.',), (\"Yes, I have been looking forward to today's trading signal as well.🤩\",), (\"OK, I can't wait to get in on the trade.\",), ('*With the escalation of war, the global energy crisis and other international issues, although the Federal Reserve has raised interest rates several times in a row, reducing the severity of our inflation, it is still relatively serious. The entire European country is now facing a historic financial crisis. The escalation of political tensions between Russia and NATO will cause the entire European country to be implicated. If the price of the US dollar falls sharply, then we ordinary people will suffer.*',), ('*So, if you are thinking too much, why not give it a try, because you will never know what the result will be if you don’t try. We have a professional technical team and you have extra idle funds, so if we cooperate once, I believe the result will definitely make us all happy. Satisfied, through cooperation, we each get what we need, which is a good thing for us, because we have this strength, we dare to achieve zero-risk activities*',), ('*2. Invest in stocks?*\\n*I believe that many members have invested in stocks, but because they did not meet the right broker, they traded on their own and suffered losses. In the stock market, retail investors are destined to be eaten by big sharks, and the investment time is long and the returns are unknown. Our stocks can also have a short-selling mechanism, but can you grasp it? Professional matters must be handed over to professionals.*',), (\"*Dear friends, today's trading signal will be released at 8:30 p.m. EST. Please be prepared and contact me to receive the trading signal.*\",), ('17625243488@s.whatsapp.net',), ('17625243488@s.whatsapp.net',), ('Bitcoin has recorded its biggest drop in the current cycle, trading more than 26% below its all-time high. Despite this, the decline is still at an all-time low compared to past cycles',), (\"🌟🌟🌟*No matter how turbulent the market is, we can stay calm and decisive, which has always been the key to our success. Today's trading is over. When there is a suitable trading market, our analysts will start to guide everyone to trade Bitcoin contracts. Everyone should be prepared. 🌺If you have any of the following questions, please contact me immediately to help you solve them:*🌺\\n\\n🌹*(1) How does Bitcoin contract work?*\\n\\n🌹*(2) How to make money*\\n\\n🌹*(3) How to get started*\\n\\n🌹*(4) Is my money safe?*\\n\\n🌹*(5) 100% guaranteed profit*\\n\\n🌹*(6) Is there any professional guidance?*\\n\\n🌹*(7) How to withdraw funds from my trading account?*\",), ('*[Citi Financial Information]*\\n1. [Suriname presidential candidate: There is no infrastructure, so you might as well use Bitcoin]\\n2. [Head of Paradigm Government Relations: The U.S. House of Representatives voted to overturn the SAB121 CRA today]\\n3. [The Australian Spot Bitcoin ETF (IBTC) has accumulated 80 BTC since its launch]\\n4. [Chief Legal Officer of Uniswap Labs: Urges the US SEC not to continue to implement its proposed rulemaking work]\\n5. [Nigeria’s Finance Minister urges the country’s SEC to address cryptocurrency regulatory challenges]\\n6. [Bitwise CCO: Ethereum ETF “nearly completed”, SEC is open to other funds]\\n7. [Musk: xAI is building a system composed of 100,000 H100 chips on its own]\\n8. [Federal Reserve’s mouthpiece: Powell’s change hints that interest rate cuts are imminent]\\n9. [\"Debt King\" Gross: Tesla behaves like a Meme stock]\\n10. [Coinbase executive: The popularity of cryptocurrency needs to provide more beginner-friendly applications]',), ('*Good afternoon, yesterday we briefly talked about the whales in the cryptocurrency market. Many people don’t know about whales in the cryptocurrency market. Simply put, they are the big capital in the cryptocurrency market. Whether they can become big capital depends on the later trading situation. Today, Teacher Andy will share the details and timing of the Whale Plan. Friends who want to participate in this Whale Plan can click on my avatar to contact me.*',), ('Good morning, analyst.',), ('Thanks to the team at Citi for increasing our revenue, I believe our relationship will be long-lasting',), ('Both BTC and ETH are trending back a bit today, will this help us trade today',), (\"Good morning everyone, I'm Lisena Gocaj, our group specializes in trading cryptocurrency contracts, your dedicated customer service, if you have any questions about the investment market, you can click on my avatar for a free consultation! Due to the increasing number of our clients, we will randomly open communication privileges\",), (\"The 2023-2024 cryptocurrency cycle is both similar and different from previous cycles. After the FTX crash, the market experienced about 18 months of steady price gains, followed by three months of range-bound price volatility after Bitcoin's $73,000 ETF high\",), ('*Major macroeconomic events this week could affect the BTC price:*\\n*Tuesday-Wednesday, July 9-July 10: U.S. - Federal Reserve Chairman Jerome Powell testifies. Powell will testify before the Joint Economic Committee on the economic outlook and recent monetary policy actions. Markets will be looking for signals of an impending rate cut, which could push BTC prices higher.*\\n*Thursday, July 11: U.S. - CPI (MoM) (June) (Expected: +0.1%) A weak change in the CPI could make the market think that the Federal Reserve will cut interest rates sooner, which could have a positive impact on the cryptocurrency market.*',), ('🏦*The survey of 166 family finance offices conducted by Citi\\'s in-house team of economists found*\\n🔔 *62% of people are interested in investing in cryptocurrencies, a sharp increase from 39% in 2021.*\\n🔔 *26% are interested in the future of cryptocurrencies, up from 16% in 2021.*\\n🔔 *The number of respondents who are \"not interested\" in the asset class has dropped from 45% to 12%.*\\n🔔 *APAC family offices have a slightly higher allocation to cryptocurrency at 43%.*\\n🔔 *71% of family offices in EMEA are investing in digital assets, compared to 43% in APAC, a 19% increase from 2021.*',), ('*July Trading Program: 🐳The Whale Program🐳*\\n⚠️ *Plan time: 7.18~7.31 (end time depends on the actual situation)*\\n⚠️ *Plan strategy: divide the funds into two parts*\\n*⚠️*1. Set aside 50% of the funds to be transferred to the coin account as a reserve fund for new coin subscription (because the time of new coin issuance is uncertain, but we have to be ready to seize the market opportunity)* *Once we successfully subscribe to the new issuance of low-priced coins, we are pulling up through the funds that we have profited from the contract market, and we have mastered the original price advantage, and the profit is expected to reach 50~100 times, but it requires a huge amount of funds to pull up*',), ('Mr. Andy Sieg, when do we start trading whale programs. Looking forward to your wonderful sharing',), ('Bitcoin needs to wait for the CPI as yesterday Jerome Powell said the Fed is in no hurry to cut rates',), (\"*⚠️⚠️In order to ensure that we can protect ourselves from future financial crises and ensure our absolute dominance in the future cryptocurrency market, I will lead new and old members to grow new wealth in the cryptocurrency market in July and lay the foundation for Laying the foundation for us to become a dominant organization across multiple low-price coins in the future, Lisena Gocaj also shared with you the whale movement in the cryptocurrency market. In the past, our trading strategy was to follow the movements of whales. Now as the club's capital grows, we hope that in the future the club can become one of the whales in the market and dominate the short-term market trend. In the near future, the market will issue new tokens with lower prices, and in order to occupy the market, we need to accumulate more capital. In July, I will announce some details of our plan to achieve this great goal. Please listen carefully. ⚠️⚠️*\",), ('Uncertain why CPI remains in focus. Markets are not focused on the slowdown. I think inflation is in line with expectations, but not sure how anyone can be bullish without worrying. We are top-heavy',), ('*⚠️3.This program we have a strict plan for their own growth, so please prepare sufficient funds before the start of the program, in order to facilitate the management and reduce the pressure of statistics, we will be based on your initial funds to determine your participation in the program echelon, (midway not allowed to change) level echelon different, to obtain the profit and the number of transactions are also different, so would like to improve the trading echelon please prepare the funds before this week!*',), (\"🌏 *The World Economic Forum's Chief Economist Outlook highlighted that:*\\n🔔 *In 2024, there is uncertainty in the global economy due to persistent headwinds and banking sector disruptions*\\n🔔 *There is little consensus on how to interpret the latest economic data*\\n🔔 *Economic activity is expected to be most buoyant in Asia as China reopens*\\n*The chief economist's outlook for regional inflation in 2024 varied, with a majority of respondents expecting the cost of living to remain at crisis levels in many countries.*\",), (\"Tomorrow's CPI will still have a pretty big impact on the BTC price at this critical juncture, so that's another good news for us to engage in contract trading\",), ('*⚠️4. Members with funds of 100K or more will be led by me and can enjoy my one-on-one guidance.*\\n*⚠️ Note: Members who need to participate in the whale program, please report the initial funds to the assistant (Stephanie) to sign up, the quota is limited, please hurry!*',), (\"🌏 *According to the World Economic Forum's Future of Work 2023 report* 🌏\\n🔔 *Artificial intelligence, robotics, and automation will disrupt nearly a quarter of jobs in the next five years, resulting in 83 million job losses. The report shows that the media, entertainment, and sports sectors will experience the greatest disruption. However, it also predicts that 75% of companies will adopt AI technologies, leading to an initial positive impact on job growth and productivity.*\",), (\"🏦 *Citi's stats team's ranking of the top 10 cryptocurrencies by social activity shows that*\\n🔔 *Bitcoin tops the list with 17,800 mentions in April (as of the 11th), followed by Ether and PEPE with nearly 11,000 mentions each.*\\n*The rest of the market is dominated by lower-priced coins, which have received more attention from investors this year*\",), (\"I think if tomorrow's CPI does well, it can pull BTC back to $60,000\",), ('*⚠️2. Using the remaining 50% of the funds to complete a short-term accumulation of funds through a combination of trading, trading varieties diversified, not limited to BTC/ETH, profits are expected to be ~600%*',), ('*Thursday, July 11: USA - Initial jobless claims. The last value was 238 thousand. A weaker number could be welcomed by the market, which is looking for a weaker job market so that the Fed is more confident in cutting interest rates, potentially pushing up the Bitcoin price.*\\n*Friday, July 12: U.S. - PPI (monthly) (June) . The Producer Price Index (PPI) is critical in identifying inflation risks. The market would like to see reassuring signals that producer and consumer price inflation continue to normalize, which could have a stabilizing effect on Bitcoin*',), ('🔔 *Nearly 80% of economists believe central banks now face a trade-off between managing inflation and maintaining stability in the financial sector.*\\n*Recent instability in the banking sector has the potential to have disruptive knock-on effects, including major disruptions to the housing market.*\\n*It also means that industrial policies will deepen geoeconomic tensions, stifle competition, and lead to problematic increases in sovereign debt levels.*',), ('*Dear friends, next I will share some knowledge with you, I hope you will read it carefully.*',), ('🔰 *Combined with the previous data, it is clear to everyone that the world economy is going through difficult times, and the development of artificial intelligence technology will have an initial positive impact on employment growth and productivity.*\\n🔰 *The financial strategies of the major families will tend to focus on cryptocurrency investment, which indicates that digital assets will be a significant trend in the future and the core of asset allocation.*\\n🔰*From the analysis report of Citibank, we can feel the development of the cryptocurrency market this year. More investors like to exploit the potential of small currencies, indicating that this market will establish a new bull market after three years of adjustment*',), ('Haha, this way we can make more money and not be so tired. We can achieve financial freedom easily.',), (\"I will find a way to raise more funds to join the whale program, I don't make as much as you do now😔\",), (\"It's crazy time again🤩\",), ('Teacher Andy and the analyst team are very happy to see that you can all make profits. If there are still people who want to participate in the transaction, please contact me and I will help you how to get started.',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I agree with the point of view. Although I just started trading today, I can make money for the first time, and the trading signals are so accurate in such a short time. I believe that Teacher Andy and their team are very powerful.👍🏻👍🏻👍🏻',), ('Cool! The Whale Project! I like the name and I hope we become a big whale in the market soon',), ('Notify us to short sell. The price started to fall right after we bought it.👍🏻',), ('Thank you very much to Teacher Andy and the analyst team for giving us such accurate trading signals every time, allowing us to make money so easily.',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:57650-57350',), ('35% profit, great,this makes me look forward to the profits of the whale plan more and more🐋',), ('Thank you Mr. Andy Sieg for sharing, it is finally our new plan, I want to be the first to participate, I will add more funds to participate in it',), (\"*Dear friends, today's trading signal will be released at 8:30 p.m. EST. Please be prepared and contact me to receive the trading signal.*\",), ('I have to give a big thumbs up to Teacher Andy',), ('*Congratulations to all members who participated in the transaction and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('*[Citi Financial Information]*\\n1. [Lugano, Switzerland encourages the use of Bitcoin to pay for daily expenses]\\n2. [Musk confirmed that xAI will build its own supercomputer to train the Grok large language model]\\n3. [The leader of the US Democratic Party calls on Biden and his campaign team to prove that they can win the election]\\n4. [Goldman Sachs Global Head of Digital Assets: The launch of spot Bitcoin ETF is a new driving force in the encryption field]\\n5. [Consensys founder: US regulators “neglected their responsibilities”]\\n6. [Powell: Everything the Fed does in cutting interest rates is justified]\\n8. [FOX reporter announced the list of participants of the U.S. Encryption Roundtable, including Biden advisers]\\n9. [U.S. commodity regulator urges swift action on cryptocurrency]',), ('Hey I’m headed to concierge pool, meet me there!',), ('Looking forward to the \"big deal\"',), (\"When the trading signal comes, enjoy life and make money! That's what I do! I believe the whale plan next week will take my life to the next level.\",), ('This means we are making the best choice to invest in cryptocurrencies',), ('Many people are saying that the Fed is likely to keep interest rates unchanged',), ('Good morning, my friend, please accept my wishes: let a smile creep onto your face, let happiness fill your heart, let good luck accompany you, let success nestle in your chest, let happiness bloom heartily, and let friendship be treasured in your heart. A new day has begun. I wish my friends to feel at ease in their trading. (🙏🏻)',), (\"*1. Liquidity impact*\\n*Liquidity tightening: The Fed's interest rate hike means reduced market liquidity and higher borrowing costs.*\\n*Capital repatriation: The Fed's interest rate hike may also attract global capital to return to the United States, because US dollar assets are more attractive in an interest rate hike environment.*\",), ('*Thursday, July 11: United States – Initial Jobless Claims. The previous reading was 238K. A weaker number would likely be welcomed by the market, which is looking for a weak job market so that the Fed would be more confident in cutting rates, potentially pushing up Bitcoin prices.*',), (\"Last night while having a drink with a friend, I heard him say that he is also investing in Citigroup's BTC smart contract trading, at least I think I'm making a decent daily income here\",), ('*2. Investor risk appetite*\\n*Reduced risk appetite: During a rate hike cycle, investors tend to be more cautious and have lower risk appetite.*',), ('*Hello everyone, I am Lisena Gocaj, focusing on cryptocurrency contract trading. I am your exclusive customer service. If you have any questions in the investment market, you can click on my avatar for free consultation. As our customers are increasing, we are now an open communication group. I will now open the right to speak to new members, so all new members please consult me \\u200b\\u200bfor the right to speak!*\\n\\n*Every little progress is a step towards success. As long as we keep accumulating and moving forward, we can achieve our dreams and goals.*',), (\"*4. Internal influence on the crypto market*\\n*Market divergence: In the context of the Federal Reserve raising interest rates, divergence may occur within the crypto market. Some assets with greater value consensus (such as Bitcoin, Ethereum, etc.) may attract more capital inflows and remain relatively strong; while some growth projects that may be valuable in the future may face pressure from capital outflows.*\\n*Black swan events: The Fed's interest rate hikes may also trigger black swan events in the market, such as major policy adjustments, regulatory measures, etc. These events will further increase market volatility and uncertainty.*\",), (\"I envy your life! Don't you have to work today?\",), ('*Major macroeconomic events this week that could impact BTC prices:*\\n*Thursday, July 11: US – CPI (mo/mo) (June) (expected: +0.1%). A weaker CPI could lead the market to believe that the Fed will cut rates faster, which could have a positive impact on the cryptocurrency market.*',), ('You go hiking in such a hot day.',), ('*Friday, July 12: United States - PPI (monthly rate) (June). The producer price index is critical to determining inflation risks. The market hopes to see reassuring signals that producer and consumer price inflation continue to normalize, which may have a stabilizing effect on Bitcoin.*',), ('Haha, there is still enough time, otherwise it will be your loss if you miss the trading signal.',), ('*3.performance and complexity*\\n*Historical data: Judging from historical data, interest rate hike cycles often put pressure on the crypto market. However, the crypto market’s response to Fed policy is not static and sometimes goes the opposite way than expected.*\\n*Complexity: The response of the crypto market is affected by multiple factors, including market sentiment, capital flows, technical factors, etc. Therefore, the impact of the Federal Reserve’s interest rate hikes on the crypto market is complex and cannot be explained simply by a single factor.*',), (\"With such an excellent team like Andy giving us accurate trading signals every day, I believe that it is a very good decision for us to invest in Citigroup's BTC smart contract trading. We can earn income outside of work every day.\",), ('*U.S. interest rates, particularly the Federal Reserve’s interest rate policies, have a significant impact on the crypto market. This influence is mainly reflected in the following aspects:*',), (\"So you need to be prepared at all times, and opportunities are reserved for those who are prepared. For all friends who want to sign up for the Whale Plan, please bring a screenshot of your trading account funds to me in time to claim your place. Friends who haven't joined yet can also add my private account and leave me a message. I will help you make all the preparations. Today's trading signal will be released at 8:30PM EST, so please be prepared for participation.\",), ('Historically, rate cuts usually lead to lower interest rates first',), ('*Many people have been deceived and hurt, I understand very well, and at the same time I am very sad. We at Citi want to help everyone, especially those who have been deceived and hurt. But many people don’t understand, and think that all cryptocurrency events are scams*',), ('*Finally, the flood came and the priest was drowned... He went to heaven and saw God and asked angrily: \"Lord, I have devoted my life to serving you sincerely, why don\\'t you save me!\" God said: \"Why didn\\'t I save you? The first time, I sent a sampan to save you, but you refused; the second time, I sent a speedboat, but you still didn\\'t want it; the third time, I treated you as a state guest and sent a helicopter to save you, but you still didn\\'t want to. I thought you were anxious to come back to me.\"*',), ('*Soon, the flood water reached the priest\\'s chest, and the priest barely stood on the altar. At this time, another policeman drove a speedboat over and said to the priest: \"Father, come up quickly, or you will really drown!\" The priest said: \"No, I want to defend the church, God will definitely come to save me. You should go and save others first.\"*',), ('*Congressman proposes to allow the use of BTC to pay taxes Golden Finance reported that according to Bitcoin Magazine, Congressman Matt Gaetz has launched a proposal to allow the use of BTC to pay federal income taxes.*',), (\"*At the same time, the details of our Whale Plan have been shared in the group for a few days. This plan will be officially launched on July 18th. I hope everyone will read it carefully. If you have any questions, please feel free to contact me and I will answer them for you. If you want to participate, I will also help you start your trading journey. This plan is once every four years, and strive to get the maximum benefit. Please seize the opportunity and don't miss it.*\",), ('*Here I want to tell you a biblical story:*\\n*In a village, it rained heavily and the whole village was flooded. A priest was praying in the church. He saw that the flood was not up to his knees. A lifeguard came up on a sampan and said to the priest: \"Father, please come up quickly! Otherwise, the flood will drown you!\" The priest said: \"No! I firmly believe that God will come to save me. You go and save others first.*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('*After a while, the flood had submerged the entire church, and the priest had to hold on to the cross on top of the church. The helicopter slowly flew over, and the pilot dropped the rope ladder and shouted: \"Father, come up quickly, this is the last chance, we don\\'t want to see you drown!!\" The priest still said firmly: \"No, God will definitely come to save me. God will be with me! You\\'d better go save others first!\"*',), (\"*Golden Finance reported that Bitwise CIO Matt Hougan said that the U.S. spot Ethereum ETF could attract $15 billion worth of net inflows in the first 18 months after listing. Hougan compared Ethereum's relative market value to Bitcoin, and he expects investors to allocate based on the market value of the Bitcoin spot ETF and the Ethereum spot ETF ($1.2 trillion and $405 billion). This will provide a weight of about 75% for the Bitcoin spot ETF and about 25% for the Ethereum spot ETF. Currently, assets managed through spot Bitcoin ETFs have exceeded $50 billion, and Hougan expects this figure to reach at least $100 billion by the end of 2025. This number will rise as the product matures and is approved on platforms such as Morgan Stanley and Merrill Lynch.*\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 57350-57650',), ('Rate cuts always bring sell-offs and plunges! I think it will fall at least 20%',), ('I am reading carefully',), ('*I think most of you have heard this story, but have you ever thought about it deeply?*',), ('The interest rate cut is negative at first, but after a period of time, it will usher in a big surge! Historically, this has been the case. I think that after this interest rate cut, BTC will sprint to $200,000',), (\"*In fact 👉 In 2013, Bitcoin had a 12,410x chance, you don't know, I don't know. We all missed it.*\\n*👉 Bitcoin had an 86x chance in 2017, you don't know, but I know we are getting rich.👉Bitcoin has a 12x chance in 2021, you still don't know, I know, but we are rich again.*\\n*In 2022-2023, Bitcoin will enter another price surge, while driving the appreciation of various cryptocurrencies.*\",), (\"*In fact, sometimes obstacles in life are due to excessive stubbornness and ignorance. When others lend a helping hand, don't forget that only if you are willing to lend a helping hand can others help!*\",), ('*Trump will speak at Bitcoin 2024 in late July According to Golden Finance, two people familiar with the matter said that former US President Trump is in talks to speak at the Bitcoin 2024 conference in Nashville in late July. It is reported that the Bitcoin 2024 event hosted by Bitcoin Magazine will be held from July 25 to 27, a week after the Republican National Convention, and is regarded as the largest Bitcoin event this year. Trump is not the only presidential candidate attending the convention. Independent candidate Robert F. Kennedy Jr. also plans to speak at the convention. Former Republican candidate Vivek Ramaswamy, Senator Bill Hagerty (R-TN) and Marsha Blackburn (R-TN) will also attend.*',), ('Just like the famous saying goes, \"*Don\\'t hesitate no matter what you do, hesitation will only make you miss good opportunities.*\" I have indeed made money in Teacher Andy\\'s team.',), ('Is this true? Are the trading signals always so accurate?',), ('I believe every US person knows Citigroup. Our cooperation with anyone is based on mutual trust.',), ('Good morning, analyst.',), ('This is of course true. I have been trading with Andy for a long time.',), ('*Teacher Andy and the analyst team are very happy to see that you can all make profits. If there are still people who want to participate in the transaction, please contact me and I will help you how to get started.*',), ('We all make money into our own pockets.😁😁',), ('*Congratulations to all members who participated in the transaction and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), (\"Are y'all going anywhere?\",), (\"It's okay man, the purpose of making money is to enjoy life\",), ('I am now looking forward to joining the Whale Plan next week so I can make more money.😆',), ('*[Citi Financial Information]*\\n1. [UK sells Monero confiscated from drug traffickers]\\n2. [Biden admitted that he made mistakes in the debate with Trump and emphasized that he would not withdraw from the election]\\n3. [Fed. Musallem: Recent data shows that the Fed has made progress in controlling inflation]\\n4. [The EU accepts Apple’s commitment to open NFC, including promoting the development of a digital euro]\\n5. [LMAX Group Strategist: Cryptocurrencies may fall further if the poor performance of U.S. stocks evolves into a broader correction]\\n6. [U.S. judge rejects Coinbase’s request to subpoena SEC Chairman, requiring him to re-formulate plan]\\n7. [Bernstein: Iris Energy has planned most of the land at the Childress mine to expand Bitcoin mining operations]',), ('*Through close cooperation of the analyst team, we can improve the accuracy of our strategies. When extreme market conditions occur and our strategies fail, resulting in losses, we will have a comprehensive investment plan to help you quickly recover your losses.*',), ('Now I know why we can make money every day. It turns out Andy has such a strong team. Haha. Fortunately, I got involved in it in advance.',), (\"I don't have enough money in my account so I don't have enough profits. I will have another good talk with my friends and family over the weekend to raise more money to invest in cryptocurrency contracts. I want to buy a new car and live in a big house too\",), ('That is a must. Who doesn’t want to make more money to achieve financial freedom?',), ('Abner, I agree with what you said, but not everyone can seize opportunities. Some people miss opportunities right in front of them because of concerns and worries. As Bernara Shaw said, \"People who succeed in this world will work hard to find the opportunities they want. If they don\\'t find them, they will create opportunities.\"',), ('Haha, you are good at coaxing your wife.👍',), ('*Our analyst team consists of three departments. The first is the information collection department, which collects the latest news from the market and screens it. After screening out some useful news, it will be submitted to the analyst department, which will make predictions about the market through the information and formulate corresponding analysis strategies. Then, it will be submitted to the risk control department for review. Only when the risk rate is lower than 5%, will the department take the client to trade.*',), ('Everyone has a desire to make money, but they are not as lucky as us. If we had not joined Citigroup and had not been guided by Andy, we would not have had such a good investment opportunity. So we would like to thank Mr. Nadi and his analyst team and Lisena for making us all grateful.',), (\"I've been observing for a while, and every time I see you guys making so much money, I'm tempted,\",), (\"*If you don't try to do things beyond your ability, you will never grow. Good morning, my friend! May a greeting bring you a new mood, and may a blessing bring you a new starting point.*\",), (\"Everyone is preparing for next week's Goldfish Project. lol.\",), (\"Time flies, it's Friday again and I won't be able to trade for another 2 days.\",), ('18297659835@s.whatsapp.net',), ('18297659835@s.whatsapp.net',), ('18297659835@s.whatsapp.net',), ('*We can tell you that cryptocurrency investments are very easy and can be profitable quickly. We are one of the largest investment institutions in the world. We have professional analysts and cutting-edge market investment techniques to help you better manage your wealth through a diversified approach. We seek long-term relationships because we believe that your success is our success. Let you know about our investment philosophy*',), ('*Everyone here, please do not hesitate and wait any longer, this is a very good opportunity, any road is to walk out by yourself, rather than waiting in the dream, it is especially important to take the first step accurately!*\\n*If you want to join, please contact me, I will take you on the road to prosperity!*',), ('*Cryptocurrencies can provide investors with diversification from traditional financial assets such as stocks and bonds. While the cryptocurrency market has had a limited history of price volatility relative to stocks or bonds, so far prices appear to be uncorrelated with other markets. This can make them a good source of portfolio diversification. By combining assets with minimal price correlations, investors can achieve more stable returns.*',), (\"*Hello everyone, I'm Andy Sieg. Everyone knows blockchain technology, but they often confuse cryptocurrency and blockchain. However, blockchain technology is essentially a shared computer infrastructure and a decentralised network is formed on it. The cryptocurrency is based on this network. Cryptocurrency is designed to be more reliable, faster and less costly than the standard government-backed currencies we have been used to. As they are traded directly between users, there is no need for financial institutions to hold these currencies. They also allow users to check the whole process of transactions in a completely transparent manner. None of this would be possible without blockchain technology.*\",), ('*Bitcoin contracts are one of the more popular ways to invest in bitcoin contracts, which are investment products derived from bitcoin. You can profit by trading in both directions. Contracts can be traded with leverage, making it easier for you to make huge profits. For the current investment climate, this is a good investment option*',), ('I can not wait any more.',), ('You better be on your best behavior down there.',), (\"*Dear friends, today's trading signal will be released at 8:00 p.m. EST. Please be prepared and contact me to receive the trading signal.*\",), ('*For beginner traders, first learn to analyze the information according to the chart, which is a short-term BTC long trend chart, there is a short-lived long-short standoff before the long position is determined, when the direction is determined, the dominant party will be strong and lock the market direction at this stage, we need to judge the information according to the chart before the standoff, when we choose the right direction, then we also follow the strong party to get rich profits*',), (\"I'm ready.\",), ('*A Contract for Difference (CFD) is an arrangement or contract in financial derivatives trading where the settlement difference between the opening and closing prices is settled in cash, without the need to purchase an equivalent price as in spot trading In contrast to traditional investments, CFDs allow traders to open positions not only when prices fall, but also when prices rise. CFDs are settled in cash.*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 57750-58050',), (\"*Good evening, club members!*\\n*Today's trading day has ended. Congratulations to every club member who made a profit. Today, the price of Bitcoin fluctuated greatly. The Federal Reserve announced that it may cut interest rates once or twice this year. Inflation is moving towards 2%. Everything is going well. Some analysts believe that the price of Bitcoin will exceed 100,000 US dollars in this round.*\\n\\n*If you are interested in learning more about trading cryptocurrency contracts, please contact me. I will answer your questions by leaving a message. I wish you a relaxing and enjoyable night!*🌹🌹🌹\",), ('Lisena, if I also want to participate in the Whale Project next week, are there any requirements?',), ('Yes, I discussed with my family this weekend that I am going to raise funds to increase my investment amount so that I will have enough funds to make more money in my whale plan next week.',), ('I see you used $2893 and made $1070. If you used $140k like me to participate in the transaction, you would make $51k. lol..',), ('This is a big plan prepared for the benefit of new customers. There are no requirements. If you have any questions or don’t understand something, you can click on my avatar to contact me. I will explain it to you in detail and help you how to participate in the Whale Plan.',), ('There are really a lot of profit points today, haha.',), (\"Yeah, so I'm going to go raise funds this weekend.\",), ('Hola 👋🏻',), ('😜He made some money last week, so he must have gone on a date today.',), ('Christian, where are you going to go after washing the car?',), ('*The Whale Plan will start tomorrow. If you want to realize your dream in the Whale Plan, you can contact me. If you don’t have a BTC contract trading account or don’t understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), (\"There is no need to envy others, because you don't know how much you will have tomorrow.\\nWeekend blessings, I wish you a happy weekend!\",), ('*[Citi Financial Information]*\\n1. [Director of the US SEC Enforcement Division calls for stronger cryptocurrency regulation]\\n2. [EBA releases \"Travel Rule\" guidelines]\\n3. [Nuvei launches digital card in Europe]\\n4. [Musk donates to Trump]\\n5. [South Korean media: South Korea considers postponing taxation plan on cryptocurrency income]\\n6. [Russia considers allowing major local licensed exchanges to provide digital currency trading services]\\n7. [Australia\\'s first spot Bitcoin ETF has increased its holdings by 84 BTC]\\n8. [Trump will still deliver a speech at the Bitcoin 2024 conference in Nashville]',), ('Are you washing your car to pick up girls at night? Haha',), ('*Having a dream is like having a pair of invisible wings, allowing us to soar in the ordinary world, explore the unknown, and surpass our limits.*\\n\\n*The crypto market rose slightly this weekend, laying a good foundation for the Whale Plan next week, with an expected return of more than 200%. During the Whale Plan stage, analysts will also provide one-on-one private guidance. Friends who want to participate can contact me to sign up.*',), ('Good morning, Mr. Andy.',), ('Finally finished washing, it took me so long',), ('https://www.youtube.com/watch?v=0PW3aBqjCgQ',), ('*I hope all members can realize their dreams in the Whale Plan next week. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('Looking forward to the first trading day of the week',), ('Yeah, I often play with clients.',), ('Today, the price of BTC has reached above $63,000 again, which is a very good sign',), (\"Of course I can't compare with you, haha, I have to maintain my figure\",), ('Is this all you eat for breakfast?',), (\"(and a new documentary series chronicling carlos alcaraz's 2024 season is coming to netflix in 2025)\",), ('Do you still play golf?',), (\"*Good afternoon, everyone. I am Lisena Gocaj, specializing in cryptocurrency contract trading. I am your exclusive customer service. If you have any questions about the investment market, you can click on my avatar to get a free consultation! Friends who want to sign up for this week's Whale Plan can send me a private message to sign up*\",), ('BTC has risen to $63,000 and I am very much looking forward to trading this week🤩',), ('Lisena Gocaj, has the Whale Project started?',), ('Yes, we have been looking forward to the arrival of the trading plan 🤣',), ('I think the reason a lot of people lose money on cryptocurrencies is because they don’t know anything They trade alone relying solely on luck to determine whether they win or lose The investing and trading markets are complex and not everyone can understand them This is why professional brokers are so sought after and respected',), (\"Yes the beautiful scenery is not what others say but what you see yourself If we can't climb to the top of the mountain alone to see the scenery let's find help to help us climb to the top\",), (\"*Hello dear friends🌺🌺🌺I am Lisena Gocaj, today is Monday, and it is also the first transaction of [Whale Plan]🐳🐳🐳. This transaction will be released at 8:30pm EST, please be prepared for trading members , don't miss a deal.*\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 40%\\nPurchase Price Range: 64400-64700',), ('Great, Whale Project, can make more money again.',), ('I have registered, but my funds have not yet arrived in my trading account. 😔 I feel like I have missed a big opportunity.',), ('If you have the opportunity, seize it. I believe that this kind of whale plan is not common. After all, it touches the interests of capitalists.',), ('Good afternoon, analyst',), ('Today was the bsmesg. :)',), ('*🌹🌹🌹Congratulations to all members who participated in today’s daily trading and successfully achieved ideal returns. Don’t forget, our upcoming whale program this week is the focus of Mr. Andy’s leadership in the crypto market. The whale program is expected to generate returns of over 200%. Mr. Andy will lead everyone to explore the mysteries of the encryption market and help everyone achieve financial freedom. Now. Instantly. Take action. Do not hesitate. ✊🏻✊🏻✊🏻*\\n*Private message me💬☕️I will help you*',), ('*[Citi Financial Information]*\\n1. Kraken: has received creditor funds from Mt. Gox trustee; \\n2. blackRock IBIT market capitalization back above $20 billion; \\n3. Matrixport: bitcoin ETF buying gradually shifting from institutions to retail investors; \\n4. the founder of Gemini donates another $500,000 to the Trump campaign; \\n5. the Tether treasury has minted a cumulative 31 billion USDT over the past year; \\n6. Mt. Gox trustee: BTC and BCH have been repaid to some creditors via designated exchanges today; \\n7. Cyvers: LI.FI suspected of suspicious transactions, over $8 million in funds affected',), ('You can participate in trading once the funds arrive in your trading account.',), ('Thank you very much Lisena for helping me pass the speaking permission. I have been observing in the group for a long time. With your help, I have registered a trading account. When can I start participating in the transaction?',), (\"Luckily, I caught today's deal. I just got home with my grandson🤣\",), ('You are very timely. Lol 👍🏻',), ('There are restrictions on buying USDT directly in the wallet. I always wire the money first and then buy the currency, so that I can transfer it directly.',), ('Beautiful lady, is Manhattan so hot right now?',), ('Wow, yours arrived so quickly and mine hasn’t yet. I also want to join the transaction quickly and don’t want to miss such a good opportunity to make money.',), ('I was restricted before, but later Lisena asked me to wire money.',), ('I deposited money to my crypto.com yesterday and bought USDT, why won’t it let me send it to my trading account?',), (\"Hello Jason, yes, as long as the funds reach your trading account, you can participate in today's Whale Plan.\",), ('*Congratulations to all members who participated in the Whale Plan and made a profit today. If you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*',), ('Analyst trading signals remain accurate',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"You can come to the Bay Area for vacation, it's very cool here\",), (\"Yeah, today's weather is like a sauna\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 40%\\nPurchase Price Range: 64850 -65100',), (\"*Dear friends🌺🌺🌺Hi, I am Lisena Gocaj, today is Tuesday, and it is the second transaction of [Whale Project]🐳🐳🐳. This transaction will be released at 8:30 pm EST, please be prepared and don't miss any transaction.*\",), ('Haha, you can also come to Seattle for vacation. I can take you around.',), ('This is my first time participating in a transaction today. Fortunately, the funds have arrived in my account today, otherwise I would have missed the trading signal.',), ('You are right. Only by seizing the opportunity to make money can you earn the wealth you want and enjoy life better.',), ('The sooner you join, the sooner you can achieve financial freedom, haha',), ('A good start to the day',), (\"*[Citi Financial Information]*\\n1. Argentina sets rules for the regularization of undeclared assets, including cryptocurrencies; \\n2. options with a notional value of about $1.756 billion in BTC and ETH will expire for delivery on Friday; \\n3. kraken is in talks to raise $100 million before the end of the year for an IPO; \\n4. aethir suspended its token swap with io.net and launched a $50 million community rewards program; \\n5. revolut is in talks with Tiger Global for a stock sale worth $500 million; \\n6. Binance responds to Bloomberg's apology statement: it will continue to focus on providing the best service and innovation to its users; \\n7. Hong Kong Treasury Board and Hong Kong Monetary Authority: will work with other regulators to jointly build a consistent regulatory framework for virtual assets.\",), ('heeheheheh',), ('*In the world we live in, there is a group of people who stand out because of their pursuit of excellence. They pursue their goals with firm will and unremitting efforts. Every choice they make shows their desire for extraordinary achievements. In their dictionary, the word \"stagnation\" never exists, and challenges are just stepping stones to their success*',), ('*To achieve real breakthroughs and success, we must exchange them with full commitment, tenacious determination and continuous struggle. Just as we are making progress every day, this is an eternal lesson: there is no shortcut to success, and only through unremitting practice and action can we truly break through ourselves. Let us be proactive, give full play to our potential, and use our wisdom and efforts to make dreams bloom brilliantly in reality.*',), ('Yes, he is a staunch supporter of cryptocurrency',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:64300-64600',), (\"*Hello dear friends🌺🌺🌺, I am Monica, today is Wednesday, and it is the third deal of [Whale Project]🐳🐳🐳. This deal will be announced at 8:40 pm EST, please be prepared and don't miss any deal.*\",), (\"🌐🎯 *The chart shows CME's share in global notional open interest in the standard futures market tied to bitcoin and ether*\\n\\n🌐🎯 *The global derivatives giant accounts for 83% of total BTC futures open interest and 65% of ETH open interest*\\n\\n🌐🎯 *The numbers represent growing institutional participation in the crypto market*\",), ('*If you have completed the transaction, please send a screenshot of your profit to the group so that I can compile the statistics and send them to our analyst team as a reference for the next trading signal and market information.*',), ('*The chances of President Joe Biden dropping out of November\\'s election hit 68% on crypto-based prediction market platform Polymarket. Biden announced he had been diagnosed with Covid-19 on Wednesday, having previously said he would re-evaluate whether to run \"if [he] had some medical condition.\" The president has thus far given a poor showing during the campaign, most notably during a debate with Donald Trump, who is considered the significantly more pro-crypto candidate. Trump\\'s perceived chances of victory have become a metric for the cryptocurrency market. Bitcoin\\'s rally to over $65,000 this week followed the assassination attempt on Trump, which was seen as a boost to his prospects of retaking the White House*',), (\"*Dear friends 🌺🌺🌺 Hello everyone, my name is Lisena Gocaj, today is Thursday, and it is the fourth deal of [Whale Project] 🐳🐳🐳. This deal will be announced at 8:30 pm EST, please be prepared and don't miss any deal.*\",), ('Hate airports',), (\"I saw Lisena's message in the community. Cryptocurrency offers a great opportunity right now. The presidential campaign is largely focused on whether to support cryptocurrencies. If Mr. Trump supports cryptocurrencies and is elected, it will be a huge boon to the cryptocurrency market.\",), (\"I'm not too bullish on Biden. I prefer Trump because I trade cryptocurrencies😂\",), ('*Since the market test risk is greater than 5%, trading has been suspended. Please wait patiently for notification.*',), (\"*Citi News:*\\n1. Democrat bigwigs advise Biden to drop out of race\\n2.U.S. SEC indicts former Digital World CEO Patrick Orlando\\n3.U.S. SEC approves grayed-out spot ethereum mini-ETF 19b-4 filing\\n4.US Judge Agrees to Reduce Ether Developer Virgil Griffith's Sentence by 7 Months to 56 Months\\n5. Cryptocurrency Custodian Copper Receives Hong Kong TCSP License\\n6.Mark Cuban: Inflation Remains the Essential Reason for BTC's Rise, BTC to Become a Global Capital Haven\",), (\"*Good morning, dear members and friends, congratulations to everyone for making good profits in this week's Whale Plan 🐳. Today is the fourth trading day of the Whale Plan 🐳. If you don't have a BTC contract trading account or don't understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not appropriate, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\",), (\"*Bitcoin {{BTC}} struggled to stay above $65,000 after falling below $64,000 during Wednesday's U.S. trading session. After briefly recapturing $65,000, bitcoin drifted toward the $64,500 mark, down about 1 percent from 24 hours earlier. the CoinDesk 20 Index was down about 2.4 percent. Stocks sold off after Wednesday's rally came to a halt, with the tech-heavy Nasdaq down 2.7% and the S&P 500 down 1.3%. Market strategists said the cryptocurrency rally could stall if the stock market sell-off turns into a correction, but in the longer term it could provide a haven for investors fleeing the stock market*\",), (\"*🎉🎉🎊🎊Congratulations to all the partners who participated in the Whale Plan🐳 today and gained benefits. I believe that everyone has made good profits in this week's Whale Plan🐳. Today is the third trading day of the Whale Plan🐳. If you don't have a BTC contract trading account or don't understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\\n\\n*🥰🥰🥰Wish you all a good night🌹🌹🌹*\",), (\"*Citi News:*\\n1. table and photo with Trump during Bitcoin conference price of $844,600\\n2.Polymarket: probability of Biden dropping out rises to 80%, a record high\\n3.South Korea's first cryptocurrency law comes into full effect\\n4. rumor has it that Trump will announce the U.S. strategic reserve policy for bitcoin next week\\n5. Putin warns that uncontrolled cryptocurrency mining growth could trigger a Russian energy crisis and emphasizes the utility of the digital ruble\",), (\"*Notify:*\\n\\n*Because the risk of the market analysis department's simulated test trading based on today's market conditions is greater than 5%, today's trading signals are suspended. You don't have to wait. I'm very sorry!*\",), ('Yes, because there were no trading signals yesterday and the market was unstable yesterday, Lisena said that the risk assessment analyzed by the analyst team exceeded 5%.',), ('🎉🎉🎊🎊 *Dear members, if you don’t have a BTC contract trading account or don’t understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*☎️☎️\\n\\n🥰🥰🥰*Good night everyone*🌹🌹🌹',), (\"You are lucky to catch today's trading signal.\",), ('Finally, I can participate in the transaction.',), ('I am ready.',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:66200-67000',), ('Haha, I can go out traveling this weekend.',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*Dear friends🌺🌺🌺Hello everyone, I am Lisena Gocaj, today is Friday, it is the last transaction of [Whale Project]🐳🐳🐳. Trading signals will be released at 8:00 PM ET, so be ready to take advantage and don't miss out on any trading gains.*\",), ('okay',), (\"*🎉🎉🎊🎊Congratulations to all the friends who participated in the Whale Plan 🐳 today and reaped the benefits. I believe that everyone has reaped good benefits in this week's Whale Plan 🐳. If you don't have a BTC contract trading account or don't understand our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not appropriate, you can withdraw the money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\",), (\"*Good evening everyone🌹🌹🌹*\\n*This week's whale plan has come to a successful conclusion. Congratulations to all members who participated in this whale plan. I believe everyone has made good profits in this whale plan.*\\n*In addition, if you do not have a BTC smart contract trading account, or do not understand our BTC smart contract transactions, you can send me a private message and I will teach you step by step and explain it to everyone in detail. The first step in cooperation is communication. If you feel it is inappropriate, you can withdraw money at any time without any loss. If you also want to increase your income, please click on my avatar to contact me☎️☎️*\\n*I wish everyone a happy weekend. Friends who need to withdraw funds can contact me.*\\n*Good night!*\\n*Lisena Gocaj*\",), ('*[Citi Financial Information]*\\n1. [ETF Store President: Approval of spot Ethereum ETF marks a new shift in cryptocurrency regulation]\\n2. [JPMorgan Chase: Cryptocurrency rebound is unlikely to continue, Trump\\'s presidency will benefit Bitcoin and gold\\n3. [Trump responded to Musk\\'s $45 million monthly donation to him: \"I like Musk, he\\'s great\"]\\n4. [US Senator emphasizes that Bitcoin as a currency is not affected by large-scale cyber attacks]\\n5. [Indian crypto trading platform WazirX announces the launch of a bounty program]',), ('I was looking at cars with my family.',), ('What do you guys do on the weekends?',), ('Haha, I am also accompanying my wife to look at cars😁',), (\"You all made a lot of money on last week's Whale Scheme, unfortunately I only caught the last trade,\",), ('Did you watch the news? Biden is dropping out of the presidential race.',), ('So you all understand…. Biden is dropping out of the race, but he still has until January 2025 to finish this term.',), ('Everyone can relax on the weekend. There are no trading signals in the group on the weekend. Teacher Andy said that in order not to disturb everyone to have a happy weekend, there will be no sharing of knowledge points on the weekend.🥰',), ('My family and I are still looking and have not yet decided. We have looked at many cars.',), (\"That's right, we can make more money.😎\",), ('*[Citi Financial Information]*\\n*1. South Korea\\'s FSC Chairman Candidate: Unwilling to Approve South Korea\\'s Spot Bitcoin ETF*\\n*2. JPMorgan Chase: The short-term rebound in the cryptocurrency market may only be temporary*\\n*3. A coalition of seven U.S. states filed a friend-of-the-court brief and opposed the SEC\\'s attempt to regulate cryptocurrencies*\\n*4. Crypto Policy Group: President Biden\\'s decision to step down is a new opportunity for the Democratic Party\\'s top leaders to embrace cryptocurrency and blockchain technology*\\n*5. Harris expressed hope to win the Democratic presidential nomination*\\n*6. The Speaker of the U.S. House of Representatives called on Biden to resign \"immediately\"*\\n*7. Musk changed the profile picture of the X platform to \"laser eyes\"*\\n*8. The Monetary Authority of Singapore promised to invest more than $74 million in quantum computing and artificial intelligence*\\n*9. Variant Fund Chief Legal Officer: The new Democratic presidential candidate should regard cryptocurrency as a top priority*',), ('I think his last-minute move could boost Bitcoin and crypto assets in the coming months, while others think investors should curb their excitement now',), ('I got a new message. Biden officially announced his withdrawal from this election. Will the bulls get on track?',), ('BTC is rising towards $70,000 today, and it looks like the crypto market will have a new breakthrough in the new week',), (\"Don't rush the analysts, Lisena will send us trading signals when they appear.\",), (\"I've been ready for this and am really looking forward to today's deal.\",), ('https://m.coinol.club/#/register?verify_code=kxWtZs',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('*If you want to register a \"Citi World\" trading account, you can click this link to register your trading account. After the registration is completed, you can take a screenshot and send it to me to get a gift of $1,000.*',), (\"I'll tell you a very simple truth. When you are still waiting and watching, some people have already gone a long way. You can learn while doing. I have also been following the messages in the group for a long time. But when I took the first brave step, I found that it was not that difficult. Thanks to Assistant Lisena for her patience and help.\",), ('Yes, can those of us who have already participated in the transaction still participate? I also want to increase my own funds.',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('Lisena Can I still attend this event?',), ('*🌹🌹🌹Dear friends, hello🌹🌹🌹, in order to promote \"Citi World\", now we have launched 2 activities:🔔🔔🔔*\\n\\n*🌹① Register a Citi World account and get 💰$1,000*\\n*🌹② Register a Citi World account and deposit money to start trading,*\\n*When the deposit amount reaches 💰$10k or more, you will get 💰20%;*\\n*When the deposit amount reaches 💰$30k or more, you will get 💰30%;*\\n*When the deposit amount reaches 💰$50k or more, you will get 💰50%;*\\n*When the deposit amount reaches 💰$100k or more, you will get 💰80%.*\\n\\n*The number of places and time for the event are limited⌛️⌛️⌛️, if you need to know more, please click on my avatar to contact me.*',), (\"Relax. The benefits will satisfy you. From an old man's experience🤝🏻\",), ('*If you want to register a \"Citi World\" trading account, you can click on my avatar to contact me. I will guide you to register. After the registration is completed, you will receive a gift of US$1,000.*',), (\"📢📢📢*Note: I know everyone can't wait to start trading today. Now I have received a message from the analyst team, and today's trading signal has been sent to the risk control department for testing. Please prepare your trading account, I will let everyone be ready 1 hour before the trading signal appears.*\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 67200 -67900',), ('You are right, the mechanics of the stock market gave me a lot of headaches and I lost a lot of money',), ('Can buy or sell at any time, and when analysts find trading signals, we can be the first to buy or sell',), ('Ether ETF Approved for Listing How will it affect the price of Ether?',), (\"*Good afternoon, fellow club members. How to trade BTC smart contracts? I will explain this in detail. This will help us become more familiar with daily transactions, better understand the contract market, and become familiar with the operation methods. So stay tuned for club information and we'll start to explain.*\",), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('US regulators have finally approved an ETF that holds Ethereum, allowing us to invest in the second-largest cryptocurrency through this easy-to-trade vehicle',), (\"*'Don't be afraid of the dark clouds that cover your vision, because you are already standing at the highest point'. Every challenge is the only way to success; every persistence is the cornerstone of glory. Let us climb the investment peak with fearless courage, surpass ourselves, and achieve extraordinary achievements.*✊🏻✊🏻\",), ('*First of all, the contract transaction is T+0 transaction, you can buy at any time, sell in the next second, you can place an order at any time, close the position at any time, stop the loss at any time, and minimize the risk. It is a paradise for short-term traders. . Controlling risk is the first step in getting a steady income, so the rules of buying and selling at any time are especially important. Stocks are bought and sold every other day, which is a very important reason why many people lose money in stock investing. Because many international events will occur after the stock market closes, which will have an impact on the market. Therefore, contracts are less risky than stocks.*',), ('The decision concludes a multi-year process for the SEC to approve Ether ETFs, after regulators approved a Bitcoin ETF in Jan. Ether ETFs could make Ether more popular with traditional investors, as these funds can be bought and sold through traditional brokerage accounts. Bitcoin ETFs have attracted tens of billions of dollars in investment since their debut in January',), ('*[Citi Financial Information]*\\n1. [The U.S. Democratic Party will determine its presidential candidate before August 7]\\n2. [Details of the Trump shooting are revealed again: The Secret Service knew about the gunman 57 minutes before the assassination]\\n3. [A South Korean court has issued an arrest warrant for Kakao founder Kim]\\n4. [CNBC discusses the possibility of the U.S. government using Bitcoin as a reserve currency]\\n5. [Founder of BlockTower: The possibility that the United States will use Bitcoin as a strategic reserve asset in the next four years is very low]\\n6. [Musk: The U.S. dollar is becoming like the Zimbabwean dollar]\\n7. [The U.S. House of Representatives passed the cryptocurrency illegal financing bill, but it may be rejected by the Senate]\\n8. [President of ETFStore: Traditional asset management can no longer ignore cryptocurrency as an asset class]\\n9. [Forcount cryptocurrency scam promoter pleads guilty to wire fraud]\\n10. [U.S. Vice President Harris: Has received enough support to become the Democratic presidential candidate]',), ('*🌹🌹🌹Dear friends, hello🌹🌹🌹, in order to promote \"Citi World\", now we have launched 2 activities:🔔🔔🔔*\\n\\n*🌹① Register a Citi World account and get 💰$1,000*\\n*🌹② Register a Citi World account and deposit money to start trading,*\\n*When the deposit amount reaches 💰$10k or more, you will get 💰20%;*\\n*When the deposit amount reaches 💰$30k or more, you will get 💰30%;*\\n*When the deposit amount reaches 💰$50k or more, you will get 💰50%;*\\n*When the deposit amount reaches 💰$100k or more, you will get 💰80%.*\\n\\n*The number of places and time for the event are limited⌛️⌛️⌛️, if you need to know more, please click on my avatar to contact me.*',), ('OK, Lisena',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('The more you deposit, the more profit you earn',), (\"Where are you at, my dude. You've been super quiet.\",), ('Hello??',), (\"Let's drink together and celebrate today's victory\",), ('*[Citi Financial Information]*\\n1. [U.S. Secretary of Homeland Security Mayorkas appoints Ronald Lowe as Acting Secret Service Director]\\n2. [Coinbase CEO: Bitcoin is a check and balance on deficit spending and can prolong Western civilization]\\n3. [U.S. House of Representatives Majority Whip Emmer: Digital assets and artificial intelligence may establish a \"symbiotic relationship\" in the future]\\n4. [Musk: FSD is expected to be approved in China before the end of the year]\\n5. [Galaxy: At least seven current U.S. senators will participate in the Bitcoin Conference this week]\\n6. [Democratic leader of the U.S. House of Representatives: Strongly supports Harris’ candidacy for president]\\n7. [Bitcoin Magazine CEO: Promoting Harris to speak at the Bitcoin 2024 Conference]\\n8. [Author of \"Rich Dad Poor Dad\": If Trump wins the election, Bitcoin will reach $105,000]\\n9. [US Congressman: Taxing Bitcoin miners will be detrimental to the United States]\\n10. [Musk: Never said he would donate $45 million a month to Trump]',), ('When you have as much money as I do, you will also earn as much.',), ('*Wednesday is a new starting point of hope, and a day to fly towards our dreams again. Let us use wisdom and diligence to write a legendary story of successful investment. Let these words of encouragement become a beacon to illuminate our way forward and guide us to the other side of wealth and achievement. Finally, members, in your busy and hard work, please take a little time to find happiness and relaxation. Let smile be your best embellishment, and let happiness become your daily habit. No matter what difficulties and challenges you encounter, you must face them with a smile, because a good mood is the secret weapon to overcome everything. Good morning, may your day be filled with sunshine and happiness!*',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*Remember that Wednesday is not just the middle of the week, but a powerful accelerator for achieving your dreams. Don’t let fear stop you, because it is in these difficult moments that our resilience is forged, allowing us to shine even more in adversity.*\\n*Today, let us move forward into the unknown with unwavering determination. No matter how strong the wind and rain, we will continue to move forward with passion and firm belief. Whether the road ahead is full of obstacles or smooth and flat, stay calm and optimistic, because the most beautiful scenery is often just behind the steepest slope.*',), (\"It's so hot, and you guys are still going out to play. I just woke up from drinking too much last night.😂\",), ('Thank you, Lisean!',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 65000-66000',), ('*Let inspiring words be our battle cry: \"Success is not the end, failure is not fatal: what matters is the courage to move forward.\" Every challenge we face is a stepping stone to glory; every persistence we make is the foundation of success. Let us climb the investment peak with fearless determination, surpass our own limits, and achieve extraordinary achievements.*',), ('*🌹🌹In order to promote \"Citi World\", we launched 2 activities: 🔔🔔🔔*\\n\\n*🌹① Register a Citi World account and get 💰$1,000*\\n*🌹② Register a Citi World account and deposit to start trading,*\\n*Deposit amount reaches 💰$10k or more, get 💰20%;*\\n*Deposit amount reaches 💰$30k or more, get 💰30%;*\\n*Deposit amount reaches 💰$50k or more, get 💰50%;*\\n*Deposit amount reaches 💰$100k or more, get 💰80%.*\\n\\n*The number of places and event time are limited⌛️⌛️⌛️For more information, please click on my avatar to contact me.*',), ('What did you do????? 😭',), ('My bank loan has not been approved yet. I will increase the funds after it is approved. I used the funds given when I registered to try these two transactions.',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), ('I also took out a loan from a bank, but I have already paid it off.',), ('Good night, Lisena!',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*[Citi Financial Information]*\\n1. [Former New York Fed President: The Fed should cut interest rates immediately]\\n2. [U.S. Senate candidate John Deaton has invested about 80% of his net worth in Bitcoin-related investments]\\n3. [Sygnum, Switzerland, saw a surge in cryptocurrency spot and derivatives trading in the first half of the year, and plans to expand its business to the European Union and Hong Kong]\\n4. [Founder of SkyBridge: Harris is open to cryptocurrencies and will take a more moderate approach to cryptocurrencies]\\n5. [Founder of SkyBridge Capital: Harris is open to cryptocurrencies and will take a more moderate approach to cryptocurrencies]\\n6. [A man in Columbia County, USA, was sentenced to prison for selling crypto mining computers that were not delivered and lost contact]\\n7. [Founder of a16z: The Biden administration's regulatory approach to cryptocurrencies is stifling innovation and growth in the industry]\\n8. \\u200b\\u200b[Crypto analyst Jamie Coutts CMT: The situation for Bitcoin miners is improving]\\n9. [Vitalik: The actual application of technology is what ultimately determines the success of cryptocurrencies]\",), ('OK',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*Due to the limited number of members who can speak in the community, many members have told me that they cannot speak and discuss in the community. In response to this, we at Citi held a meeting and decided to set up a group where people can speak freely. If you are interested in cryptocurrency and want to learn more about cryptocurrency and investment advice from Mr. Andy, you can click the link below 👇🏻👇🏻👇🏻*\\n\\nhttps://chat.whatsapp.com/Lq60RAA82B86ibC85YS23o',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin:30%\\nPurchase Price Range: 65500-66500',), (\"*There are still many members who have not joined the new group. Those who have joined the new group, please send today's trading profit pictures to the new group. Those who have not joined the new group, please join as soon as possible, because in the new group everyone can speak freely and communicate and learn from each other.*\",), ('*Due to the limited number of members who can speak in the community, many members have told me that they cannot speak and discuss in the community. In response to this, we at Citi held a meeting and decided to set up a group where people can speak freely. If you are interested in cryptocurrency and want to learn more about cryptocurrency and investment advice from Mr. Andy, you can click the link below 👇🏻👇🏻👇🏻*\\n\\nhttps://chat.whatsapp.com/Lq60RAA82B86ibC85YS23o',), ('12027132090@s.whatsapp.net',), ('*[Citi Financial Information]*\\n1. [Jersey City, New Jersey, USA Pension Fund Will Invest in Bitcoin ETF]\\n2. [Yellen praised Biden’s “excellent” economic performance and said the United States is on a soft landing]\\n3. [Founder of Satoshi Action Fund: Key U.S. Senate supporter withdraws support for bill banning Bitcoin self-custody]\\n4. [Coinbase UK subsidiary fined $4.5 million for inadequate anti-money laundering controls]\\n5. [JPMorgan Chase launches generative artificial intelligence for analyst work]\\n6. [India plans to publish a cryptocurrency discussion paper by September]\\n7. [Trump campaign team: Will not commit to arranging any debate with Harris until she becomes the official nominee]\\n8. [U.S. Senators Withdraw Support for Elizabeth Warren’s Cryptocurrency Anti-Money Laundering Bill]',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 67500-68500',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:00pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I still find it hard to believe 😱',), ('*Good evening everyone🌹🌹🌹*\\n*🎉🎉🎊🎊Congratulations to everyone who participated in the plan this week. We have achieved a profit of 140%-160% this week. If you don’t have a BTC contract trading account, or don’t understand our contract trading, you can send me a private message and I will guide you on how to join. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you want to have an income after work, please click on my avatar to contact me*',), ('*Due to the limited number of members who can speak in the community, many members have told me that they cannot speak and discuss in the community. In response to this, we at Citi held a meeting and decided to set up a group where people can speak freely. If you are interested in cryptocurrency and want to learn more about cryptocurrency and investment advice from Mr. Andy, you can click the link below 👇🏻👇🏻👇🏻*\\n\\nhttps://chat.whatsapp.com/Lq60RAA82B86ibC85YS23o',), ('*[Citi Financial Information]*\\n1. [Forbes: The United States may introduce more federal policies to support cryptocurrency]\\n2. [U.S. Vice President Harris campaign team seeks to restart contact with Bitcoin and encryption teams]\\n3. [Trump: Never sell your Bitcoin, if elected he will prevent the US government from selling Bitcoin]\\n4. [Bitcoin Magazine CEO will donate Bitcoin to Trump, making him an official holder]\\n5. [Executive Chairman of Microstrategy: The U.S. government should own most of the world’s Bitcoins]\\n6. [US presidential candidate Kennedy: Trump may announce the US government’s plan to purchase Bitcoin tomorrow]\\n7. [US Congressman Bill Hagerty: Working hard to promote legislation to support Bitcoin]\\n8. [Mayor of Jersey City, USA: Bitcoin is an inflation hedging tool, and I personally also hold ETH]',), ('Wow, are you playing tennis?',), ('Have a nice weekend, friends.',), ('Yes, the weekend needs exercise, it will be a good weekend',), ('Weekends are the days when I don’t want to go out. There are simply too many people outside. I need to find a place with fewer people😁',), ('*[Citi Financial Information]*\\n1. [The University of Wyoming establishes the Bitcoin Research Institute to export peer-reviewed academic research results on Bitcoin]\\n2. [VanEck Consultant: The logic of the Federal Reserve buying Bitcoin instead of Treasury bonds is based on the fixed total amount of Bitcoin]\\n3. [U.S. SEC accuses Citron Research founder of allegedly profiting US$16 million through securities fraud]\\n4. [Encryption Lawyer: Harris should ask the SEC Chairman to resign to show his attitude towards promoting the encryption economy during his administration]\\n5. [Democratic House of Representatives: Cryptocurrency regulation should not become a “partisan political game”]\\n6. [Galaxy CEO: The hypocrisy of American politicians has no end, I hope both parties will stand on the side of the encryption community]\\n7. [British hacker sentenced to 3.5 years in prison for Coinbase phishing scam, involving theft of approximately $900,000]\\n8. [Slovenia becomes the first EU country to issue sovereign digital bonds]\\n9. [South Korea’s Paju City collects 100 million won in local tax arrears by seizing virtual assets]\\n10. [Venezuela’s electoral body announced that Maduro was re-elected as president, although the opposition also claimed victory]',), ('Good morning, friends, a new week and a new start.',), ('*Good morning, friends in the group. I believe you all had a great weekend.*\\n*A wonderful week has begun again. Lisena wishes you all good work and profitable trading.*',), ('Lisena, are there any trading signals today?',), ('It really sucks to have no trading over the weekend.',), ('I have observed that the BTC market has been very volatile in the past few days. Will this affect our trading?',), ('*Hello friends in the group, if you don’t have a BTC contract trading account or are not clear about our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. As long as you have enough funds to join the transaction, we will multiply your funds several times in a short period of time. If you have any doubts or want to withdraw, you can withdraw your funds at any time without any loss. Every successful person has taken the first step boldly and is getting more and more stable on the road to success. Please don’t hesitate, please click on my avatar to contact me and let our Citigroup team take you to find the life you want to live.*',), (\"There have been no trading signals for two days and I can't wait any longer.\",), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), (\"I don't think it will affect us. We followed Mr. Andy's technical analysis team and made so many transactions based on the trading signals given, and we didn't suffer any losses. I remember that there was one time when the market was very unstable and no trading signals were given that day. So I believe that Mr. Andy's team is responsible for us\",), ('okay',), ('I am ready',), ('Alright, I got it',), ('I agree with what you said, but I think the only bad thing is that every time I increase funds, they cannot be credited to my account in time',), ('ok',), ('yes really great',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 20%\\nPurchase Price Range: 65800-66800',), ('Wish I could make that much money every day this profit is driving me crazy',), ('wow very big profit',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('This opportunity does not come along every day',), (\"Dude. Call me. Need to make sure you're ok. I'm worried.\",), ('I know, so just hope LOL',), ('Cherish every trading opportunity',), ('*Congratulations to all friends who made a profit today. If you don’t have a BTC contract trading account or are not familiar with our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. As long as you have enough funds to join the transaction, we will multiply your funds several times in a short period of time. If you have doubts or want to withdraw, you can withdraw at any time without any loss. Every successful person bravely took the first step and became more and more stable on the road to success. Please do not hesitate, please click on my avatar to contact me, and let our Citi team take you to find the life you want*',), (\"Of course I'm looking forward to it! Big deals bring big profits! I'm not a fool\",), (\"That's right, the more profit you make from big trades, the more you invest, the more you earn! Why not add a little more?\",), ('*[Citi Financial Information]*\\n1. Governor of the Russian Central Bank: The Russian Central Bank is expected to test crypto payments for the first time this year\\n2. Blockworks founder: Hope to invite Democratic presidential nominee Harris to attend the upcoming encryption conference\\n3. Gold advocate Peter Schiff: Biden administration will sell all Bitcoin before Trump takes office\\n4. Harris is considering Michigan Sen. Peters as her running mate\\n5.Real Vision Analyst: Bitcoin may have appeared on the balance sheets of multiple countries\\n6. U.S. Senator Cynthia Lummis: Bitcoin strategic reserves can prevent the “barbaric growth” of the U.S. national debt\\n7. CryptoQuant Research Director: After Bitcoin halving, smaller miners are selling Bitcoin, while larger miners are accumulating Bitcoin\\n8. Trump Friend: Trump has been interested in cryptocurrencies for the past two years',), ('It looks delicious! You should expect more than profit on big trades, as I do!',), ('*If you want to participate in the transaction, you can contact me. If you don’t have a BTC contract trading account and are not familiar with our contract trading, you can also send me a private message and I will teach you step by step.*',), ('I believe that with the help of Mr. Andy and Lisena, you will make enough money and quit your part-time job.',), ('Haha, I believe everyone doesn’t want to miss the trading signals.',), ('For me, this amount of money is the most I can afford! I even applied for a $20,000 bank loan! But I believe I can make money following Mr. Andy and Lisena! Maybe after the big deal is over, I will find a way to make more money! Maybe after the big deal is over, I can quit my part-time jobs, so that I can have more time to participate in trading and make more money than my part-time jobs.',), (\"I didn't make much profit, I think it's because I just started and I didn't invest enough money! But I will stick with it like you said.\",), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:65600-66600',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), ('Seriously starting to worry now.',), (\"*Notice:*\\n*Hello dear friends, according to the calculation data of Friday's non-agricultural data, the analyst team has formulated a trading plan, and the profit of a single transaction will reach more than 30%. Please contact me for more information.*\\n*Lisena Gocaj*\",), ('If I have any questions I will always contact you. Thank you, Lisena',), ('*If you have any questions, please feel free to contact me. You can call me anytime, whether it is a \"big deal\" or about registering a trading account or increasing the funds in your trading account.*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I closed a deal and made some money so I went out for drinks with my friends. Anyone want to celebrate with me?',), ('😎Persistence is the loneliest, but you have to persevere. In the end, it is the people who persevere who will be seen to succeed.',), ('Yes, all encounters are the guidance of fate.',), (\"*You're welcome. It's a fate that we can meet in this group.*\",), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:40pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('*[Citi Financial Information]*\\n1. 【The United States plans to establish a strategic Bitcoin reserve by revaluing the gold part to raise funds】\\n2. 【Bernstein: Harris’ cryptocurrency shift will have difficulty influencing voters】\\n3. 【WSJ: Using Bitcoin as a strategic reserve asset contradicts the statement of “getting rid of the shackles of the government”】\\n4. 【The Bank of Italy develops a new permissioned consensus protocol for the central bank’s DLT system】\\n5. 【US Congressman Bill Hagerty: Make sure Bitcoin happens in the United States】\\n6. 【Judge approves former FTX executive Ryan Salame’s request to postpone jail time】\\n 7.【Bahamas launches Digital Asset DARE 2024 Act】\\n8. 【Goldman Sachs CEO: The Federal Reserve may cut interest rates once or twice this year】\\n 9. 【Japan Crypto-Asset Business Association and JVCEA jointly submit a request to the government for 2025 tax reform on crypto-assets】\\n 10. 【UK Law Commission proposes to establish new property class for crypto assets】',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range:64300-64500',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*Hello, dear friends. Today's trading signal analyst has issued it at 8:30pm (EST). Please prepare your trading account to participate in the transaction. Friends who don't have a trading account can click on my avatar to contact me. I will guide you to complete the registration of a trading account and start trading.*\",), ('Haha, yes, he should be eager to join',), (\"I am celebrating today's victory with my family 🥂\",), ('I am also going to share this amazing good news with my friend, I believe he will be very surprised 😁',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), (\"Of course, who doesn't want to make money\",), ('*[Citi Financial Information]*\\n1. [Many CEXs in South Korea will begin to pay regulatory fees, which are expected to total approximately US$220,000]\\n2. [Harris was revealed to be in contact with top encryption companies recently]\\n3. [Johnber Kim was detained and prosecuted for allegedly manipulating a “fraud coin” with a market value of US$58.6 million]\\n4. [The Bank for International Settlements and the Bank of England launch the project “Pyxtrial” for stablecoin monitoring]\\n5. [Fed: The Federal Reserve will wait until confidence in curbing inflation increases before cutting interest rates. The FOMC focuses on the \"two-way risks\" of its dual mission]\\n6. [Bitwise CIO: Although politicians continue to publicly support Bitcoin, the market’s optimism for Bitcoin is still insufficient]\\n7. [XAI, owned by Musk, is considering acquiring the AI \\u200b\\u200bchatbot startup Character.AI]\\n8. [CryptoQuant CEO: Whales are preparing for the next round of altcoin rebound]\\n9. [Powell: Will continue to focus fully on dual missions]\\n10. [DBS Bank: The Federal Reserve will open the door to interest rate cuts]\\n11. [Biden adviser joins Harris Political Action Committee, it is unclear whether cryptocurrency is involved]',), ('*Dear members and friends, good morning☀️*',), ('Yes, our team is getting stronger and stronger.',), ('There are new friends coming in, welcome',), ('*Will it be different this time?*\\n*While history won’t repeat itself exactly, the rhythmic nature of past cycles — initial Bitcoin dominance, subsequent altcoin outperformance, and macroeconomic influences — set the stage for altcoin rallies. However, this time may be different. On the positive side, BTC and ETH have achieved mainstream adoption through ETFs, and retail and institutional inflows have hit all-time highs.*\\n*A word of caution, a larger and more diverse group of altcoins compete for investor capital, and many new projects have limited circulating supply due to airdrops, leading to future dilution. Only ecosystems with solid technology that can attract builders and users will thrive in this cycle.*',), ('*Macroeconomic Impact*\\n*Like other risk assets, cryptocurrencies are highly correlated to global net liquidity conditions. Global net liquidity has grown by 30-50% over the past two cycles. The recent Q2 sell-off was driven in part by tighter liquidity. However, the trajectory of Fed rate cuts looks favorable as Q2 data confirms slower inflation and growth.*\\n*The market currently prices a greater than 95% chance of a rate cut in September, up from 50% at the beginning of the third quarter. Additionally, crypto policy is becoming central to the US election, with Trump supporting crypto, which could influence the new Democratic candidate. The past two cycles also overlapped with the US election and the BTC halving event, increasing the potential for a rally*',), (\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",), ('*Dear members and friends, today’s trading signal will be released at 5:00pm (EST)! I hope everyone will pay attention to the news in the group at any time so as not to miss the profits of trading signals!*',), ('🌎🌍🌍*【Global News Today】*',), ('I have just joined this team and hope to learn more relevant trading knowledge from everyone in future transactions.🤝🏻🤝🏻🤝🏻',), (\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",), ('*Anatomy of a Crypto Bull Run*\\n*Analyzing previous crypto market cycles helps us understand the current market cycle.*\\n*Despite the short history of cryptocurrencies, with Bitcoin just turning 15 this year, we have already gone through three major cycles: 2011-2013, 2015-2017, and 2019-2021. The short cycles are not surprising, considering that the crypto markets trade 24/7 and have roughly five times the volume of the stock market. The 2011-2013 cycle was primarily centered around BTC, as ETH was launched in 2015. Analyzing the past two cycles reveals some patterns that help us understand the structure of the crypto bull market. History could repeat itself once again as the market heats up ahead of the US election and the outlook for liquidity improves.*',), (\"*Good morning, everyone. Today is a wonderful day. I see that the friends in the group are getting better and better. They are all working towards the same goal. We are a group. The magnetic force of positive energy will always attract each other. Tomorrow's non-agricultural trading plan, most of the friends in the group have signed up to participate. I know you don't want to miss such a good opportunity. I wish everyone will get rich profits*\",), ('thx',), ('Haha, yes, and it only took 10 min',), ('*Yes, please be patient and I will send the trading signal later.*',), ('Haha my friends watched me make money and now they want to join us',), ('*Tomorrow is the big non-agricultural plan. If you want to know more or want to join BTC smart contract trading, you can send me a message. I will explain more details to you and guide you how to get started.*',), ('*Today is a wonderful day. I can see that all the friends in the group are getting better and better and moving towards the same goal. We are a group, and the magnetic force of positive energy will always attract each other. If you don’t have a BTC contract trading account or don’t know our contract trading, you can send me a private message and I will teach you step by step. The first step of cooperation is communication. If you feel it is not suitable, you can withdraw cash at any time without any loss. If you also want to increase your income, please click on my avatar to contact me*\\n\\n*🌙🌙I wish you all a wonderful evening!🌹🌹*',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 64000-65000',), ('My friend, it is OK. Now you just need to wait patiently for the trading signal.',), ('My god, our profits are so high, your friend may be shocked 🤣',), (\"It's the same feeling I had when I watched you guys making money Lol🤣\",), ('*[Citi Financial Information]*\\n1. [Russian Central Bank Governor: CBDC will become part of daily life in 2031]\\n2. [The leader of the U.S. Senate majority party introduced a bill to oppose the Supreme Court’s partial support of Trump’s immunity claim]\\n3. [Coinbase: Continue to file lawsuits against the US SEC if necessary]\\n4. [Crypto PAC-backed Republican Blake Masters lost the Arizona primary]\\n5. [New York Court of Appeals rejects Trump’s request to lift gag order in “hush money” case]\\n6. [VanEck CEO: Bitcoin’s market value will reach half of gold’s total market value]\\n7. [Apple CEO: Will continue to make major investments in artificial intelligence technology]\\n8. [Dubai Commercial Bank in the United Arab Emirates launches dedicated account for virtual asset service provider]\\n9. [Forbes Reporter: The Harris campaign team and encryption industry leaders will attend a meeting in Washington next Monday]\\n10. [The Digital Chamber of Commerce calls on U.S. lawmakers to vote in support of the “Bitcoin Reserve Act”]',), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), ('I agree too!',), ('*This month\\'s non-agricultural plan ends here. I believe that all members are very satisfied with this week\\'s profits. You are all great, just like this famous saying: \"Any road is walked by yourself, not waiting in a dream. It is particularly important to take the first step accurately.\" You have all done it. I hope that everyone and Citi World can go further and further on this win-win road. At the weekend, our Mr. Andy will lead the technical analysis team to survey the market and formulate a trading plan for next week. Thank you all friends for your support and recognition of my work*\\n\\n*Lisena Gocaj: I wish all friends in the group a happy weekend🌹🌹🌹*',), ('*Congratulations to all members for making a profit of 40%-50% in the first \"Big Non-Agricultural\" trading plan today. There is also a second \"Big Non-Agricultural\" trading signal today. I hope everyone will pay attention to the group dynamics at any time to avoid missing the trading signal benefits. If anyone wants to participate in the \"Big Non-Agricultural\" trading and obtain trading signals, please contact me and I will help you complete it.*',), ('Thanks to Teacher Andy and Lisena!',), ('*Dear members and friends, hello everyone, today\\'s first \"Big Non-Agricultural\" trading signal will be released at 4:00 pm (EST)! I hope you can pay attention to the dynamics of the group at any time to avoid missing the benefits of trading signals! If you want trading signals, you can click on my avatar to contact me*',), ('For the current BTFor the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC Buy open long(bullish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 62500-63500',), ('*Hello, everyone. Today, the second \"Non-Agricultural\" trading signal will be released at 8:30 pm (EST)! I hope you will pay attention to the dynamics of the group at any time to avoid missing the benefits brought by the trading signal! If you want trading signals, you can click on my avatar to contact me*',), (\"Ok, if I don't hear back from you I'm seriously gonna call the cops.\",), ('*Profit has reached the expectation, now close the position, please share your proof of income in the group, I need to keep your income record for the profit percentage rate, to facilitate the subsequent team opening meeting to provide market direction to help 🙏🏻*\\n*Those who want to join our trading can contact me by clicking on my avatar.*',), (\"*Congratulations to all friends who participated in the transaction. This month's non-agricultural plan has ended.*\\n *Lisena wishes everyone a wonderful and happy weekend*\",), (\"*You're welcome,members! Even though we only e-met each other, but still it feels like we have known each other for many years, because we got to know each other's personalities through time. We can all be good friends in this group, and we don't need to be too polite all of the time. I believe that friends should be honest with each other.*\",), ('For the current For the current BTC market analysis, reference suggestions are as follows:\\n\\nBTC (perpetual contract) Trading Direction: BTC SELL and open short (bearish) \\nLeverage: 100X\\nRequired Margin: 30%\\nPurchase Price Range: 61000-62000',), ('Very good profit!',), (\"It's been a week.\",), ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',), ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',), ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',), ('GOOD MORNING GOOD AFTERNOON GOODNIGHT !!!',), ('sorry for the radio silence! I’ve had a busy week with work/life stuff and lost track of time. Thanks for checking in—everything’s okay on my end.',), ('Dude, where have you been??? Last I heard you were on a cruise and then you mouthed off to Sharon?',), ('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!',), ('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!!',), ('I had to handle something.',), ('Oh. So tell.',), ('Hi',), ('👋🏻 there!!!\\nYou ok? Long time',), (\"GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!! Hope you're having a good weekend ily xoxoxoxo\",), ('SIMPLY IN LOVE',), ('6288219778388@s.whatsapp.net',), ('62895389716687@s.whatsapp.net;19736818333@s.whatsapp.net,19735109699@s.whatsapp.net,18482194434@s.whatsapp.net,19734522935@s.whatsapp.net,17572180776@s.whatsapp.net,17575756838@s.whatsapp.net,19735190307@s.whatsapp.net,18622331018@s.whatsapp.net,18624449919@s.whatsapp.net,17325894803@s.whatsapp.net,18623652223@s.whatsapp.net,19732595972@s.whatsapp.net,17039670153@s.whatsapp.net,17324708113@s.whatsapp.net,17037271232@s.whatsapp.net,17038627053@s.whatsapp.net,19735672426@s.whatsapp.net,19735806309@s.whatsapp.net,17037316918@s.whatsapp.net,19087271964@s.whatsapp.net,17039653343@s.whatsapp.net,17328191950@s.whatsapp.net,18623299073@s.whatsapp.net,19088873190@s.whatsapp.net,18482281939@s.whatsapp.net,19735808480@s.whatsapp.net,18623346881@s.whatsapp.net,18625712280@s.whatsapp.net,17329009342@s.whatsapp.net,19735833941@s.whatsapp.net,17037283524@s.whatsapp.net,18488440098@s.whatsapp.net,18565009728@s.whatsapp.net,17572794383@s.whatsapp.net,17329979675@s.whatsapp.net,19083927958@s.whatsapp.net,17572889212@s.whatsapp.net,18562630804@s.whatsapp.net,17327667875@s.whatsapp.net,19737227884@s.whatsapp.net,19738167411@s.whatsapp.net,19738706395@s.whatsapp.net,19085405192@s.whatsapp.net,19732101098@s.whatsapp.net,18565539504@s.whatsapp.net,18482473810@s.whatsapp.net,19734441231@s.whatsapp.net,18566412940@s.whatsapp.net,18622374143@s.whatsapp.net,19738618819@s.whatsapp.net,17039755496@s.whatsapp.net,19087236486@s.whatsapp.net,18566369366@s.whatsapp.net,19739914224@s.whatsapp.net,19084193937@s.whatsapp.net,17039092682@s.whatsapp.net,17325279160@s.whatsapp.net,18622410403@s.whatsapp.net,17329663506@s.whatsapp.net,19732621747@s.whatsapp.net,17036499585@s.whatsapp.net,18562130267@s.whatsapp.net,19739682827@s.whatsapp.net,17036499068@s.whatsapp.net,17572879370@s.whatsapp.net,19736894225@s.whatsapp.net,17328579912@s.whatsapp.net,19088125349@s.whatsapp.net,18622686408@s.whatsapp.net,17326145797@s.whatsapp.net,19083579011@s.whatsapp.net,17572371327@s.whatsapp.net,19084336270@s.whatsapp.net,17572011990@s.whatsapp.net,19734191473@s.whatsapp.net,19739643320@s.whatsapp.net,18629442264@s.whatsapp.net',), ('admin_add',), ('Hey! How are you?',), ('{\"is_admin\":false,\"trigger_type\":0}',), ('447774217081@s.whatsapp.net',), ('447774217081@s.whatsapp.net',), ('447774217081@s.whatsapp.net',), ('{\"is_parent_group_general_chat\":false,\"reason\":0,\"context_group\":null,\"is_initially_empty\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"parent_group_jid\":\"120363304649477491@g.us\",\"should_use_identity_header\":false,\"show_membership_string\":true,\"is_open_group\":false,\"subject\":null,\"auto_add_disabled\":false,\"author\":\"447774218634@s.whatsapp.net\"}',), ('{\"context_group\":null,\"is_initially_empty\":false,\"author\":\"447774218634@s.whatsapp.net\",\"is_parent_group_general_chat\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"is_open_group\":false,\"should_use_identity_header\":false,\"auto_add_disabled\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 5\",\"is_hidden_sub_group\":false,\"groupJID\":\"120363021860168333@g.us\"},{\"groupJID\":\"120363023952078149@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 3\",\"is_hidden_sub_group\":false},{\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts 4\",\"groupJID\":\"120363040642031212@g.us\"},{\"is_hidden_sub_group\":false,\"groupJID\":\"6281345495551-1582787805@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 19\"},{\"groupJID\":\"6281958150302-1578736572@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 16\",\"is_hidden_sub_group\":false},{\"subject\":\"📈📈8-12 BTC Contracts - 22\",\"groupJID\":\"6281958150302-1592367394@g.us\",\"is_hidden_sub_group\":false},{\"subject\":\"📈📈8-12 BTC Contracts 18\",\"groupJID\":\"6282250585501-1580972345@g.us\",\"is_hidden_sub_group\":false},{\"groupJID\":\"6285349796569-1603636646@g.us\",\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts - 23\"},{\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts 17\",\"groupJID\":\"6285654289426-1605961176@g.us\"},{\"groupJID\":\"6285845305853-1584204877@g.us\",\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts - 21\"}],\"show_membership_string\":false,\"subject\":null,\"reason\":0,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\"}',), ('{\"show_membership_string\":false,\"subject\":null,\"auto_add_disabled\":true,\"should_use_identity_header\":false,\"is_initially_empty\":false,\"is_open_group\":false,\"reason\":4,\"author\":\"447774218634@s.whatsapp.net\",\"parent_group_jid\":\"120363304649477491@g.us\",\"is_parent_group_general_chat\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"context_group\":null}',), ('{\"is_initially_empty\":false,\"linked_groups\":[{\"groupJID\":\"6285845305853-1584204877@g.us\",\"subject\":\"📈📈8-12 BTC Contracts - 21\",\"is_hidden_sub_group\":false}],\"context_group\":null,\"subject\":null,\"is_parent_group_general_chat\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"author\":\"15038639039@s.whatsapp.net\",\"show_membership_string\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"auto_add_disabled\":false,\"reason\":0,\"is_open_group\":false,\"should_use_identity_header\":false}',), ('{\"parent_group_jid\":\"120363304649477491@g.us\",\"is_initially_empty\":false,\"show_membership_string\":false,\"auto_add_disabled\":false,\"context_group\":null,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts - 22\",\"is_hidden_sub_group\":false,\"groupJID\":\"6281958150302-1592367394@g.us\"}],\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"is_open_group\":false,\"is_parent_group_general_chat\":false,\"subject\":null,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"should_use_identity_header\":false}',), ('{\"auto_add_disabled\":false,\"should_use_identity_header\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"show_membership_string\":false,\"context_group\":null,\"is_open_group\":false,\"is_parent_group_general_chat\":false,\"subject\":null,\"is_initially_empty\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts - 23\",\"is_hidden_sub_group\":false,\"groupJID\":\"6285349796569-1603636646@g.us\"}]}',), ('{\"is_parent_group_general_chat\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"subject\":null,\"context_group\":null,\"reason\":0,\"show_membership_string\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"is_initially_empty\":false,\"should_use_identity_header\":false,\"is_open_group\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 16\",\"is_hidden_sub_group\":false,\"groupJID\":\"6281958150302-1578736572@g.us\"}],\"auto_add_disabled\":false}',), ('{\"auto_add_disabled\":false,\"should_use_identity_header\":false,\"show_membership_string\":false,\"linked_groups\":[{\"groupJID\":\"6285654289426-1605961176@g.us\",\"is_hidden_sub_group\":false,\"subject\":\"📈📈8-12 BTC Contracts 17\"}],\"is_parent_group_general_chat\":false,\"is_initially_empty\":false,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"context_group\":null,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"subject\":null,\"parent_group_jid\":\"120363304649477491@g.us\",\"is_open_group\":false}',), ('{\"parent_group_jid\":\"120363304649477491@g.us\",\"is_initially_empty\":false,\"show_membership_string\":false,\"auto_add_disabled\":false,\"context_group\":null,\"linked_groups\":[{\"groupJID\":\"6282250585501-1580972345@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 18\",\"is_hidden_sub_group\":false}],\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"is_open_group\":false,\"is_parent_group_general_chat\":false,\"subject\":null,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"should_use_identity_header\":false}',), ('{\"author\":\"15038639039@s.whatsapp.net\",\"should_use_identity_header\":false,\"is_parent_group_general_chat\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"linked_groups\":[{\"is_hidden_sub_group\":false,\"groupJID\":\"120363023952078149@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 3\"}],\"auto_add_disabled\":false,\"context_group\":null,\"subject\":null,\"reason\":0,\"is_open_group\":false,\"show_membership_string\":false,\"is_initially_empty\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\"}',), ('{\"context_group\":null,\"reason\":0,\"auto_add_disabled\":false,\"is_parent_group_general_chat\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"subject\":null,\"is_initially_empty\":false,\"show_membership_string\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 19\",\"groupJID\":\"6281345495551-1582787805@g.us\",\"is_hidden_sub_group\":false}],\"should_use_identity_header\":false,\"is_open_group\":false,\"parent_group_jid\":\"120363304649477491@g.us\"}',), ('{\"parent_group_jid\":\"120363304649477491@g.us\",\"show_membership_string\":false,\"is_parent_group_general_chat\":false,\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"is_initially_empty\":false,\"subject\":null,\"should_use_identity_header\":false,\"linked_groups\":[{\"groupJID\":\"120363040642031212@g.us\",\"subject\":\"📈📈8-12 BTC Contracts 4\",\"is_hidden_sub_group\":false}],\"context_group\":null,\"is_open_group\":false,\"auto_add_disabled\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\"}',), ('{\"m0\":true,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"is_tappable\":true}',), ('{\"should_use_identity_header\":false,\"linked_groups\":[{\"subject\":\"📈📈8-12 BTC Contracts 5\",\"is_hidden_sub_group\":false,\"groupJID\":\"120363021860168333@g.us\"}],\"is_open_group\":false,\"parent_group_jid\":\"120363304649477491@g.us\",\"auto_add_disabled\":false,\"context_group\":null,\"is_initially_empty\":false,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"reason\":0,\"show_membership_string\":false,\"subject\":null,\"is_parent_group_general_chat\":false}',), ('Thanks for inviting me to join the BTC trading group',), ('*In this community, you can enjoy the following support:*\\n\\n*1️⃣. How to earn more than 15 times the principal in one month*\\n\\n*2️⃣. Trading signals in the cryptocurrency market*\\n\\n*3️⃣. Cryptocurrency market analysis*\\n\\n*4️⃣. Trading skills in the global mainstream investment market*\\n\\n*In addition, my team and I will share future analysis and views on the cryptocurrency market in the community every day. I believe that joining this community will definitely help your investment*',), ('*SKOI official website: https://skoi.cc/*',), ('Mr. Robechucks was delighted to invite me to the group again',), ('*Investors who successfully register this week will have the opportunity to receive a $200 bonus for depositing $1,000, first come first served*\\n\\n*If you are interested in cryptocurrency, please contact my assistant*\\n\\n*👇🏻Telegram👇🏻*\\nhttps://t.me/Anna_Malina05',), ('I have been investing in cryptocurrencies for 5 years and this is great news for me',), ('When did Mr. Robechucks start directing transactions?🤣',), ('Thank you for your invitation. When will the BTC trading start today?',), (\"During this period, I followed Mr. Robechucks's guidance on transactions, which brought me one step closer to buying a house🤝🏻\",), (\"Follow Mr. Robechucks Raul's investment advice and I believe you can afford a house this year😄\",), ('Yes, I think so too. This is my recent profit. I believe my capital will increase in the next few months',), (\"Great, please start trading, I'm ready\",), ('Okay, Mr. Robechucks',), (\"Please start giving trading suggestions. Today's recharge has been completed, so I am very confident now😃\",), (\"OK, I'll keep an eye out for your information\",), ('*📈📈📈📈Order suggestions*\\n*⚠️⚠️⚠️Investment order amount: 2000USDT!*\\n*✅BTC/USDT【Buy】*\\n*✅Position selection time: 60S*\\n*✅Quantity: 2000 USDT (click to buy)*\\n*✅ (Please complete the operation within 10 seconds)*',), ('OK',), ('*⚠️⚠️⚠️The second instruction will be issued soon, please be ready*',), ('*📈📈📈📈Order suggestions*\\n*⚠️⚠️⚠️Investment order amount: 2000USDT!*\\n*✅BTC/USDT【Buy】*\\n*✅Position selection time: 60S*\\n*✅Quantity: 2000 USDT (click to buy)*\\n*✅ (Please complete the operation within 10 seconds)*',), ('Profit $1760',), (\"I'm very happy that I made money on my first order. Please continue\",), ('This is a good start, please keep going and look forward to winning streak😁',), ('win',), ('It’s the second consecutive victory. Today’s market is very good. I continue to look forward to the third consecutive victory😃',), ('The professionalism of the analyst is beyond doubt',), ('The two have won in a row, ask the analyst to bring us more profitable orders',), ('Hope to always cooperate with analysts for win-win results🤝🤝',), (\"Today's profit plan is great😀\",), ('It is a good decision to follow the guidance of Robechucks Raul analyst',), ('I love the profits from this simple trade, it gives me a great sense of achievement',), ('Thank you sir for your trading guidance',), ('Okay, thanks for the hard work of the analyst, looking forward to trading tomorrow, see you tomorrow, I wish you a happy life🤝',), ('Good morning, everyone.🤣',), ('*📣📣📣Good morning everyone. Recently, many new members in the team don’t know much about our company. Let me introduce our company to you*',), ('Okay, Mr. Robechucks',), ('Currently, I have achieved more than 2 times of wealth growth every month. Although I have not yet achieved 20 times of profit, I think it is possible for me to achieve 20 times of profit in the near future',), ('This is awesome, I’m honored to join by reviewing😁',), ('Very powerful👍🏻',), (\"I know, I've saved it\",), ('*This is the SKOI website: http://skoi.cc/*\\n\\n*This is the AONE COIN exchange website: https://www.aonecoin.top/*',), ('GOOD MORNING GOOD AFTERNOON GOODNIGHT CUBBIES!!!',), ('*Our SKOI Investment Advisory Company currently has more than 400 senior analysts from all over the world, which is a large scale*\\n\\n*SKOI has a top leadership team with decades of investment and trading experience, strong business execution and deep market insight, and the entire company is committed to maintaining the highest compliance and regulatory standards in the digital asset economy*',), ('Please continue sir, I would like to know more🧐',), ('*SKOI is a leading asset management company in Asia headquartered in Singapore. It was founded in 1994 and currently has six offices in Hong Kong, South Africa, South Korea, Australia, the United Kingdom and the United States to maintain service continuity and build strong client relationships*',), ('It is amazing for a company to last for thirty years',), ('The 15% service fee is not high, allowing us to get more profits, and analysts will judge the market for us and reduce investment risks',), (\"*Our company is committed to serving all investors around the world and providing them with a good and safe trading environment. Our company serves tens of millions of investors every year and helps many investors achieve wealth freedom. Each investor who cooperates with us will pay 15% of the total profit as our company's service fee, achieving win-win cooperation with investors*\",), ('*Why does our company share investment advice with all investors? Because we work with investors to achieve win-win results*',), ('I believe that win-win cooperation leads to long-term cooperation',), ('I agree with this👍🏻',), (\"Thank you for your introduction, I am confident about today's profit plan🤝🏻\",), ('Mr. Robechucks, I await your orders🤝🏻',), ('Nearly $100K, is this just a small portion of your money?',), ('I have prepared a small amount of funds',), ('OK sir',), ('📣📣📣*Dear investors in the group, please be prepared, I will release the BTC trading guidance signal direction*',), (\"Got it, I'm ready\",), ('*⚠️Order suggestion*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to buy)*\\n\\n*✅(Please complete the operation within 10 seconds)*',), ('OK',), ('Beautiful instruction, the first instruction is profitable',), ('Please continue with the next instruction. I have plenty of time to follow👍🏻',), ('Profit $1760',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 4000 USDT!*\\n\\n*✅BTC/USDT [Sell]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 4000 USDT (click to sell)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), (\"Mr. Robechucks, today's profit target has been achieved, thank you for bringing me a huge profit\",), ('Perfect two consecutive victories, looking forward to the arrival of three consecutive victories',), ('👍🏻👍🏻Thank you sir, the wallet keeps growing',), (\"It's a pity that there are only two instructions today🧐\",), ('Thank you sir, looking forward to your profit plan tomorrow, good night👏🏻',), ('GOOD MORNING ☀️ GOOD AFTERNOON 🌺 GOODNIGHT CUBBIES 🌙 !!!',), ('Everything is ready and looking forward to today’s guidance',), ('Following Mr. Robechucks’ investment, I believe that not only will my wallet grow, but I will also learn a lot.👏',), ('Enjoy life👍🏻',), ('You are a foodie🤣',), ('Thank you Mr. Robechucks, when will our profit plan start today?',), ('I applied to the assistant to speak. I am very happy to be an administrator. Thank you for the invitation from the analyst',), ('Yes',), ('Welcome new friends to join us and make money together🤝🏻',), ('Nice, a very good start, hope to keep making profits👏🏻',), ('The first order made a profit of $1760, I am very happy',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Buy]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), (\"okay, finally when it's time to be happy, I'm ready😃\",), ('*⚠️⚠️⚠️⚠️I am about to issue the first instruction*',), ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',), ('Okay, long awaited. Always ready for this',), ('Everyone is making money, I am becoming more and more confident, I believe I can also make more money👍',), (\"OK, I'll keep an eye out for your information\",), ('OK, please start',), (\"Thank you Mr. Robechucks, I am very satisfied with today's two order transactions.🤝🏻\",), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Sell]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to sell)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('*⚠️⚠️⚠️⚠️I am about to issue the second command*',), ('Great...The analyst has brought us two consecutive victories',), ('win',), ('Thank you Mr. Robechucks, looking forward to your guidance trading tomorrow👍🏻',), ('Profit $3520',), ('Please continue😀',), ('OK',), ('Good morning, everyone.',), ('The operation of Bitcoin second contract trading is very simple. Regardless of whether you have ever been exposed to investing before, as long as you apply for a trading account of your own. You can make money by following the guidance of analysts',), ('Friend, I invest in BTC seconds contract trading',), ('Of course, it was profitable and I already made six withdrawals',), ('What are you guys investing in?',), ('I do not understand. How to invest. how it works',), ('Virtual Reality? invest? Is it profitable?',), ('Investing is simple. We just need to follow the guidance of analysts and place orders to make profits',), ('Only 5000 USDT can be deposited at one time😔',), ('Are ready',), (\"I don't care about anything else. I only care about when today's plan starts\",), ('OK sir,',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Buy]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('Perfect two-game winning streak',), ('*⚠️⚠️⚠️⚠️I am about to issue the first instruction, please be prepared*',), ('Good sir',), ('OK',), (\"OK, let's start\",), ('Profit $1760👍🏻',), ('*⚠️Order suggestions*\\n\\n*⚠️Investment order amount: 2000 USDT!*\\n\\n*✅BTC/USDT [Sell]*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 2000 USDT (click to sell)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('*⚠️⚠️⚠️I am about to issue the second instruction, please be prepared*',), ('win',), ('I like these two orders very much, which made me a profit of $3520',), (\"Thank you sir, I am very satisfied with today's profit plan😄\",), ('https://drive.google.com/drive/folders/1d5OCAPXXpq1m8rQYjmytxHUMQgwpr9jR',), ('Hey dude. Take a look at these and let me know what you think.',), ('Good afternoon Mr. Robechucks',), ('Looking forward to analyst guidance today.',), ('OK',), ('$4000 Profit Plan is great👏🏻',), ('*🌺🌺We cannot guarantee that every BTC guidance suggestion is profitable, but as long as you are ready, you are a winner*\\n\\n*🌺🌺When you have enough funds in your account, you can take all risks*',), ('*Coinbase, crypto, Cash, and kraken have opened international investment deposit and withdrawal channels. Any country’s fiat currency can be bought and sold here.*',), ('*This is all the crypto wallets suitable for investment use:*\\n\\n*Coinbase wallet registration link: https://www.coinbase.com/*\\n\\n*Crypto wallet registration link: https://crypto.com/*\\n\\n*Cash wallet registration link: https://cashAPP.com/*\\n\\n*Kraken wallet registration link: https://www.kraken.com/*',), ('Mr Robechucks is very professional👍🏻',), ('OK',), ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',), (\"OK Mr. Robechucks, let's get started👏🏻\",), ('*⚠️⚠️⚠️Investment order amount: 5000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 5000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',), ('Mr. Robechucks is very powerful, please continue to the next instruction',), ('I like this order very much, profit $4400👏🏻👏🏻👏🏻',), ('Is there only one order today? Unfortunately, I only made $1760 from this order',), ('I made a profit of $1760🧐',), ('Adequate funding is the key to my success.🤣🤣',), (\"Thanks Mr. Robechucks, I am very happy with today's profit plan, although there is only one instruction\",), ('Thank you analyst, please have a good rest',)]\n", - "classification : {'found': True, 'confidence': 0.95, 'reason': \"The text contains multiple instances of names that are likely to be personal names, such as 'Chad Hunt', 'Toni Yu', 'Charles Finley', 'Ronen Engler', 'John Raynolds', and 'Jonathan Reyes'.\"}\n", - "evidence_count : 42\n", - "evidence_sample : ['Chad Hunt', 'Toni Yu', 'Charles Finley', 'Ronen Engler', 'John Raynolds', 'Jonathan Reyes', 'Johnny Good', 'Russell Philby', 'Sharon', 'Abe Rudder']\n", - "source_columns : ['ZCONTACTNAME', 'ZPARTNERNAME', 'ZAUTHORNAME', 'ZTEXT', 'ZPUSHNAME']\n", - "\n", - "--- END METADATA ---\n", - "\n", - "========================================\n", - " 🏁 FORENSIC REPORT: PERSON_NAME \n", - "========================================\n", - "✅ Success! Found 42 unique PERSON_NAME:\n", - " 1. Abe Rudder\n", - " 2. Ajax Edmiston\n", - " 3. Ameya Joshi\n", - " 4. Amiel Williamson\n", - " 5. Amit Sharma\n", - " 6. Andy Sieg\n", - " 7. Bazel McConnel\n", - " 8. Chad Hunt\n", - " 9. Charles Finley\n", - " 10. Charlie\n", - " 11. Christian Justiniano\n", - " 12. David Wilson\n", - " 13. Denice R Allen\n", - " 14. Dick Oscar\n", - " 15. Eleazar Lewden\n", - " 16. Ella Bella\n", - " 17. Emerick\n", - " 18. Emily\n", - " 19. Jim Wilson\n", - " 20. Job Vizcarra\n", - " 21. John Raynolds\n", - " 22. Johnny Good\n", - " 23. Jonas Bradley\n", - " 24. Jonathan Reyes\n", - " 25. Leif Fox\n", - " 26. Lemuel Glasgow\n", - " 27. Lisena Gocaj\n", - " 28. Nia Yuniar\n", - " 29. Otto\n", - " 30. Polly Lucas\n", - " 31. Robechucks Raul\n", - " 32. Robert Elliott\n", - " 33. Ronen Engler\n", - " 34. Russell Philby\n", - " 35. Sharon\n", - " 36. Steven\n", - " 37. Sultan\n", - " 38. Toni Yu\n", - " 39. Virginia\n", - " 40. Virginia Benton\n", - " 41. William Hopkins\n", - " 42. William Stevenson\n", - "\n", - "Source Columns: ZCONTACTNAME, ZPARTNERNAME, ZAUTHORNAME, ZTEXT, ZPUSHNAME\n", - "========================================\n" - ] - } - ], - "source": [ - "\n", - "# Set your target here once\n", - "# TARGET = \"EMAIL\" \n", - "# TARGET = \"PHONE\"\n", - "# TARGET = \"USERNAME\"\n", - "TARGET = \"PERSON_NAME\"\n", - "\n", - "result = app.invoke({\n", - " \"messages\": [HumanMessage(content=f\"Find {TARGET} in the database\")],\n", - " \"attempt\": 1,\n", - " \"max_attempts\": 3,\n", - " \"phase\": \"exploration\",\n", - " \"target_entity\": TARGET, # tells the planner what to look for\n", - "\n", - " # SQL separation\n", - " \"exploration_sql\": None,\n", - " \"extraction_sql\": None,\n", - "\n", - " # Runtime outputs\n", - " \"rows\": None,\n", - " \"classification\": None,\n", - " \"evidence\": [],\n", - "\n", - " # Provenance\n", - " \"source_columns\": []\n", - "})\n", - "\n", - "# Use the generic 'evidence' key we defined in the state\n", - "final_evidence = result.get(\"evidence\", [])\n", - "target_label = result.get(\"target_entity\", \"items\")\n", - "\n", - "print(\"\\n\" + \"=\"*40)\n", - "print(f\" 🏁 FORENSIC REPORT: {target_label.upper()} \")\n", - "print(\"=\"*40)\n", - "\n", - "if final_evidence:\n", - " print(f\"✅ Success! Found {len(final_evidence)} unique {target_label}:\")\n", - " for i, item in enumerate(sorted(final_evidence), 1):\n", - " print(f\" {i}. {item}\")\n", - " \n", - " # Also print the source columns we tracked!\n", - " sources = result.get(\"source_columns\")\n", - " if sources:\n", - " print(f\"\\nSource Columns: {', '.join(sources)}\")\n", - "else:\n", - " print(f\"❌ No {target_label} were extracted.\")\n", - " print(f\"Last Phase : {result.get('phase')}\")\n", - " print(f\"Attempts : {result.get('attempt')}\")\n", - "\n", - "print(\"=\"*40)\n" - ] - }, - { - "cell_type": "code", - "execution_count": null, - "id": "d24e126b", - "metadata": {}, - "outputs": [], - "source": [] - } - ], - "metadata": { - "kernelspec": { - "display_name": "Python 3", - "language": "python", - "name": "python3" - }, - "language_info": { - "codemirror_mode": { - "name": "ipython", - "version": 3 - }, - "file_extension": ".py", - "mimetype": "text/x-python", - "name": "python", - "nbconvert_exporter": "python", - "pygments_lexer": "ipython3", - "version": "3.10.18" - } - }, - "nbformat": 4, - "nbformat_minor": 5 -} diff --git a/agent_evidence_many_tables.ipynb b/agent_evidence_many_tables.ipynb deleted file mode 100644 index 07e9ca5..0000000 --- a/agent_evidence_many_tables.ipynb +++ /dev/null @@ -1,692 +0,0 @@ -{ - "cells": [ - { - "cell_type": "markdown", - "id": "0be1ee8e", - "metadata": {}, - "source": [ - "uing bnl environment\n", - "https://medium.com/@ayush4002gupta/building-an-llm-agent-to-directly-interact-with-a-database-0c0dd96b8196\n", - "\n", - "pip uninstall -y langchain langchain-core langchain-openai langgraph langgraph-prebuilt langgraph-checkpoint langgraph-sdk langsmith langchain-community langchain-google-genai langchain-text-splitters\n", - "\n", - "pip install langchain==1.2.0 langchain-core==1.2.2 langchain-openai==1.1.4 langgraph==1.0.5 langgraph-prebuilt==1.0.5 langgraph-checkpoint==3.0.1 langgraph-sdk==0.3.0 langsmith==0.5.0" - ] - }, - { - "cell_type": "code", - "execution_count": 1, - "id": "2648a1f1", - "metadata": {}, - "outputs": [], - "source": [ - "# only for find models\n", - "# import google.generativeai as genai\n" - ] - }, - { - "cell_type": "code", - "execution_count": 2, - "id": "a10c9a6a", - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "OK\n" - ] - } - ], - "source": [ - "# https://medium.com/@ayush4002gupta/building-an-llm-agent-to-directly-interact-with-a-database-0c0dd96b8196\n", - "\n", - "import os\n", - "from dotenv import load_dotenv\n", - "from langchain_openai import ChatOpenAI\n", - "from langchain_core.messages import HumanMessage\n", - "from sql_utils import *\n", - "\n", - "\n", - "load_dotenv() # This looks for the .env file and loads it into os.environ\n", - "\n", - "llm = ChatOpenAI(\n", - " model=\"gpt-4o-mini\", # recommended for tools + cost\n", - " api_key=os.environ[\"API_KEY\"],\n", - " temperature=0\n", - ")\n", - "\n", - "response = llm.invoke([\n", - " HumanMessage(content=\"Reply with exactly: OK\")\n", - "])\n", - "\n", - "print(response.content)\n", - "\n", - "DB_PATH = r\"msgstore.db\"\n", - "# DB_PATH = r\"users4.db\"\n", - "# DB_PATH = r\"test2.db\"\n", - "# DB_PATH = r\"F:\\mobile_images\\Cellebriate_2024\\Cellebrite_CTF_File1\\CellebriteCTF24_Sharon\\Sharon\\EXTRACTION_FFS 01\\EXTRACTION_FFS\\Dump\\data\\data\\com.whatsapp\\databases\\stickers.db\"\n", - "# DB_PATH = r\"F:\\mobile_images\\Cellebriate_2024\\Cellebrite_CTF_File1\\CellebriteCTF24_Sharon\\Sharon\\EXTRACTION_FFS 01\\EXTRACTION_FFS\\Dump\\data\\data\\com.android.vending\\databases\\localappstate.db\"\n", - "\n", - "ENTITY_CONFIG = {\n", - " \"EMAIL\": {\n", - " \"regex\": r\"[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,}\",\n", - " \"desc\": \"valid electronic mail formats used for account registration or contact\"\n", - " },\n", - " \"PHONE\": {\n", - " \"regex\": r\"\\+?\\d[\\d\\s().-]{7,}\\d\",\n", - " \"desc\": \"phone number–like strings used for discovery; normalization occurs during extraction\"\n", - " },\n", - " \"USERNAME\": {\n", - " \"regex\": r\"\\b[a-zA-Z][a-zA-Z0-9._-]{2,31}\\b\",\n", - " \"desc\": \"application-specific usernames, handles, or account identifiers\"\n", - " },\n", - " \"PERSON_NAME\": {\n", - " \"regex\": r\"[A-Za-z][A-Za-z\\s\\.\\-]{1,50}\",\n", - " \"desc\": (\n", - " \"loosely structured human name-like strings used only for discovery \"\n", - " \"and column pre-filtering; final identification is performed during extraction\"\n", - " )\n", - " }\n", - "}\n", - "\n" - ] - }, - { - "cell_type": "code", - "execution_count": null, - "id": "48eda3ec", - "metadata": {}, - "outputs": [], - "source": [ - "# Core Python\n", - "import sqlite3\n", - "import re\n", - "import json\n", - "from typing import TypedDict, Optional, List, Annotated\n", - "from langgraph.graph.message import add_messages\n", - "\n", - "# LangChain / LangGraph\n", - "from langchain_core.tools import tool\n", - "from langchain_core.messages import (\n", - " HumanMessage,\n", - " AIMessage,\n", - " SystemMessage\n", - ")\n", - "from langchain.agents import create_agent\n", - "from langgraph.graph import StateGraph, END\n", - "from langgraph.graph.message import MessagesState\n", - "\n", - "\n", - "@tool\n", - "def list_tables() -> str:\n", - " \"\"\"\n", - " List all table names in the SQLite database.\n", - " \"\"\"\n", - " conn = sqlite3.connect(DB_PATH)\n", - " cur = conn.cursor()\n", - " cur.execute(\"SELECT name FROM sqlite_master WHERE type='table'\")\n", - " tables = [r[0] for r in cur.fetchall()]\n", - " conn.close()\n", - " return \", \".join(tables)\n", - "\n", - "\n", - "@tool\n", - "def get_schema(table: str) -> str:\n", - " \"\"\"\n", - " Return column names and types for a table.\n", - " \"\"\"\n", - " conn = sqlite3.connect(DB_PATH)\n", - " cur = conn.cursor()\n", - " cur.execute(f\"PRAGMA table_info('{table}')\")\n", - " cols = cur.fetchall()\n", - " conn.close()\n", - " return \", \".join(f\"{c[1]} {c[2]}\" for c in cols)\n", - "\n", - "\n", - "\n", - "\n", - "@tool\n", - "def exec_sql(query: str) -> dict:\n", - " \"\"\"Execute SQL statements. If one fails, it is skipped and the next is executed.\"\"\"\n", - " query_text = normalize_sql(query)\n", - "\n", - " # 1. Parse column names from ALL SELECTs\n", - " column_names = []\n", - " for select_sql in split_union_selects(query_text):\n", - " for col in extract_select_columns(select_sql):\n", - " if col not in column_names:\n", - " column_names.append(col)\n", - "\n", - " # 2. Execute once\n", - " conn = sqlite3.connect(DB_PATH)\n", - " conn.create_function(\"REGEXP\", 2, regexp)\n", - " cur = conn.cursor()\n", - "\n", - " try:\n", - " print(f\"[EXECUTE] Running query\")\n", - " cur.execute(query_text)\n", - " rows = cur.fetchall()\n", - " except Exception as e:\n", - " print(f\"[SQL ERROR]: {e}\")\n", - " rows = []\n", - " finally:\n", - " conn.close()\n", - "\n", - " return {\n", - " \"rows\": rows,\n", - " \"columns\": column_names\n", - " }\n", - "\n", - "\n", - "\n", - "\n", - "class EmailEvidenceState(TypedDict):\n", - " messages: Annotated[list, add_messages]\n", - " attempt: int\n", - " max_attempts: int\n", - " phase: str # \"discovery\" | \"extraction\"\n", - " sql: Optional[str] # SQL to execute\n", - " rows: Optional[List]\n", - " classification: Optional[dict]\n", - " evidence: Optional[List[str]]\n", - " target_entity: str # <--- ADD THIS LINE \n", - " # Add this to track the \"winning\" columns\n", - " source_columns: Optional[List[dict]]\n", - "\n", - " # SQL used during discovery that returned results\n", - " discovered_sql: Optional[List[str]]\n", - "\n", - "def get_discovery_system(target, regex):\n", - " return SystemMessage(\n", - " content=(\n", - " \"You are a SQL planner. You are provided databases that are extracted from Android or iOS devices.\\n\"\n", - " f\"Goal: discover if any column contains {target} from databases.\\n\\n\"\n", - " \"Rules:\\n\"\n", - " \"- Use 'REGEXP' for pattern matching.\\n\"\n", - " f\"- Example: SELECT col FROM table WHERE col REGEXP '{regex}' LIMIT 10\\n\"\n", - " f\"- pay special attention to tables and/or columns related to message/chat/text. {target} may be embedded in these text.\\n\"\n", - " \"- Validate your SQL and make sure all tables and columns do exist.\\n\"\n", - " \"- If multiple SQL statements are provided, combine them using UNION ALL.\\n\"\n", - " \"- Return ONLY SQL.\"\n", - " )\n", - " )\n", - "\n", - " \n", - "def get_sql_upgrade_system(target):\n", - " return SystemMessage(\n", - " content=(\n", - " \"You are a SQL refiner.\\n\"\n", - " f\"Goal: modify previously successful SQL to extract ALL {target}.\\n\\n\"\n", - " \"Rules:\\n\"\n", - " \"- Do NOT invent new tables or columns.\\n\"\n", - " \"- Remove LIMIT clauses.\\n\"\n", - " \"- Preserve WHERE conditions and REGEXP filters.\\n\"\n", - " \"- Return ONLY SQL.\"\n", - " )\n", - " )\n", - "\n", - "def select_relevant_tables(llm, all_tables: list[str], target: str) -> list[str]:\n", - " \"\"\"\n", - " Ask the LLM to select relevant tables by name only.\n", - " No schema access, no tools, no loops.\n", - " \"\"\"\n", - " system = SystemMessage(\n", - " content=(\n", - " \"You are a digital forensics assistant.\\n\"\n", - " f\"Target evidence type: {target}.\\n\\n\"\n", - " \"From the list of table names below, select the tables \"\n", - " \"likely to contain this evidence.\\n\\n\"\n", - " \"Return ONLY a JSON array of table names.\\n\"\n", - " \"If unsure, return an empty array.\"\n", - " )\n", - " )\n", - "\n", - " result = llm.invoke([\n", - " system,\n", - " HumanMessage(content=\"\\n\".join(all_tables))\n", - " ]).content\n", - "\n", - " tables = safe_json_loads(result, default=[])\n", - "\n", - " # Defensive cleanup\n", - " if not isinstance(tables, list):\n", - " return []\n", - "\n", - " return [t for t in tables if t in all_tables]\n", - "\n", - "\n", - "def planner(state: EmailEvidenceState):\n", - " # ---------- EXTRACTION PHASE: upgrade SQL ----------\n", - " if state[\"phase\"] == \"extraction\" and state.get(\"discovered_sql\"):\n", - " system = get_sql_upgrade_system(state[\"target_entity\"])\n", - " joined_sql = \"\\nUNION ALL\\n\".join(state[\"discovered_sql\"])\n", - "\n", - " sql = normalize_sql(\n", - " llm.invoke([\n", - " system,\n", - " HumanMessage(content=f\"Original SQL:\\n{joined_sql}\")\n", - " ]).content\n", - " )\n", - "\n", - " print(\"[PLANNER] Upgraded SQL for extraction\")\n", - "\n", - " return {\n", - " \"messages\": [AIMessage(content=sql)],\n", - " \"sql\": sql\n", - " }\n", - "\n", - " # ---------- DISCOVERY PHASE ----------\n", - " # 1. List tables once\n", - " all_tables = [t.strip() for t in list_tables.invoke({}).split(\",\")]\n", - "\n", - " # 2. Agent selects relevant tables by NAME ONLY\n", - " selected_tables = select_relevant_tables(\n", - " llm,\n", - " all_tables,\n", - " state[\"target_entity\"]\n", - " )\n", - "\n", - " # Fallback: ensure coverage\n", - " if not selected_tables:\n", - " selected_tables = all_tables[:10]\n", - "\n", - " # 3. Fetch schema deterministically\n", - " schemas = {\n", - " table: get_schema.invoke({\"table\": table})\n", - " for table in selected_tables\n", - " }\n", - "\n", - " # 4. Build grounded prompt\n", - " config = ENTITY_CONFIG[state[\"target_entity\"]]\n", - "\n", - " system = get_discovery_system(\n", - " state[\"target_entity\"],\n", - " config[\"regex\"]\n", - " )\n", - "\n", - " grounded_content = (\n", - " f\"{system.content}\\n\\n\"\n", - " f\"ALLOWED TABLES: {', '.join(selected_tables)}\\n\"\n", - " f\"SCHEMA:\\n{json.dumps(schemas, indent=2)}\\n\"\n", - " f\"CURRENT PHASE: {state['phase']}\\n\"\n", - " \"CRITICAL: Use ONLY the tables and columns listed above.\"\n", - " )\n", - "\n", - " # 5. Single LLM call to generate SQL\n", - " sql = normalize_sql(\n", - " llm.invoke([\n", - " SystemMessage(content=grounded_content),\n", - " state[\"messages\"][0] # original user request\n", - " ]).content\n", - " )\n", - "\n", - " attempt = state[\"attempt\"] + 1\n", - "\n", - " return {\n", - " \"messages\": [AIMessage(content=sql)],\n", - " \"sql\": sql,\n", - " \"attempt\": attempt\n", - " }\n", - "\n", - "\n", - "def sql_execute(state: EmailEvidenceState):\n", - " # Call the tool (it now returns a dict)\n", - " result = exec_sql.invoke(state[\"sql\"])\n", - " \n", - " rows = result.get(\"rows\", [])\n", - " cols = result.get(\"columns\", [])\n", - "\n", - " print(f\"[SQL EXEC] Retrieved {(rows)}\")\n", - " updates = {\n", - " \"rows\": rows,\n", - " \"messages\": [AIMessage(content=f\"Retrieved {len(rows)} rows\")]\n", - " }\n", - "\n", - " if state[\"phase\"] == \"discovery\" and rows:\n", - " discovered = list(state.get(\"discovered_sql\", []))\n", - " discovered.append(state[\"sql\"])\n", - " updates[\"discovered_sql\"] = discovered\n", - " print(\"[DISCOVERY] Saved successful SQL\")\n", - "\n", - " # Tracking logic: Save columns to state only during extraction\n", - " if state[\"phase\"] == \"extraction\":\n", - " updates[\"source_columns\"] = cols\n", - " print(f\"[TRACKING] Saved source columns: {cols}\")\n", - "\n", - " return updates\n", - " \n", - "\n", - "def get_classify_system(target: str):\n", - " return SystemMessage(\n", - " content=(\n", - " f\"Decide whether the text contains {target}.\\n\"\n", - " \"Return ONLY a JSON object with these keys:\\n\"\n", - " \"{ \\\"found\\\": true/false, \\\"confidence\\\": number, \\\"reason\\\": \\\"string\\\" }\"\n", - " )\n", - " )\n", - "\n", - "def classify(state: EmailEvidenceState):\n", - " # 1. Prepare the text sample for the LLM\n", - " text = rows_to_text(state[\"rows\"], limit=10)\n", - " \n", - " # 2. Get the target-specific system message\n", - " system_message = get_classify_system(state[\"target_entity\"])\n", - "\n", - " # 3. Invoke the LLM\n", - " result = llm.invoke([\n", - " system_message,\n", - " HumanMessage(content=f\"Data to analyze:\\n{text}\")\n", - " ]).content\n", - " \n", - "# 4. Parse the decision\n", - " decision = safe_json_loads(\n", - " result,\n", - " default={\"found\": False, \"confidence\": 0.0, \"reason\": \"parse failure\"}\n", - " )\n", - "\n", - " # print(\"[CLASSIFY]\", decision)\n", - " return {\"classification\": decision}\n", - "\n", - "\n", - "def switch_to_extraction(state: EmailEvidenceState):\n", - " print(\"[PHASE] discovery → extraction\")\n", - " return {\"phase\": \"extraction\"}\n", - "\n", - "\n", - "\n", - "\n", - "def extract(state: EmailEvidenceState):\n", - " text = rows_to_text(state[\"rows\"])\n", - " system = f\"Extract and normalize {state['target_entity']} from text. Return ONLY a JSON array of strings.\"\n", - " result = llm.invoke([SystemMessage(content=system), HumanMessage(content=text)]).content\n", - " return {\"evidence\": safe_json_loads(result, default=[])}\n", - "\n", - "\n", - "def next_step(state: EmailEvidenceState):\n", - " # Once in extraction phase, extract and stop\n", - " if state[\"phase\"] == \"extraction\":\n", - " return \"do_extract\"\n", - "\n", - " c = state[\"classification\"]\n", - "\n", - " if c[\"found\"] and c[\"confidence\"] >= 0.6:\n", - " return \"to_extraction\"\n", - "\n", - " if not c[\"found\"] and c[\"confidence\"] >= 0.6:\n", - " return \"stop_none\"\n", - "\n", - " if state[\"attempt\"] >= state[\"max_attempts\"]:\n", - " return \"stop_limit\"\n", - "\n", - " return \"replan\"" - ] - }, - { - "cell_type": "code", - "execution_count": 4, - "id": "0f5259d7", - "metadata": {}, - "outputs": [], - "source": [ - "def observe(state: EmailEvidenceState):\n", - " \"\"\"\n", - " Debug / inspection node.\n", - " Does NOT modify state.\n", - " \"\"\"\n", - "\n", - " print(\"\\n=== STATE SNAPSHOT ===\")\n", - "\n", - " # Messages\n", - " print(\"\\n--- MESSAGES ---\")\n", - " for i, m in enumerate(state[\"messages\"]):\n", - " print(f\"{i}: {m.type.upper()} -> {m.content}\")\n", - "\n", - " # Metadata\n", - " print(\"\\n--- BEGIN METADATA ---\")\n", - " print(f\"attempt : {state['attempt']}\")\n", - " print(f\"max_attempts : {state['max_attempts']}\")\n", - " print(f\"phase : {state['phase']}\")\n", - " print(f\"sql : {state['sql']}\")\n", - " print(f\"discovered sql : {state['discovered_sql']}\")\n", - " print(f\"rows : {state['rows']}\")\n", - " print(f\"classification: {state['classification']}\")\n", - " print(f\"evidence : {state['evidence']}\")\n", - " \n", - " print(f\"Source Columns: {state.get('source_columns')}\")\n", - " print(\"\\n--- END METADATA ---\")\n", - "\n", - " # IMPORTANT: do not return state, return no-op update\n", - " return {}\n", - "\n", - "\n", - "\n", - "from langgraph.graph import StateGraph, END\n", - "\n", - "graph = StateGraph(EmailEvidenceState)\n", - "\n", - "# Define nodes (reusing the same 'observe' function for two different node names)\n", - "graph.add_node(\"planner\", planner)\n", - "graph.add_node(\"observe_plan\", observe) # Checkpoint 1: The SQL Plan\n", - "graph.add_node(\"execute\", sql_execute)\n", - "graph.add_node(\"classify\", classify)\n", - "graph.add_node(\"observe_classify\", observe) # Checkpoint 2: The Logic/Discovery\n", - "graph.add_node(\"switch_phase\", switch_to_extraction)\n", - "graph.add_node(\"extract\", extract)\n", - "graph.add_node(\"observe_final\", observe) # Checkpoint 3: The Results\n", - "\n", - "graph.set_entry_point(\"planner\")\n", - "\n", - "# --- THE FLOW ---\n", - "graph.add_edge(\"planner\", \"observe_plan\") # Check SQL before running\n", - "graph.add_edge(\"observe_plan\", \"execute\")\n", - "\n", - "graph.add_edge(\"execute\", \"classify\")\n", - "graph.add_edge(\"classify\", \"observe_classify\")\n", - "\n", - "# The decision logic now triggers after the second observation\n", - "graph.add_conditional_edges(\n", - " \"observe_classify\", # Must match the new node name exactly\n", - " next_step,\n", - " {\n", - " \"to_extraction\": \"switch_phase\",\n", - " \"do_extract\": \"extract\",\n", - " \"replan\": \"planner\",\n", - " \"stop_none\": END,\n", - " \"stop_limit\": END,\n", - " }\n", - ")\n", - "\n", - "graph.add_edge(\"switch_phase\", \"planner\")\n", - "\n", - "# Change this: Route 'extract' to our new observer instead of END\n", - "graph.add_edge(\"extract\", \"observe_final\")\n", - "graph.add_edge(\"observe_final\", END)\n", - "\n", - "app = graph.compile()\n", - "\n", - "\n", - "\n" - ] - }, - { - "cell_type": "code", - "execution_count": 5, - "id": "0b1fce49", - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find PHONE in the database\n", - "1: AI -> SELECT * FROM call_log WHERE call_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM missed_call_logs WHERE message_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM missed_call_log_participant WHERE jid REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM message_call_log WHERE call_log_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM bcall_session WHERE caption REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM message_bcall_session WHERE message_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d';\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 1\n", - "max_attempts : 1\n", - "phase : discovery\n", - "sql : SELECT * FROM call_log WHERE call_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM missed_call_logs WHERE message_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM missed_call_log_participant WHERE jid REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM message_call_log WHERE call_log_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM bcall_session WHERE caption REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM message_bcall_session WHERE message_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d';\n", - "discovered sql : []\n", - "rows : None\n", - "classification: None\n", - "evidence : []\n", - "Source Columns: []\n", - "\n", - "--- END METADATA ---\n", - "[EXECUTE] Running query\n", - "[SQL ERROR]: SELECTs to the left and right of UNION ALL do not have the same number of result columns\n", - "[SQL EXEC] Retrieved []\n", - "\n", - "=== STATE SNAPSHOT ===\n", - "\n", - "--- MESSAGES ---\n", - "0: HUMAN -> Find PHONE in the database\n", - "1: AI -> SELECT * FROM call_log WHERE call_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM missed_call_logs WHERE message_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM missed_call_log_participant WHERE jid REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM message_call_log WHERE call_log_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM bcall_session WHERE caption REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM message_bcall_session WHERE message_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d';\n", - "2: AI -> Retrieved 0 rows\n", - "\n", - "--- BEGIN METADATA ---\n", - "attempt : 1\n", - "max_attempts : 1\n", - "phase : discovery\n", - "sql : SELECT * FROM call_log WHERE call_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM missed_call_logs WHERE message_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM missed_call_log_participant WHERE jid REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM message_call_log WHERE call_log_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM bcall_session WHERE caption REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d'\n", - "UNION ALL\n", - "SELECT * FROM message_bcall_session WHERE message_row_id REGEXP '\\+?\\d[\\d\\s().-]{7,}\\d';\n", - "discovered sql : []\n", - "rows : []\n", - "classification: {'found': False, 'confidence': 0, 'reason': 'No phone-related content provided.'}\n", - "evidence : []\n", - "Source Columns: []\n", - "\n", - "--- END METADATA ---\n", - "\n", - "========================================\n", - " 🏁 FORENSIC REPORT: PHONE \n", - "========================================\n", - "❌ No PHONE were extracted.\n", - "Last Phase : discovery\n", - "Attempts : 1\n", - "========================================\n" - ] - } - ], - "source": [ - "\n", - "# Set your target here once\n", - "# TARGET = \"EMAIL\" \n", - "TARGET = \"PHONE\"\n", - "# TARGET = \"USERNAME\"\n", - "# TARGET = \"PERSON_NAME\"\n", - "\n", - "result = app.invoke({\n", - " \"messages\": [HumanMessage(content=f\"Find {TARGET} in the database\")],\n", - " \"attempt\": 0,\n", - " \"max_attempts\": 1,\n", - " \"phase\": \"discovery\",\n", - " \"target_entity\": TARGET, # CRITICAL: This tells the planner what to look for\n", - " \"sql\": None,\n", - " \"rows\": None,\n", - " \"classification\": None,\n", - " \"evidence\": [], # Use the new generic key\n", - " \"source_columns\": [],\n", - " \"discovered_sql\": [] \n", - "})\n", - "\n", - "# Use the generic 'evidence' key we defined in the state\n", - "final_evidence = result.get(\"evidence\", [])\n", - "target_label = result.get(\"target_entity\", \"items\")\n", - "\n", - "print(\"\\n\" + \"=\"*40)\n", - "print(f\" 🏁 FORENSIC REPORT: {target_label.upper()} \")\n", - "print(\"=\"*40)\n", - "\n", - "if final_evidence:\n", - " print(f\"✅ Success! Found {len(final_evidence)} unique {target_label}:\")\n", - " for i, item in enumerate(sorted(final_evidence), 1):\n", - " print(f\" {i}. {item}\")\n", - " \n", - " # Also print the source columns we tracked!\n", - " sources = result.get(\"source_columns\")\n", - " if sources:\n", - " print(f\"\\nSource Columns: {', '.join(sources)}\")\n", - "else:\n", - " print(f\"❌ No {target_label} were extracted.\")\n", - " print(f\"Last Phase : {result.get('phase')}\")\n", - " print(f\"Attempts : {result.get('attempt')}\")\n", - "\n", - "print(\"=\"*40)\n" - ] - }, - { - "cell_type": "code", - "execution_count": null, - "id": "d24e126b", - "metadata": {}, - "outputs": [], - "source": [] - } - ], - "metadata": { - "kernelspec": { - "display_name": "Python 3", - "language": "python", - "name": "python3" - }, - "language_info": { - "codemirror_mode": { - "name": "ipython", - "version": 3 - }, - "file_extension": ".py", - "mimetype": "text/x-python", - "name": "python", - "nbconvert_exporter": "python", - "pygments_lexer": "ipython3", - "version": "3.10.18" - } - }, - "nbformat": 4, - "nbformat_minor": 5 -} diff --git a/db_files.py b/db_files.py new file mode 100644 index 0000000..c5e008d --- /dev/null +++ b/db_files.py @@ -0,0 +1,28 @@ +db_files = [ + "test2.db", + # "A1_commerce.db", + # "A1_msgstore.db", + # "A1_wa.db", + # "A2_core.db", + # "A2_journal.db", + # "A2_main.db", + # "A3_account1cache4.db", + # "A3_account2cache4.db", + # "A3_account3cache4.db", + # "A4_gmm_myplaces.db", + # "A4_gmm_storage.db", + # "A4_peopleCache_sharononeil368@gmail.com_com.google_14.db", + # "A5_SBrowser.db", + # "A5_SBrowser2.db", + # "A5_searchengine.db", + # "I1_CallHistory.sqlite", + # "I1_ChatStorage.sqlite", + # "I1_ContactsV2.sqlite", + # "I2_AddressBook.sqlitedb", + # "I2_AddressBookImages.sqlitedb", + # "I3_sms.db", + # "I4_CloudTabs.db", + # "I4_History.db", + # "I5_Calendar.sqlitedb", + # "I5_Extras.db", +] diff --git a/selectedDBs/test2.db b/selectedDBs/test2.db new file mode 100644 index 0000000000000000000000000000000000000000..c61a460748a22542aab53c6367aa7ba46a165d6e GIT binary patch literal 16384 zcmeI2&u<$=6vubHX?{3$mS2@g(~yZGD@3B!?%EsMt*UnYqa`IyQ`>3jX*IDY^)~C> zFy6#Xr6N^G9IA?2C9ZJgz#qUJPF(l{IKYWJ2QEmw*|m)u*>FKfh_}*upTF&a1SmSjI;j-zDduRlz#q3Lj6rr7G|V{ z8TEVh%SoZABLO6U1dsp{Kmter2_OL^fCP}hzd+!Vx8<2+GAVzm26W$L$6dy|;ZLko zt5}T+X;{VW3JE3hZk)g+Y};uGlWgrYDz_>%vRm7#TD1q{gUW;VhCv?fFcH+KeApm+ zJ6m`6DrDzQgY4{WZ%0u_wA=0ZJgh5>dewd4@NQs7)r@hwbm)z8yjq%dsN;(KaQ#IS z+P)XIvL6*StQ&B~g0N^9>Xe`ZaI{!7Uq>+)5jkN^@u0!RP} zAOR%sKO)eJC#1#Y3&}!ief9NZ=26G@IlE1phgJKY6+VUV2!wR#y1^dP&XLQ~O}~@V zGM7!$ysT@wRxou^YBSDH$*ya;5aqSFL+@FJk&wvbHnbPkgTD7Z^Z2P{uj!G|SKC5O4`N1J0lgcvBA+ue z#OfX~kKCuHMHaMKw?(UEL(A*gF>N@V86sGOCOi!2sq6DwoHhYLE*BZ0_E2c)$UmAq zt80VgIo&Lf`Vl{FGExc}eh>NrsR8}C)V*mK_LXGvYHEE6QXlMdzvtcL)H^KZ^Q(~| zqyr(PL+@x_GdJw?W+9)0?z-M_KhJ^lSPZ+C(Z=-o<8#pG)eDPPQ>k@G%zBOs z4Xt!K^uE0dOXScBH3nKba*w7qvcoQ$n`V}jSPKSy+p9b73FCqQ4834p(8uPV68Xin z+gO48t&ZcmjF;&NtJ=DzWx;Y<)lh5+GaUttw&2fcuVpiaPKpk1wn@=FX<6Kj=AG!j zF?QNNQ2_j!0KX>Qx28zaEm7{f9XXpI5 zSFRTu4Embr`+m0rZ(W@=k2!-uEW+#R)rGV#taRud%{(&GjjXvz?$ASGov@nUJUkJ= z!ijEN*r6RSI7r zm~lnw22KaQQPE@{*Y7xd&*SQIN&Qv*Mg39zLH$#{}+Ce)SuPw)UVXfRIc7r3+ly%-$BF+2_OL^ zfCP{L57=6-Q=;I6gAa=EO*onmyQEy7n|O5K4}uVqZ~y=R literal 0 HcmV?d00001 diff --git a/sql_utils.py b/sql_utils.py index aa47949..31cbcc1 100644 --- a/sql_utils.py +++ b/sql_utils.py @@ -1,7 +1,8 @@ import re import json import sys - +from pathlib import Path +from datetime import datetime, timezone def extract_tables_with_aliases(select_sql: str) -> dict[str, str]: @@ -270,4 +271,79 @@ def extract_select_columns(select_sql: str) -> list[str]: # Take the final identifier columns.append(item.split()[-1]) - return columns \ No newline at end of file + return columns + + +def is_sqlite_file(p: Path) -> bool: + try: + with p.open("rb") as f: + return f.read(16) == b"SQLite format 3\x00" + except Exception: + return False + + +from pathlib import Path +import importlib.util +from typing import List, Tuple + +def load_db_files_list(py_path: Path, var_name: str = "db_files") -> List[str]: + """Load a list variable (default: db_files) from a .py file.""" + spec = importlib.util.spec_from_file_location(py_path.stem, py_path) + if spec is None or spec.loader is None: + raise ValueError(f"Cannot load module from {py_path}") + mod = importlib.util.module_from_spec(spec) + spec.loader.exec_module(mod) # type: ignore + + if not hasattr(mod, var_name): + raise AttributeError(f"{py_path} does not define `{var_name}`") + value = getattr(mod, var_name) + if not isinstance(value, list): + raise TypeError(f"`{var_name}` must be a list, got {type(value)}") + return value + +def build_db_paths( + db_dir: Path, + db_files: List[str], + is_sqlite_fn, +) -> Tuple[List[Path], List[str], List[str]]: + """ + Build ordered paths from filenames, skipping missing and non-sqlite. + Returns (db_paths, missing, not_sqlite). + """ + db_paths: List[Path] = [] + missing: List[str] = [] + not_sqlite: List[str] = [] + + for name in db_files: + p = db_dir / name + if not p.exists(): + missing.append(str(p)) + continue + if not is_sqlite_fn(p): + not_sqlite.append(str(p)) + continue + db_paths.append(p) + + return db_paths, missing, not_sqlite + +def print_db_path_report(db_paths: List[Path], missing: List[str], not_sqlite: List[str]) -> None: + print(f"Will process {len(db_paths)} databases (from db_files list).") + if missing: + print("Missing files:") + for x in missing: + print(" -", x) + if not_sqlite: + print("Not SQLite (bad header):") + for x in not_sqlite: + print(" -", x) + +def save_jsonl(all_results, out_dir): + ts = datetime.now(timezone.utc).strftime("%Y%m%dT%H%M%SZ") + out_path = out_dir / f"evidence_{ts}.jsonl" + + with out_path.open("w", encoding="utf-8") as f: + for r in all_results: + f.write(json.dumps(r, ensure_ascii=False) + "\n") + + print(f"Wrote: {out_path.resolve()}") + return out_path \ No newline at end of file diff --git a/user4.db b/user4.db deleted file mode 100644 index e69de29..0000000