diff --git a/agent_evidence_discovery_fix.ipynb b/agent_evidence_discovery_fix.ipynb index 6b2d952..6718622 100644 --- a/agent_evidence_discovery_fix.ipynb +++ b/agent_evidence_discovery_fix.ipynb @@ -15,7 +15,7 @@ }, { "cell_type": "code", - "execution_count": 1, + "execution_count": 11, "id": "2648a1f1", "metadata": {}, "outputs": [], @@ -26,7 +26,7 @@ }, { "cell_type": "code", - "execution_count": 2, + "execution_count": 12, "id": "a10c9a6a", "metadata": {}, "outputs": [ @@ -94,7 +94,7 @@ }, { "cell_type": "code", - "execution_count": 3, + "execution_count": null, "id": "48eda3ec", "metadata": {}, "outputs": [], @@ -206,48 +206,42 @@ " 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 15\\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 15.\\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 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", "\n", "def planner(state: EmailEvidenceState):\n", " # Extraction upgrade path\n", " if state[\"phase\"] == \"extraction\" and state.get(\"exploration_sql\"):\n", - " system = get_sql_upgrade_system(state[\"target_entity\"])\n", - " original_sql = state[\"exploration_sql\"]\n", - "\n", - " result = llm.invoke([\n", - " system,\n", - " HumanMessage(content=f\"Original SQL:\\n{original_sql}\")\n", - " ])\n", - "\n", - " extraction_sql = normalize_sql(result.content)\n", - "\n", - " print(\"[PLANNER] Upgraded SQL for extraction\")\n", - "\n", + " extraction_sql = upgrade_sql_remove_limit(state[\"exploration_sql\"])\n", " return {\n", - " \"messages\": [AIMessage(content=original_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", @@ -275,7 +269,7 @@ "\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=exploration_sql)],\n", @@ -359,11 +353,9 @@ " return {\"phase\": \"extraction\"}\n", "\n", "\n", - "\n", - "\n", "def extract(state: EmailEvidenceState):\n", " text = rows_to_text(state[\"rows\"])\n", - " print(f\"Check last 100 characts : {text[:-100]}\")\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", @@ -390,7 +382,7 @@ }, { "cell_type": "code", - "execution_count": 4, + "execution_count": 14, "id": "0f5259d7", "metadata": {}, "outputs": [], @@ -484,7 +476,7 @@ }, { "cell_type": "code", - "execution_count": 5, + "execution_count": 15, "id": "0b1fce49", "metadata": {}, "outputs": [ @@ -506,10 +498,10 @@ "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 15;\n", + "LIMIT 100;\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", + "attempt : 2\n", "max_attempts : 3\n", "phase : exploration\n", "target_entity : PERSON_NAME\n", @@ -522,7 +514,7 @@ "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 15;\n", + "LIMIT 100;\n", "extraction_sql : None\n", "rows_count : 0\n", "rows_sample : []\n", @@ -533,7 +525,7 @@ "\n", "--- END METADATA ---\n", "[EXECUTE] Running query\n", - "[SQL EXEC] Retrieved 15 rows\n", + "[SQL EXEC] Retrieved 100 rows\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", @@ -548,11 +540,11 @@ "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 15;\n", - "2: AI -> Retrieved 15 rows\n", + "LIMIT 100;\n", + "2: AI -> Retrieved 100 rows\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", + "attempt : 2\n", "max_attempts : 3\n", "phase : exploration\n", "target_entity : PERSON_NAME\n", @@ -565,31 +557,16 @@ "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 15;\n", + "LIMIT 100;\n", "extraction_sql : None\n", - "rows_count : 15\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',)]\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", - "Test [ROW DATA] ('Follow me',)\n", - "Test [ROW DATA] ('Test',)\n", - "Test [ROW DATA] ('The Chamber',)\n", - "Test [ROW DATA] ('Group',)\n", - "Test [ROW DATA] ('Group-A',)\n", - "Test [ROW DATA] ('Chad Hunt',)\n", - "Test [ROW DATA] ('Toni Yu',)\n", - "Test [ROW DATA] ('\\u200eWhatsApp',)\n", - "Test [ROW DATA] ('\\u200eYou',)\n", - "Test [ROW DATA] ('Charles Finley',)\n", - "Test [ROW DATA] ('Ronen Engler',)\n", - "Test [ROW DATA] ('John Raynolds',)\n", - "Test [ROW DATA] ('Netflix',)\n", - "Test [ROW DATA] ('The Dodo',)\n", - "Test [ROW DATA] ('Jonathan Reyes',)\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", @@ -604,11 +581,11 @@ "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 15;\n", - "2: AI -> Retrieved 15 rows\n", + "LIMIT 100;\n", + "2: AI -> Retrieved 100 rows\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", + "attempt : 2\n", "max_attempts : 3\n", "phase : exploration\n", "target_entity : PERSON_NAME\n", @@ -621,10 +598,10 @@ "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 15;\n", + "LIMIT 100;\n", "extraction_sql : None\n", - "rows_count : 15\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',)]\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", @@ -632,7 +609,6 @@ "\n", "--- END METADATA ---\n", "[PHASE] discovery → extraction\n", - "[PLANNER] Upgraded SQL for extraction\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", @@ -647,8 +623,8 @@ "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 15;\n", - "2: AI -> Retrieved 15 rows\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", @@ -658,10 +634,10 @@ "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 15;\n", + ";\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", + "attempt : 2\n", "max_attempts : 3\n", "phase : extraction\n", "target_entity : PERSON_NAME\n", @@ -674,7 +650,7 @@ "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 15;\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", @@ -683,9 +659,10 @@ "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", - "rows_count : 15\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',)]\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", @@ -709,8 +686,8 @@ "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 15;\n", - "2: AI -> Retrieved 15 rows\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", @@ -720,11 +697,11 @@ "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 15;\n", + ";\n", "4: AI -> Retrieved 1188 rows\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", + "attempt : 2\n", "max_attempts : 3\n", "phase : extraction\n", "target_entity : PERSON_NAME\n", @@ -737,7 +714,7 @@ "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 15;\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", @@ -746,7 +723,8 @@ "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", + "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", @@ -755,21 +733,6 @@ "source_columns : ['ZCONTACTNAME', 'ZPARTNERNAME', 'ZAUTHORNAME', 'ZTEXT', 'ZPUSHNAME']\n", "\n", "--- END METADATA ---\n", - "Test [ROW DATA] ('Follow me',)\n", - "Test [ROW DATA] ('Test',)\n", - "Test [ROW DATA] ('The Chamber',)\n", - "Test [ROW DATA] ('Group',)\n", - "Test [ROW DATA] ('Group-A',)\n", - "Test [ROW DATA] ('Chad Hunt',)\n", - "Test [ROW DATA] ('Toni Yu',)\n", - "Test [ROW DATA] ('\\u200eWhatsApp',)\n", - "Test [ROW DATA] ('\\u200eYou',)\n", - "Test [ROW DATA] ('Charles Finley',)\n", - "Test [ROW DATA] ('Ronen Engler',)\n", - "Test [ROW DATA] ('John Raynolds',)\n", - "Test [ROW DATA] ('Netflix',)\n", - "Test [ROW DATA] ('The Dodo',)\n", - "Test [ROW DATA] ('Jonathan Reyes',)\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", @@ -784,8 +747,8 @@ "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 15;\n", - "2: AI -> Retrieved 15 rows\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", @@ -795,11 +758,11 @@ "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 15;\n", + ";\n", "4: AI -> Retrieved 1188 rows\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", + "attempt : 2\n", "max_attempts : 3\n", "phase : extraction\n", "target_entity : PERSON_NAME\n", @@ -812,7 +775,7 @@ "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 15;\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", @@ -821,7 +784,8 @@ "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", + "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", @@ -830,2377 +794,6 @@ "source_columns : ['ZCONTACTNAME', 'ZPARTNERNAME', 'ZAUTHORNAME', 'ZTEXT', 'ZPUSHNAME']\n", "\n", "--- END METADATA ---\n", - "Test [ROW DATA] ('Follow me',)\n", - "Test [ROW DATA] ('Test',)\n", - "Test [ROW DATA] ('The Chamber',)\n", - "Test [ROW DATA] ('Group',)\n", - "Test [ROW DATA] ('Group-A',)\n", - "Test [ROW DATA] ('Chad Hunt',)\n", - "Test [ROW DATA] ('Toni Yu',)\n", - "Test [ROW DATA] ('\\u200eWhatsApp',)\n", - "Test [ROW DATA] ('\\u200eYou',)\n", - "Test [ROW DATA] ('Charles Finley',)\n", - "Test [ROW DATA] ('Ronen Engler',)\n", - "Test [ROW DATA] ('John Raynolds',)\n", - "Test [ROW DATA] ('Netflix',)\n", - "Test [ROW DATA] ('The Dodo',)\n", - "Test [ROW DATA] ('Jonathan Reyes',)\n", - "Test [ROW DATA] ('Ronen Engler',)\n", - "Test [ROW DATA] ('Johnny Good',)\n", - "Test [ROW DATA] ('Keeps',)\n", - "Test [ROW DATA] ('\\u200eWhatsApp',)\n", - "Test [ROW DATA] ('Russell Philby',)\n", - "Test [ROW DATA] ('Citi tudy group209',)\n", - "Test [ROW DATA] ('Citi tudy group218',)\n", - "Test [ROW DATA] ('Sharon 😍',)\n", - "Test [ROW DATA] ('Abe Rudder',)\n", - "Test [ROW DATA] ('📈📈8-12 BTC Contracts 5',)\n", - "Test [ROW DATA] ('📈📈8-12 BTC Contracts 2',)\n", - "Test [ROW DATA] ('📈📈8-12 BTC Contracts 2',)\n", - "Test [ROW DATA] ('Group-A',)\n", - "Test [ROW DATA] ('Moo',)\n", - "Test [ROW DATA] ('Hola',)\n", - "Test [ROW DATA] ('If you need anything give my man Rick a call.',)\n", - "Test [ROW DATA] ('Remember this placep?',)\n", - "Test [ROW DATA] ('He will never let you down, or give you up!!',)\n", - "Test [ROW DATA] ('Gotta love vinyl...',)\n", - "Test [ROW DATA] ('Phew. Only saw the first part of your text. Glad you’re good',)\n", - "Test [ROW DATA] ('Long time no talk',)\n", - "Test [ROW DATA] ('Hello there Otto',)\n", - "Test [ROW DATA] ('Yolo!',)\n", - "Test [ROW DATA] (\"It's your boy Reynolds. New number\",)\n", - "Test [ROW DATA] ('Got time for call bud?',)\n", - "Test [ROW DATA] ('Surely',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('Let me know if you down to deliver',)\n", - "Test [ROW DATA] ('That place? SkinnyFat? \\nhttps://maps.app.goo.gl/G5eC89JQKhhzKcQL8?g_st=iw',)\n", - "Test [ROW DATA] ('Sure I’m not too far away. Can go pickup in a bit.',)\n", - "Test [ROW DATA] (\"That's the spot\",)\n", - "Test [ROW DATA] ('If you deliver the goods without drama. I got more work for you',)\n", - "Test [ROW DATA] ('Make me proud',)\n", - "Test [ROW DATA] ('Looking forward. Might need to Uber around \\nWill update.',)\n", - "Test [ROW DATA] ('Seriously sweet \"honkers\"...',)\n", - "Test [ROW DATA] ('that was taken just now that’s actually me😌',)\n", - "Test [ROW DATA] ('you up?',)\n", - "Test [ROW DATA] ('admin reveal:',)\n", - "Test [ROW DATA] (\"You won't believe how rescuers were able to get this pup out 💙\\n\\nRead the story here: https://thedo.do/3Pg0a4Y\",)\n", - "Test [ROW DATA] ('Wait until you find out what they named him\\xa0\\U0001f979\\n\\nRead the story here: https://thedo.do/3sXQLaN',)\n", - "Test [ROW DATA] ('This kitten is so lucky\\xa0\\U0001f979\\n\\nRead the rescue story here: https://thedo.do/3LnEsen',)\n", - "Test [ROW DATA] (\"Hello fellow animal lovers 👋 Welcome to The Dodo's WhatsApp channel! Your daily dose of happy 🐾❤️\",)\n", - "Test [ROW DATA] ('(🎥: @tornado.watch)',)\n", - "Test [ROW DATA] ('We bet you’ve never heard of this animal! \\n\\nRead more about this wild story: https://thedo.do/3RnEYwA',)\n", - "Test [ROW DATA] ('The surprise of a lifetime!\\xa0💜\\n\\nRead the story here: https://thedo.do/3EHcSVE',)\n", - "Test [ROW DATA] ('How did he do that?\\xa0😂 \\n\\nRead the story here: https://thedo.do/48mLmKq',)\n", - "Test [ROW DATA] ('‼️ like this if it’s friday eve where you are ‼️',)\n", - "Test [ROW DATA] ('but that does mean your monday is my sunday so maybe im chosen after all 😌💅',)\n", - "Test [ROW DATA] ('‼️ like this if it’s already friday and you’re one of the chosen ones 😒‼️',)\n", - "Test [ROW DATA] ('So my plans have changed a bit. Had to send the 🐐 email it’s som good old friend. He just made it 🐶',)\n", - "Test [ROW DATA] ('Ah thanks for the update',)\n", - "Test [ROW DATA] ('She didn’t want to bring him back 😮\\n\\nRead the story here: https://thedo.do/3LzSdXd',)\n", - "Test [ROW DATA] ('trying to pick my mood for the weekend',)\n", - "Test [ROW DATA] ('lil mix of both i suppose 🥰',)\n", - "Test [ROW DATA] ('Nice reflection \\nWhere dat?',)\n", - "Test [ROW DATA] ('Btw. Talked to the owner. I follow them on IG \\nhttps://instagram.com/skinnyfatfarms?igshid=MzRlODBiNWFlZA==',)\n", - "Test [ROW DATA] ('They have some big business going on there. “Farm”',)\n", - "Test [ROW DATA] ('Let me know if you need an intro, could save few € next time',)\n", - "Test [ROW DATA] ('Good lookin out Otto',)\n", - "Test [ROW DATA] ('They were too stunned to speak\\xa0\\U0001fae2\\n\\nRead the story here: https://thedo.do/3RzNZTf',)\n", - "Test [ROW DATA] (\"That's where..lol\",)\n", - "Test [ROW DATA] ('She’s been waiting for this moment\\xa0❤️\\n\\nRead the story here: https://thedo.do/3RBJsA2',)\n", - "Test [ROW DATA] ('guess who didn’t send this message with their hands 😌',)\n", - "Test [ROW DATA] ('https://g.co/kgs/tgEJ3h',)\n", - "Test [ROW DATA] ('castlevania stans 👀',)\n", - "Test [ROW DATA] ('one week.. ⚽️',)\n", - "Test [ROW DATA] ('oh and before i forget',)\n", - "Test [ROW DATA] ('LIKE THIS if you want me to do manual labor and physically type out what’s coming new to netflix in october',)\n", - "Test [ROW DATA] ('LIKE THIS if you want a lil graphic instead',)\n", - "Test [ROW DATA] ('that’s v sweet of you ^ ❤️💕\\U0001f979 (even tho it’s close 😒)',)\n", - "Test [ROW DATA] ('They didn’t expect to find this \\U0001f979\\n\\nRead the story here: https://thedo.do/3PVaktu',)\n", - "Test [ROW DATA] ('Wait until you see this face\\xa0\\U0001f979\\n\\n\\nRead the story here: https://thedo.do/45cQuOL',)\n", - "Test [ROW DATA] ('So. Many. Dogs.\\xa0🐶💜🐶\\n\\nRead the story here: https://thedo.do/46vqqiU',)\n", - "Test [ROW DATA] ('yall',)\n", - "Test [ROW DATA] ('this season of love is blind is so unhinged',)\n", - "Test [ROW DATA] ('I see that you are in town. I have a particularly rare and unique specimen in my possession',)\n", - "Test [ROW DATA] ('Ah just missed you.',)\n", - "Test [ROW DATA] ('Hoping you can help move it to a contact in your wealthy rolodex :-)',)\n", - "Test [ROW DATA] ('You’re getting here?',)\n", - "Test [ROW DATA] ('Working on it -- have some other clients to wrap up with',)\n", - "Test [ROW DATA] ('Send you an ETA shortly',)\n", - "Test [ROW DATA] ('Well, that was an unexpected encounter!\\n\\nRead the story here: https://thedo.do/3Q0dzjj',)\n", - "Test [ROW DATA] ('on october 3rd, he asked me what day it was',)\n", - "Test [ROW DATA] ('Get you a friend who will do this…\\n\\nRead the story: https://thedo.do/3LMZdjT',)\n", - "Test [ROW DATA] (\"Nice catching up. Thanks shouldn't make you some $$$\",)\n", - "Test [ROW DATA] (\"I'll make sure this gets back to the boss.\",)\n", - "Test [ROW DATA] ('Yes 🙌',)\n", - "Test [ROW DATA] ('Until next time!',)\n", - "Test [ROW DATA] ('He got a second chance at life\\xa0\\U0001f979💙\\n\\nRead more: https://thedo.do/46xBgEW',)\n", - "Test [ROW DATA] ('What’s that in the water?\\xa0😳\\n\\nRead the story: https://thedo.do/3LRuWjT',)\n", - "Test [ROW DATA] ('alia bhatt appreciation post',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('i know you would say thank you if you could',)\n", - "Test [ROW DATA] ('here’s a weekend gift from me to you',)\n", - "Test [ROW DATA] ('ok who is as excited as i am for this',)\n", - "Test [ROW DATA] ('that photo is just ✨chefs kiss✨',)\n", - "Test [ROW DATA] ('just wanted to show you guys this pic of me looking at my unread emails this morning',)\n", - "Test [ROW DATA] ('send help',)\n", - "Test [ROW DATA] (\"You won't be able to choose 😻\\n\\n👉 https://thedo.do/3RVbcQg\",)\n", - "Test [ROW DATA] ('admin breakfast',)\n", - "Test [ROW DATA] ('Can’t believe they found her!\\xa0😮\\n\\nRead about the rescue here: https://thedo.do/3QccCEt',)\n", - "Test [ROW DATA] ('The way she ran to him\\xa0💙\\n\\nSee the reunion here: https://thedo.do/3FfSLOy',)\n", - "Test [ROW DATA] (\"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?\",)\n", - "Test [ROW DATA] ('Yeah I’m in. \\nLet me see how quick I could find a flight to get there',)\n", - "Test [ROW DATA] ('Let me know when you land',)\n", - "Test [ROW DATA] ('Excellent',)\n", - "Test [ROW DATA] ('Yo. You around?',)\n", - "Test [ROW DATA] ('they invented formal wear',)\n", - "Test [ROW DATA] ('How did that get in there?\\xa0🐿️\\n\\nFind out here: https://thedo.do/3ZZMOyO',)\n", - "Test [ROW DATA] ('17852533080@s.whatsapp.net',)\n", - "Test [ROW DATA] (\"He'd never seen anything like this 😮\\n\\nRead more: https://thedo.do/3tynAeB\",)\n", - "Test [ROW DATA] ('in a meeting but would rather be talkin to u',)\n", - "Test [ROW DATA] ('if my boss is in here i’m jk! 🥰',)\n", - "Test [ROW DATA] ('the real spooky season',)\n", - "Test [ROW DATA] ('Read this if you dare 😱 👻🎃\\n\\n👉 https://thedo.do/3M9iBHK',)\n", - "Test [ROW DATA] ('🤪 HAPPY FRIDAY (or whatever day it is where you are)!!!!!🤪',)\n", - "Test [ROW DATA] ('here to make you un-bored because you’re my friends',)\n", - "Test [ROW DATA] ('if you love me back just put a heart on this message (you better)',)\n", - "Test [ROW DATA] (\"It's Reptile Awareness Day and we are VERY aware of this 14-foot reptile 🐍. \\n\\nRead the full story: https://thedo.do/3Q7aFIh\",)\n", - "Test [ROW DATA] ('like? no notes',)\n", - "Test [ROW DATA] ('i need to share one of my fav movie scenes literally ever',)\n", - "Test [ROW DATA] ('soooooo',)\n", - "Test [ROW DATA] ('They never lost hope 😭\\n\\n👉 https://thedo.do/3SdX3xz',)\n", - "Test [ROW DATA] ('Cat or void? 🐈\\u200d⬛ \\n\\nRead to find out: https://thedo.do/3QmdUgl',)\n", - "Test [ROW DATA] ('ITS DAY 1',)\n", - "Test [ROW DATA] ('All she wanted was her happily-ever-after 😭\\n\\nRead her story: https://thedo.do/3NViC3b',)\n", - "Test [ROW DATA] ('i wish you guys could respond to me 😣 but if i see you talking about me on social ill try to respond in here !!!!!',)\n", - "Test [ROW DATA] (\"He almost didn't notice her 🥺\\n\\nRead more: https://thedo.do/3UuKLlB\",)\n", - "Test [ROW DATA] ('This dog rescuer got a devastating call 💔\\n\\nRead more: https://thedo.do/42F6Vnm',)\n", - "Test [ROW DATA] ('Someone was trapped inside! \\n\\nRead to find out what they found \\U0001f979 https://thedo.do/3w7RmZ3',)\n", - "Test [ROW DATA] ('i’m in my feelings',)\n", - "Test [ROW DATA] ('They can’t tell what kind of animal this is 👀\\n\\nRead more: https://thedo.do/3QSqtQg',)\n", - "Test [ROW DATA] ('GOOOOD MORNING CUBBBBIES',)\n", - "Test [ROW DATA] ('Hey bud. Hope it’s more secure here',)\n", - "Test [ROW DATA] ('I’m with the gang but they have someone at the table across',)\n", - "Test [ROW DATA] ('Yes sir. Super nice.',)\n", - "Test [ROW DATA] ('Occasionally off but otherwise ok. 🤣',)\n", - "Test [ROW DATA] ('lol\\nComing? Need you to intro if you could',)\n", - "Test [ROW DATA] ('I’m shy with girlz',)\n", - "Test [ROW DATA] (\"Of course, my dude. Pretty sure she's available. Last dude was a prick like cacti b.\",)\n", - "Test [ROW DATA] ('Are you still alive?',)\n", - "Test [ROW DATA] ('Yeah. Had good time\\nThanks for the intro to Sharon.',)\n", - "Test [ROW DATA] ('We even met earlier but I know she has to leave today',)\n", - "Test [ROW DATA] ('Werd.',)\n", - "Test [ROW DATA] ('She’s actually really cool 😎',)\n", - "Test [ROW DATA] (\"That sucks. How'd it go?\",)\n", - "Test [ROW DATA] ('We will follow up',)\n", - "Test [ROW DATA] ('Nice! Glad you hit it off.',)\n", - "Test [ROW DATA] ('But I’m in a meeting and was wondering if you have anything for me for later?',)\n", - "Test [ROW DATA] (\"Sure. Let's connect later. I've got a couple of meetings myself coming up.\",)\n", - "Test [ROW DATA] ('I’m at the Cloud9 \\n\\nBattery about to die. Coming here?',)\n", - "Test [ROW DATA] (\"I'll be at the main hall tomorrow morning.\",)\n", - "Test [ROW DATA] ('Nah, in another meeting over here.',)\n", - "Test [ROW DATA] ('EMILY IN PARIS FIRST LOOOOKS! (coming aug 15)',)\n", - "Test [ROW DATA] (\"Good after party of you're interested\",)\n", - "Test [ROW DATA] ('Safe travels. It was great to see you as always, and productive . 😀',)\n", - "Test [ROW DATA] ('Till next time. \\nWe need to work on what we’ve discussed before Salt Lake',)\n", - "Test [ROW DATA] ('Of course. Hows it going with Sharon?',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('Awesome!',)\n", - "Test [ROW DATA] ('Bro. Almost got shot today.',)\n", - "Test [ROW DATA] (\"What the hell you'd do?\",)\n", - "Test [ROW DATA] ('https://x.com/emergencystream/status/1800602193025769961?s=46',)\n", - "Test [ROW DATA] ('Was just heading back to the Marriott from that peach tree center',)\n", - "Test [ROW DATA] ('And people pushed us on the way, shouting active shooter',)\n", - "Test [ROW DATA] ('Lol. I thought like you were getting shot at.',)\n", - "Test [ROW DATA] ('Almost as bad. Sheesh.',)\n", - "Test [ROW DATA] ('Me too. Mass shooting. I bailed',)\n", - "Test [ROW DATA] ('Well I’m grabbing dinner now. Got lots of popo here now',)\n", - "Test [ROW DATA] ('I bet. Def lay low.',)\n", - "Test [ROW DATA] ('Btw. Have you heard from Sharon lately?',)\n", - "Test [ROW DATA] (\"Sorry, missed this. No, I haven't. She's been unusually quiet.\",)\n", - "Test [ROW DATA] (\"You didn't make her mad, did you? 🤣\",)\n", - "Test [ROW DATA] ('Well I hope not',)\n", - "Test [ROW DATA] ('If you see them tell them I said hello.',)\n", - "Test [ROW DATA] ('I know those two!',)\n", - "Test [ROW DATA] ('Wilco',)\n", - "Test [ROW DATA] ('No kidding! How did it go?',)\n", - "Test [ROW DATA] ('S is missing you a little, I think. When did you last talk to her?',)\n", - "Test [ROW DATA] ('Trying to reach out to her on Signal but I get no signal.',)\n", - "Test [ROW DATA] ('She said she got kicked out. Trying now again. Weird',)\n", - "Test [ROW DATA] ('okay cubbies i gotta go to bed now. good night (morning/afternoon) ily sweet dreams 🌙✨💤',)\n", - "Test [ROW DATA] ('i’m with the That ‘90s Show cast right now and they wanted to say HIIII',)\n", - "Test [ROW DATA] ('how rude of me… GOOD MORNING AFTERNOON NIGHT CUBBIES',)\n", - "Test [ROW DATA] ('Happy Sunday wine 🍷',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] ('HI CUBBIES!!',)\n", - "Test [ROW DATA] ('{\"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}',)\n", - "Test [ROW DATA] ('{\"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}',)\n", - "Test [ROW DATA] ('Citi tudy group218',)\n", - "Test [ROW DATA] ('{\"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.\"}',)\n", - "Test [ROW DATA] ('🙋\\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!*',)\n", - "Test [ROW DATA] ('13412133458@s.whatsapp.net',)\n", - "Test [ROW DATA] ('13412133458@s.whatsapp.net',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('13213147461@s.whatsapp.net',)\n", - "Test [ROW DATA] (' *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 💬☕️*',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('*Now let me describe what Citigroup can position to offer investors?*',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('13412133458@s.whatsapp.net',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('How much can I start investing? Can I start with $5k?',)\n", - "Test [ROW DATA] ('*There is no financial limit and almost anyone can participate.*',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('I wonder what projects this group of analysts are sharing to invest in? Is this really profitable?',)\n", - "Test [ROW DATA] ('17625243488@s.whatsapp.net',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('What is BTC smart contract trading? Never heard of such an investment program. How does this work?',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('🌙🌙🌙*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!!!*',)\n", - "Test [ROW DATA] ('Hello, beautiful Ms. Lisena',)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('*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. 🎊🎊🌈🌈*',)\n", - "Test [ROW DATA] ('*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 💬☕️*',)\n", - "Test [ROW DATA] ('OK, I sent you a message, looking forward to it...',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Hello, beautiful Assistant Lisena Gocaj, I am so glad to receive your blessing. I look forward to watching analysts share trading signals today',)\n", - "Test [ROW DATA] ('Finally able to trade again, since the last time analysts notified the market volatility to stop trading, it has been more than a week.',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('Wow, I earned so much in just a few minutes, which is equivalent to my salary for many days.',)\n", - "Test [ROW DATA] ('OK, I registered and deposited $5,000 yesterday, looking forward to the profit you can bring me😎',)\n", - "Test [ROW DATA] ('Lisena, I want to join you, how can I do it, I want to get the same profit as them',)\n", - "Test [ROW DATA] ('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',)\n", - "Test [ROW DATA] ('Hi Lisena, I have registered and funds have been transferred. When can I start trading?',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] (\"📢📢📢*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!*👇🏻👇🏻\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"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*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] (\"I agree with the analyst's point of view. I believe in the analyst's ability and Citi's strength.\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('Just landed 🛬 😮\\u200d💨',)\n", - "Test [ROW DATA] ('*🌙🌙🌙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*',)\n", - "Test [ROW DATA] ('What are you doing up there???',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*[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',)\n", - "Test [ROW DATA] ('💁\\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.',)\n", - "Test [ROW DATA] ('*Dear friends, next teacher Andy will share some knowledge points about BTC smart contract transactions*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"Thanks to Lisena's help yesterday, I already have my own Citi World trading account. Wait for analysts to share their professional trading advice.\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('Monica, have a great weekend, I just increased my funds and I want to get more profit.',)\n", - "Test [ROW DATA] ('Lisena, I have registered for a Citi trading account, but have not yet deposited funds.',)\n", - "Test [ROW DATA] ('I used my profit from yesterday to buy a lot of wine and took it home. lol..',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] (\"*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.\",)\n", - "Test [ROW DATA] (\"What??? Seriously?! That's awesome!\",)\n", - "Test [ROW DATA] (\"You should've taken Sharon. She would've loved that.\",)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('Will be with her soooon',)\n", - "Test [ROW DATA] ('17625243488@s.whatsapp.net',)\n", - "Test [ROW DATA] ('That confidentiality is really nice.👍🏻',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('Received, thank you analyst for your professional sharing.',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('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.*',)\n", - "Test [ROW DATA] ('Inflation has always bothered me and made me very frustrated',)\n", - "Test [ROW DATA] (\"*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\",)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] (\"*🌹🌹🌹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!*\",)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('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!',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('Trading BTC \"contracts\" with analysts made me realize how easy it is to make money. This is an amazing thing.',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('Because Citigroup has a large analyst team',)\n", - "Test [ROW DATA] ('Why are Mr. Andy’s trading signals so accurate?',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.',)\n", - "Test [ROW DATA] ('After listening to your detailed explanation, I have a deeper understanding of the BTC contract. Thanks for sharing',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('OK, thanks for the knowledge sharing analyst. Let me learn a lot',)\n", - "Test [ROW DATA] ('*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',)\n", - "Test [ROW DATA] ('*3. Flexibility of trading orders*',)\n", - "Test [ROW DATA] ('*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',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*2: BTC contracts can hedge risks*',)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('*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',)\n", - "Test [ROW DATA] ('Very convenient, I can trade while enjoying my free time. Lying on the sofa also achieves the purpose of making money.',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*Today’s sharing ends here. Friends who don’t have a BTC smart contract trading account can contact me for help*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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!*',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',)\n", - "Test [ROW DATA] ('You made so much money in such a short time?',)\n", - "Test [ROW DATA] (\"Yes, we should thank Andy's analyst team. Without them, there would be no such accurate trading signals.\",)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('ETH ETF to be available next week? Expect unexpected things to happen',)\n", - "Test [ROW DATA] ('Thank you very much, I can make money every day',)\n", - "Test [ROW DATA] ('I think SOL will rise fast, just like what happened to ETH when the BTC ETF rose',)\n", - "Test [ROW DATA] ('Big week for crypto is coming up! Bitcoin bottoms, Congressional crypto hearing, SEC Ethereum',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('I was worried about this at first, but I made $650 in a few minutes.',)\n", - "Test [ROW DATA] ('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?',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*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*.',)\n", - "Test [ROW DATA] (\"*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*\",)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('Thank you Mr. Andy for sharing. I believe these indicators can help me analyze the market more accurately in future transactions.',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] ('*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)*',)\n", - "Test [ROW DATA] (\"*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*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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)*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('As a global financial group with two hundred years of history, I firmly believe in the strength of Citigroup',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Buffett often says , \"Nobody wants to get rich slowly.\"',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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👇🏻👇🏻👇🏻*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('MISSED YOU SM',)\n", - "Test [ROW DATA] ('Good afternoon Lisena, yes I have learned a lot about trading here',)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('how many of you are BIGGGGGGG umbrella academy lovers 👀👀👀👀👀☔️☔️☔️☔️☔️☔️☔️☔️',)\n", - "Test [ROW DATA] ('For the first time ever, BTC is one of the key components of a major political party platform.',)\n", - "Test [ROW DATA] (\"*Now, let's join hands and start this exciting journey together! In Citi World platform, your dream, will not be far away.*\",)\n", - "Test [ROW DATA] (\"Trump's big cryptocurrency push, and I think it's like a coming bull market.\",)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('Cryptocurrency is becoming a political issue. I think BTC will be the deciding factor in this election',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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.\"',)\n", - "Test [ROW DATA] ('Trump was very much \"Make America Great Again\" when he talked about making Bitcoin a central part of his domestic strategy.',)\n", - "Test [ROW DATA] ('*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!*',)\n", - "Test [ROW DATA] ('I have been following this for a long time. If I want to participate, what should I do?',)\n", - "Test [ROW DATA] ('Imagine if we traded 60,000 this week, all the bears would be dead 🐻😹',)\n", - "Test [ROW DATA] ('Each trade gives me more confidence in trading',)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('The bull market will be wild and crazy',)\n", - "Test [ROW DATA] ('I am so ready for this',)\n", - "Test [ROW DATA] ('i maaaaaay have something rly cool for some of u 😬😬😬😬',)\n", - "Test [ROW DATA] ('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", - "Test [ROW DATA] ('👆👆👆👆👆 \\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👆👆👆👆👆',)\n", - "Test [ROW DATA] ('*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!*',)\n", - "Test [ROW DATA] ('🐳🐳 *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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('👇👇👇*The red arrows represent bearish market price whales* 🐳',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Analyst Mr. Andy previously said that BTC will break through $100,000 this year',)\n", - "Test [ROW DATA] ('‼️ ‼️ ‼️ ‼️ *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.* ‼️ ‼️ ‼️ ‼️',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"👇 👇👇*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*\",)\n", - "Test [ROW DATA] ('*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!*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('There is no limit to the amount of money invested',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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?*',)\n", - "Test [ROW DATA] ('Do I have to use $1000 to trade?',)\n", - "Test [ROW DATA] ('Lisena, you are really responsible and gentle',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"Don't hesitate, the opportunity to make money will not wait for us. I also want more trading signals like this every day.\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Lisena, I agree with you',)\n", - "Test [ROW DATA] ('Great, thanks to the analyst',)\n", - "Test [ROW DATA] ('😤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.',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] (\"I'm ready, Lisena\",)\n", - "Test [ROW DATA] ('Man, get in on the trade early and you’ll make more money.',)\n", - "Test [ROW DATA] (\"Yes, I have been looking forward to today's trading signal as well.🤩\",)\n", - "Test [ROW DATA] (\"OK, I can't wait to get in on the trade.\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('17625243488@s.whatsapp.net',)\n", - "Test [ROW DATA] ('17625243488@s.whatsapp.net',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"🌟🌟🌟*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?*\",)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Good morning, analyst.',)\n", - "Test [ROW DATA] ('Thanks to the team at Citi for increasing our revenue, I believe our relationship will be long-lasting',)\n", - "Test [ROW DATA] ('Both BTC and ETH are trending back a bit today, will this help us trade today',)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('🏦*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.*',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('Mr. Andy Sieg, when do we start trading whale programs. Looking forward to your wonderful sharing',)\n", - "Test [ROW DATA] ('Bitcoin needs to wait for the CPI as yesterday Jerome Powell said the Fed is in no hurry to cut rates',)\n", - "Test [ROW DATA] (\"*⚠️⚠️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. ⚠️⚠️*\",)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*⚠️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!*',)\n", - "Test [ROW DATA] (\"🌏 *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.*\",)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('*⚠️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!*',)\n", - "Test [ROW DATA] (\"🌏 *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.*\",)\n", - "Test [ROW DATA] (\"🏦 *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*\",)\n", - "Test [ROW DATA] (\"I think if tomorrow's CPI does well, it can pull BTC back to $60,000\",)\n", - "Test [ROW DATA] ('*⚠️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%*',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('🔔 *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.*',)\n", - "Test [ROW DATA] ('*Dear friends, next I will share some knowledge with you, I hope you will read it carefully.*',)\n", - "Test [ROW DATA] ('🔰 *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*',)\n", - "Test [ROW DATA] ('Haha, this way we can make more money and not be so tired. We can achieve financial freedom easily.',)\n", - "Test [ROW DATA] (\"I will find a way to raise more funds to join the whale program, I don't make as much as you do now😔\",)\n", - "Test [ROW DATA] (\"It's crazy time again🤩\",)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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.👍🏻👍🏻👍🏻',)\n", - "Test [ROW DATA] ('Cool! The Whale Project! I like the name and I hope we become a big whale in the market soon',)\n", - "Test [ROW DATA] ('Notify us to short sell. The price started to fall right after we bought it.👍🏻',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('35% profit, great,this makes me look forward to the profits of the whale plan more and more🐋',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('I have to give a big thumbs up to Teacher Andy',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('Hey I’m headed to concierge pool, meet me there!',)\n", - "Test [ROW DATA] ('Looking forward to the \"big deal\"',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] ('This means we are making the best choice to invest in cryptocurrencies',)\n", - "Test [ROW DATA] ('Many people are saying that the Fed is likely to keep interest rates unchanged',)\n", - "Test [ROW DATA] ('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. (🙏🏻)',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('*2. Investor risk appetite*\\n*Reduced risk appetite: During a rate hike cycle, investors tend to be more cautious and have lower risk appetite.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] (\"I envy your life! Don't you have to work today?\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('You go hiking in such a hot day.',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Haha, there is still enough time, otherwise it will be your loss if you miss the trading signal.',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] ('*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:*',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] ('Historically, rate cuts usually lead to lower interest rates first',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*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.\"*',)\n", - "Test [ROW DATA] ('*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.\"*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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!\"*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('Rate cuts always bring sell-offs and plunges! I think it will fall at least 20%',)\n", - "Test [ROW DATA] ('I am reading carefully',)\n", - "Test [ROW DATA] ('*I think most of you have heard this story, but have you ever thought about it deeply?*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] (\"*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!*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('Is this true? Are the trading signals always so accurate?',)\n", - "Test [ROW DATA] ('I believe every US person knows Citigroup. Our cooperation with anyone is based on mutual trust.',)\n", - "Test [ROW DATA] ('Good morning, analyst.',)\n", - "Test [ROW DATA] ('This is of course true. I have been trading with Andy for a long time.',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('We all make money into our own pockets.😁😁',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] (\"Are y'all going anywhere?\",)\n", - "Test [ROW DATA] (\"It's okay man, the purpose of making money is to enjoy life\",)\n", - "Test [ROW DATA] ('I am now looking forward to joining the Whale Plan next week so I can make more money.😆',)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('That is a must. Who doesn’t want to make more money to achieve financial freedom?',)\n", - "Test [ROW DATA] ('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.\"',)\n", - "Test [ROW DATA] ('Haha, you are good at coaxing your wife.👍',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] (\"I've been observing for a while, and every time I see you guys making so much money, I'm tempted,\",)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] (\"Everyone is preparing for next week's Goldfish Project. lol.\",)\n", - "Test [ROW DATA] (\"Time flies, it's Friday again and I won't be able to trade for another 2 days.\",)\n", - "Test [ROW DATA] ('18297659835@s.whatsapp.net',)\n", - "Test [ROW DATA] ('18297659835@s.whatsapp.net',)\n", - "Test [ROW DATA] ('18297659835@s.whatsapp.net',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*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!*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('I can not wait any more.',)\n", - "Test [ROW DATA] ('You better be on your best behavior down there.',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] (\"I'm ready.\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"*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!*🌹🌹🌹\",)\n", - "Test [ROW DATA] ('Lisena, if I also want to participate in the Whale Project next week, are there any requirements?',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('I see you used $2893 and made $1070. If you used $140k like me to participate in the transaction, you would make $51k. lol..',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('There are really a lot of profit points today, haha.',)\n", - "Test [ROW DATA] (\"Yeah, so I'm going to go raise funds this weekend.\",)\n", - "Test [ROW DATA] ('Hola 👋🏻',)\n", - "Test [ROW DATA] ('😜He made some money last week, so he must have gone on a date today.',)\n", - "Test [ROW DATA] ('Christian, where are you going to go after washing the car?',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] (\"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!\",)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('Are you washing your car to pick up girls at night? Haha',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Good morning, Mr. Andy.',)\n", - "Test [ROW DATA] ('Finally finished washing, it took me so long',)\n", - "Test [ROW DATA] ('https://www.youtube.com/watch?v=0PW3aBqjCgQ',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('Looking forward to the first trading day of the week',)\n", - "Test [ROW DATA] ('Yeah, I often play with clients.',)\n", - "Test [ROW DATA] ('Today, the price of BTC has reached above $63,000 again, which is a very good sign',)\n", - "Test [ROW DATA] (\"Of course I can't compare with you, haha, I have to maintain my figure\",)\n", - "Test [ROW DATA] ('Is this all you eat for breakfast?',)\n", - "Test [ROW DATA] (\"(and a new documentary series chronicling carlos alcaraz's 2024 season is coming to netflix in 2025)\",)\n", - "Test [ROW DATA] ('Do you still play golf?',)\n", - "Test [ROW DATA] (\"*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*\",)\n", - "Test [ROW DATA] ('BTC has risen to $63,000 and I am very much looking forward to trading this week🤩',)\n", - "Test [ROW DATA] ('Lisena Gocaj, has the Whale Project started?',)\n", - "Test [ROW DATA] ('Yes, we have been looking forward to the arrival of the trading plan 🤣',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('Great, Whale Project, can make more money again.',)\n", - "Test [ROW DATA] ('I have registered, but my funds have not yet arrived in my trading account. 😔 I feel like I have missed a big opportunity.',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('Good afternoon, analyst',)\n", - "Test [ROW DATA] ('Today was the bsmesg. :)',)\n", - "Test [ROW DATA] ('*🌹🌹🌹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*',)\n", - "Test [ROW DATA] ('*[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',)\n", - "Test [ROW DATA] ('You can participate in trading once the funds arrive in your trading account.',)\n", - "Test [ROW DATA] ('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?',)\n", - "Test [ROW DATA] (\"Luckily, I caught today's deal. I just got home with my grandson🤣\",)\n", - "Test [ROW DATA] ('You are very timely. Lol 👍🏻',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('Beautiful lady, is Manhattan so hot right now?',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('I was restricted before, but later Lisena asked me to wire money.',)\n", - "Test [ROW DATA] ('I deposited money to my crypto.com yesterday and bought USDT, why won’t it let me send it to my trading account?',)\n", - "Test [ROW DATA] (\"Hello Jason, yes, as long as the funds reach your trading account, you can participate in today's Whale Plan.\",)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('Analyst trading signals remain accurate',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"You can come to the Bay Area for vacation, it's very cool here\",)\n", - "Test [ROW DATA] (\"Yeah, today's weather is like a sauna\",)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('Haha, you can also come to Seattle for vacation. I can take you around.',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('You are right. Only by seizing the opportunity to make money can you earn the wealth you want and enjoy life better.',)\n", - "Test [ROW DATA] ('The sooner you join, the sooner you can achieve financial freedom, haha',)\n", - "Test [ROW DATA] ('A good start to the day',)\n", - "Test [ROW DATA] (\"*[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.\",)\n", - "Test [ROW DATA] ('heeheheheh',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Yes, he is a staunch supporter of cryptocurrency',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] (\"🌐🎯 *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*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('Hate airports',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] (\"I'm not too bullish on Biden. I prefer Trump because I trade cryptocurrencies😂\",)\n", - "Test [ROW DATA] ('*Since the market test risk is greater than 5%, trading has been suspended. Please wait patiently for notification.*',)\n", - "Test [ROW DATA] (\"*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\",)\n", - "Test [ROW DATA] (\"*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☎️☎️*\",)\n", - "Test [ROW DATA] (\"*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*\",)\n", - "Test [ROW DATA] (\"*🎉🎉🎊🎊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🌹🌹🌹*\",)\n", - "Test [ROW DATA] (\"*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\",)\n", - "Test [ROW DATA] (\"*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!*\",)\n", - "Test [ROW DATA] ('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%.',)\n", - "Test [ROW DATA] ('🎉🎉🎊🎊 *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*🌹🌹🌹',)\n", - "Test [ROW DATA] (\"You are lucky to catch today's trading signal.\",)\n", - "Test [ROW DATA] ('Finally, I can participate in the transaction.',)\n", - "Test [ROW DATA] ('I am ready.',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('Haha, I can go out traveling this weekend.',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('okay',)\n", - "Test [ROW DATA] (\"*🎉🎉🎊🎊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☎️☎️*\",)\n", - "Test [ROW DATA] (\"*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*\",)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('I was looking at cars with my family.',)\n", - "Test [ROW DATA] ('What do you guys do on the weekends?',)\n", - "Test [ROW DATA] ('Haha, I am also accompanying my wife to look at cars😁',)\n", - "Test [ROW DATA] (\"You all made a lot of money on last week's Whale Scheme, unfortunately I only caught the last trade,\",)\n", - "Test [ROW DATA] ('Did you watch the news? Biden is dropping out of the presidential race.',)\n", - "Test [ROW DATA] ('So you all understand…. Biden is dropping out of the race, but he still has until January 2025 to finish this term.',)\n", - "Test [ROW DATA] ('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.🥰',)\n", - "Test [ROW DATA] ('My family and I are still looking and have not yet decided. We have looked at many cars.',)\n", - "Test [ROW DATA] (\"That's right, we can make more money.😎\",)\n", - "Test [ROW DATA] ('*[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*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('I got a new message. Biden officially announced his withdrawal from this election. Will the bulls get on track?',)\n", - "Test [ROW DATA] ('BTC is rising towards $70,000 today, and it looks like the crypto market will have a new breakthrough in the new week',)\n", - "Test [ROW DATA] (\"Don't rush the analysts, Lisena will send us trading signals when they appear.\",)\n", - "Test [ROW DATA] (\"I've been ready for this and am really looking forward to today's deal.\",)\n", - "Test [ROW DATA] ('https://m.coinol.club/#/register?verify_code=kxWtZs',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] ('Yes, can those of us who have already participated in the transaction still participate? I also want to increase my own funds.',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('Lisena Can I still attend this event?',)\n", - "Test [ROW DATA] ('*🌹🌹🌹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.*',)\n", - "Test [ROW DATA] (\"Relax. The benefits will satisfy you. From an old man's experience🤝🏻\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"📢📢📢*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.*\",)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('You are right, the mechanics of the stock market gave me a lot of headaches and I lost a lot of money',)\n", - "Test [ROW DATA] ('Can buy or sell at any time, and when analysts find trading signals, we can be the first to buy or sell',)\n", - "Test [ROW DATA] ('Ether ETF Approved for Listing How will it affect the price of Ether?',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"*'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.*✊🏻✊🏻\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('*🌹🌹🌹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.*',)\n", - "Test [ROW DATA] ('OK, Lisena',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('The more you deposit, the more profit you earn',)\n", - "Test [ROW DATA] (\"Where are you at, my dude. You've been super quiet.\",)\n", - "Test [ROW DATA] ('Hello??',)\n", - "Test [ROW DATA] (\"Let's drink together and celebrate today's victory\",)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('When you have as much money as I do, you will also earn as much.',)\n", - "Test [ROW DATA] ('*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!*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"It's so hot, and you guys are still going out to play. I just woke up from drinking too much last night.😂\",)\n", - "Test [ROW DATA] ('Thank you, Lisean!',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*🌹🌹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.*',)\n", - "Test [ROW DATA] ('What did you do????? 😭',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('*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!🌹🌹*',)\n", - "Test [ROW DATA] ('I also took out a loan from a bank, but I have already paid it off.',)\n", - "Test [ROW DATA] ('Good night, Lisena!',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*[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]\",)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*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',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*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',)\n", - "Test [ROW DATA] ('12027132090@s.whatsapp.net',)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('I still find it hard to believe 😱',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*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',)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('Wow, are you playing tennis?',)\n", - "Test [ROW DATA] ('Have a nice weekend, friends.',)\n", - "Test [ROW DATA] ('Yes, the weekend needs exercise, it will be a good weekend',)\n", - "Test [ROW DATA] ('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😁',)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('Good morning, friends, a new week and a new start.',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Lisena, are there any trading signals today?',)\n", - "Test [ROW DATA] ('It really sucks to have no trading over the weekend.',)\n", - "Test [ROW DATA] ('I have observed that the BTC market has been very volatile in the past few days. Will this affect our trading?',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"There have been no trading signals for two days and I can't wait any longer.\",)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] (\"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\",)\n", - "Test [ROW DATA] ('okay',)\n", - "Test [ROW DATA] ('I am ready',)\n", - "Test [ROW DATA] ('Alright, I got it',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('ok',)\n", - "Test [ROW DATA] ('yes really great',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('Wish I could make that much money every day this profit is driving me crazy',)\n", - "Test [ROW DATA] ('wow very big profit',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('This opportunity does not come along every day',)\n", - "Test [ROW DATA] (\"Dude. Call me. Need to make sure you're ok. I'm worried.\",)\n", - "Test [ROW DATA] ('I know, so just hope LOL',)\n", - "Test [ROW DATA] ('Cherish every trading opportunity',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] (\"Of course I'm looking forward to it! Big deals bring big profits! I'm not a fool\",)\n", - "Test [ROW DATA] (\"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?\",)\n", - "Test [ROW DATA] ('*[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',)\n", - "Test [ROW DATA] ('It looks delicious! You should expect more than profit on big trades, as I do!',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('I believe that with the help of Mr. Andy and Lisena, you will make enough money and quit your part-time job.',)\n", - "Test [ROW DATA] ('Haha, I believe everyone doesn’t want to miss the trading signals.',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] (\"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.\",)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*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!🌹🌹*',)\n", - "Test [ROW DATA] ('Seriously starting to worry now.',)\n", - "Test [ROW DATA] (\"*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*\",)\n", - "Test [ROW DATA] ('If I have any questions I will always contact you. Thank you, Lisena',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('I closed a deal and made some money so I went out for drinks with my friends. Anyone want to celebrate with me?',)\n", - "Test [ROW DATA] ('😎Persistence is the loneliest, but you have to persevere. In the end, it is the people who persevere who will be seen to succeed.',)\n", - "Test [ROW DATA] ('Yes, all encounters are the guidance of fate.',)\n", - "Test [ROW DATA] (\"*You're welcome. It's a fate that we can meet in this group.*\",)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('*[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】',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('Haha, yes, he should be eager to join',)\n", - "Test [ROW DATA] (\"I am celebrating today's victory with my family 🥂\",)\n", - "Test [ROW DATA] ('I am also going to share this amazing good news with my friend, I believe he will be very surprised 😁',)\n", - "Test [ROW DATA] ('*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!🌹🌹*',)\n", - "Test [ROW DATA] (\"Of course, who doesn't want to make money\",)\n", - "Test [ROW DATA] ('*[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]',)\n", - "Test [ROW DATA] ('*Dear members and friends, good morning☀️*',)\n", - "Test [ROW DATA] ('Yes, our team is getting stronger and stronger.',)\n", - "Test [ROW DATA] ('There are new friends coming in, welcome',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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", - "Test [ROW DATA] (\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",)\n", - "Test [ROW DATA] ('*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!*',)\n", - "Test [ROW DATA] ('🌎🌍🌍*【Global News Today】*',)\n", - "Test [ROW DATA] ('I have just joined this team and hope to learn more relevant trading knowledge from everyone in future transactions.🤝🏻🤝🏻🤝🏻',)\n", - "Test [ROW DATA] (\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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*\",)\n", - "Test [ROW DATA] ('thx',)\n", - "Test [ROW DATA] ('Haha, yes, and it only took 10 min',)\n", - "Test [ROW DATA] ('*Yes, please be patient and I will send the trading signal later.*',)\n", - "Test [ROW DATA] ('Haha my friends watched me make money and now they want to join us',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('*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!🌹🌹*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('My friend, it is OK. Now you just need to wait patiently for the trading signal.',)\n", - "Test [ROW DATA] ('My god, our profits are so high, your friend may be shocked 🤣',)\n", - "Test [ROW DATA] (\"It's the same feeling I had when I watched you guys making money Lol🤣\",)\n", - "Test [ROW DATA] ('*[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”]',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('I agree too!',)\n", - "Test [ROW DATA] ('*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🌹🌹🌹*',)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] ('Thanks to Teacher Andy and Lisena!',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] (\"Ok, if I don't hear back from you I'm seriously gonna call the cops.\",)\n", - "Test [ROW DATA] ('*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.*',)\n", - "Test [ROW DATA] (\"*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*\",)\n", - "Test [ROW DATA] (\"*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.*\",)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('Very good profit!',)\n", - "Test [ROW DATA] (\"It's been a week.\",)\n", - "Test [ROW DATA] ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',)\n", - "Test [ROW DATA] ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',)\n", - "Test [ROW DATA] ('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',)\n", - "Test [ROW DATA] ('GOOD MORNING GOOD AFTERNOON GOODNIGHT !!!',)\n", - "Test [ROW DATA] ('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.',)\n", - "Test [ROW DATA] ('Dude, where have you been??? Last I heard you were on a cruise and then you mouthed off to Sharon?',)\n", - "Test [ROW DATA] ('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!',)\n", - "Test [ROW DATA] ('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!!',)\n", - "Test [ROW DATA] ('I had to handle something.',)\n", - "Test [ROW DATA] ('Oh. So tell.',)\n", - "Test [ROW DATA] ('Hi',)\n", - "Test [ROW DATA] ('👋🏻 there!!!\\nYou ok? Long time',)\n", - "Test [ROW DATA] (\"GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!! Hope you're having a good weekend ily xoxoxoxo\",)\n", - "Test [ROW DATA] ('SIMPLY IN LOVE',)\n", - "Test [ROW DATA] ('6288219778388@s.whatsapp.net',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('admin_add',)\n", - "Test [ROW DATA] ('Hey! How are you?',)\n", - "Test [ROW DATA] ('{\"is_admin\":false,\"trigger_type\":0}',)\n", - "Test [ROW DATA] ('447774217081@s.whatsapp.net',)\n", - "Test [ROW DATA] ('447774217081@s.whatsapp.net',)\n", - "Test [ROW DATA] ('447774217081@s.whatsapp.net',)\n", - "Test [ROW DATA] ('{\"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\"}',)\n", - "Test [ROW DATA] ('{\"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\"}',)\n", - "Test [ROW DATA] ('{\"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}',)\n", - "Test [ROW DATA] ('{\"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}',)\n", - "Test [ROW DATA] ('{\"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}',)\n", - "Test [ROW DATA] ('{\"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\"}]}',)\n", - "Test [ROW DATA] ('{\"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}',)\n", - "Test [ROW DATA] ('{\"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}',)\n", - "Test [ROW DATA] ('{\"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}',)\n", - "Test [ROW DATA] ('{\"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\"}',)\n", - "Test [ROW DATA] ('{\"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\"}',)\n", - "Test [ROW DATA] ('{\"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\"}',)\n", - "Test [ROW DATA] ('{\"m0\":true,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"is_tappable\":true}',)\n", - "Test [ROW DATA] ('{\"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}',)\n", - "Test [ROW DATA] ('Thanks for inviting me to join the BTC trading group',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('*SKOI official website: https://skoi.cc/*',)\n", - "Test [ROW DATA] ('Mr. Robechucks was delighted to invite me to the group again',)\n", - "Test [ROW DATA] ('*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',)\n", - "Test [ROW DATA] ('I have been investing in cryptocurrencies for 5 years and this is great news for me',)\n", - "Test [ROW DATA] ('When did Mr. Robechucks start directing transactions?🤣',)\n", - "Test [ROW DATA] ('Thank you for your invitation. When will the BTC trading start today?',)\n", - "Test [ROW DATA] (\"During this period, I followed Mr. Robechucks's guidance on transactions, which brought me one step closer to buying a house🤝🏻\",)\n", - "Test [ROW DATA] (\"Follow Mr. Robechucks Raul's investment advice and I believe you can afford a house this year😄\",)\n", - "Test [ROW DATA] ('Yes, I think so too. This is my recent profit. I believe my capital will increase in the next few months',)\n", - "Test [ROW DATA] (\"Great, please start trading, I'm ready\",)\n", - "Test [ROW DATA] ('Okay, Mr. Robechucks',)\n", - "Test [ROW DATA] (\"Please start giving trading suggestions. Today's recharge has been completed, so I am very confident now😃\",)\n", - "Test [ROW DATA] (\"OK, I'll keep an eye out for your information\",)\n", - "Test [ROW DATA] ('*📈📈📈📈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)*',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️The second instruction will be issued soon, please be ready*',)\n", - "Test [ROW DATA] ('*📈📈📈📈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)*',)\n", - "Test [ROW DATA] ('Profit $1760',)\n", - "Test [ROW DATA] (\"I'm very happy that I made money on my first order. Please continue\",)\n", - "Test [ROW DATA] ('This is a good start, please keep going and look forward to winning streak😁',)\n", - "Test [ROW DATA] ('win',)\n", - "Test [ROW DATA] ('It’s the second consecutive victory. Today’s market is very good. I continue to look forward to the third consecutive victory😃',)\n", - "Test [ROW DATA] ('The professionalism of the analyst is beyond doubt',)\n", - "Test [ROW DATA] ('The two have won in a row, ask the analyst to bring us more profitable orders',)\n", - "Test [ROW DATA] ('Hope to always cooperate with analysts for win-win results🤝🤝',)\n", - "Test [ROW DATA] (\"Today's profit plan is great😀\",)\n", - "Test [ROW DATA] ('It is a good decision to follow the guidance of Robechucks Raul analyst',)\n", - "Test [ROW DATA] ('I love the profits from this simple trade, it gives me a great sense of achievement',)\n", - "Test [ROW DATA] ('Thank you sir for your trading guidance',)\n", - "Test [ROW DATA] ('Okay, thanks for the hard work of the analyst, looking forward to trading tomorrow, see you tomorrow, I wish you a happy life🤝',)\n", - "Test [ROW DATA] ('Good morning, everyone.🤣',)\n", - "Test [ROW DATA] ('*📣📣📣Good morning everyone. Recently, many new members in the team don’t know much about our company. Let me introduce our company to you*',)\n", - "Test [ROW DATA] ('Okay, Mr. Robechucks',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('This is awesome, I’m honored to join by reviewing😁',)\n", - "Test [ROW DATA] ('Very powerful👍🏻',)\n", - "Test [ROW DATA] (\"I know, I've saved it\",)\n", - "Test [ROW DATA] ('*This is the SKOI website: http://skoi.cc/*\\n\\n*This is the AONE COIN exchange website: https://www.aonecoin.top/*',)\n", - "Test [ROW DATA] ('GOOD MORNING GOOD AFTERNOON GOODNIGHT CUBBIES!!!',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('Please continue sir, I would like to know more🧐',)\n", - "Test [ROW DATA] ('*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*',)\n", - "Test [ROW DATA] ('It is amazing for a company to last for thirty years',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] (\"*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*\",)\n", - "Test [ROW DATA] ('*Why does our company share investment advice with all investors? Because we work with investors to achieve win-win results*',)\n", - "Test [ROW DATA] ('I believe that win-win cooperation leads to long-term cooperation',)\n", - "Test [ROW DATA] ('I agree with this👍🏻',)\n", - "Test [ROW DATA] (\"Thank you for your introduction, I am confident about today's profit plan🤝🏻\",)\n", - "Test [ROW DATA] ('Mr. Robechucks, I await your orders🤝🏻',)\n", - "Test [ROW DATA] ('Nearly $100K, is this just a small portion of your money?',)\n", - "Test [ROW DATA] ('I have prepared a small amount of funds',)\n", - "Test [ROW DATA] ('OK sir',)\n", - "Test [ROW DATA] ('📣📣📣*Dear investors in the group, please be prepared, I will release the BTC trading guidance signal direction*',)\n", - "Test [ROW DATA] (\"Got it, I'm ready\",)\n", - "Test [ROW DATA] ('*⚠️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)*',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] ('Beautiful instruction, the first instruction is profitable',)\n", - "Test [ROW DATA] ('Please continue with the next instruction. I have plenty of time to follow👍🏻',)\n", - "Test [ROW DATA] ('Profit $1760',)\n", - "Test [ROW DATA] ('*⚠️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)*',)\n", - "Test [ROW DATA] (\"Mr. Robechucks, today's profit target has been achieved, thank you for bringing me a huge profit\",)\n", - "Test [ROW DATA] ('Perfect two consecutive victories, looking forward to the arrival of three consecutive victories',)\n", - "Test [ROW DATA] ('👍🏻👍🏻Thank you sir, the wallet keeps growing',)\n", - "Test [ROW DATA] (\"It's a pity that there are only two instructions today🧐\",)\n", - "Test [ROW DATA] ('Thank you sir, looking forward to your profit plan tomorrow, good night👏🏻',)\n", - "Test [ROW DATA] ('GOOD MORNING ☀️ GOOD AFTERNOON 🌺 GOODNIGHT CUBBIES 🌙 !!!',)\n", - "Test [ROW DATA] ('Everything is ready and looking forward to today’s guidance',)\n", - "Test [ROW DATA] ('Following Mr. Robechucks’ investment, I believe that not only will my wallet grow, but I will also learn a lot.👏',)\n", - "Test [ROW DATA] ('Enjoy life👍🏻',)\n", - "Test [ROW DATA] ('You are a foodie🤣',)\n", - "Test [ROW DATA] ('Thank you Mr. Robechucks, when will our profit plan start today?',)\n", - "Test [ROW DATA] ('I applied to the assistant to speak. I am very happy to be an administrator. Thank you for the invitation from the analyst',)\n", - "Test [ROW DATA] ('Yes',)\n", - "Test [ROW DATA] ('Welcome new friends to join us and make money together🤝🏻',)\n", - "Test [ROW DATA] ('Nice, a very good start, hope to keep making profits👏🏻',)\n", - "Test [ROW DATA] ('The first order made a profit of $1760, I am very happy',)\n", - "Test [ROW DATA] ('*⚠️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)*',)\n", - "Test [ROW DATA] (\"okay, finally when it's time to be happy, I'm ready😃\",)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️⚠️I am about to issue the first instruction*',)\n", - "Test [ROW DATA] ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',)\n", - "Test [ROW DATA] ('Okay, long awaited. Always ready for this',)\n", - "Test [ROW DATA] ('Everyone is making money, I am becoming more and more confident, I believe I can also make more money👍',)\n", - "Test [ROW DATA] (\"OK, I'll keep an eye out for your information\",)\n", - "Test [ROW DATA] ('OK, please start',)\n", - "Test [ROW DATA] (\"Thank you Mr. Robechucks, I am very satisfied with today's two order transactions.🤝🏻\",)\n", - "Test [ROW DATA] ('*⚠️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)*',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️⚠️I am about to issue the second command*',)\n", - "Test [ROW DATA] ('Great...The analyst has brought us two consecutive victories',)\n", - "Test [ROW DATA] ('win',)\n", - "Test [ROW DATA] ('Thank you Mr. Robechucks, looking forward to your guidance trading tomorrow👍🏻',)\n", - "Test [ROW DATA] ('Profit $3520',)\n", - "Test [ROW DATA] ('Please continue😀',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] ('Good morning, everyone.',)\n", - "Test [ROW DATA] ('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',)\n", - "Test [ROW DATA] ('Friend, I invest in BTC seconds contract trading',)\n", - "Test [ROW DATA] ('Of course, it was profitable and I already made six withdrawals',)\n", - "Test [ROW DATA] ('What are you guys investing in?',)\n", - "Test [ROW DATA] ('I do not understand. How to invest. how it works',)\n", - "Test [ROW DATA] ('Virtual Reality? invest? Is it profitable?',)\n", - "Test [ROW DATA] ('Investing is simple. We just need to follow the guidance of analysts and place orders to make profits',)\n", - "Test [ROW DATA] ('Only 5000 USDT can be deposited at one time😔',)\n", - "Test [ROW DATA] ('Are ready',)\n", - "Test [ROW DATA] (\"I don't care about anything else. I only care about when today's plan starts\",)\n", - "Test [ROW DATA] ('OK sir,',)\n", - "Test [ROW DATA] ('*⚠️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)*',)\n", - "Test [ROW DATA] ('Perfect two-game winning streak',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️⚠️I am about to issue the first instruction, please be prepared*',)\n", - "Test [ROW DATA] ('Good sir',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] (\"OK, let's start\",)\n", - "Test [ROW DATA] ('Profit $1760👍🏻',)\n", - "Test [ROW DATA] ('*⚠️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)*',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️I am about to issue the second instruction, please be prepared*',)\n", - "Test [ROW DATA] ('win',)\n", - "Test [ROW DATA] ('I like these two orders very much, which made me a profit of $3520',)\n", - "Test [ROW DATA] (\"Thank you sir, I am very satisfied with today's profit plan😄\",)\n", - "Test [ROW DATA] ('https://drive.google.com/drive/folders/1d5OCAPXXpq1m8rQYjmytxHUMQgwpr9jR',)\n", - "Test [ROW DATA] ('Hey dude. Take a look at these and let me know what you think.',)\n", - "Test [ROW DATA] ('Good afternoon Mr. Robechucks',)\n", - "Test [ROW DATA] ('Looking forward to analyst guidance today.',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] ('$4000 Profit Plan is great👏🏻',)\n", - "Test [ROW DATA] ('*🌺🌺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*',)\n", - "Test [ROW DATA] ('*Coinbase, crypto, Cash, and kraken have opened international investment deposit and withdrawal channels. Any country’s fiat currency can be bought and sold here.*',)\n", - "Test [ROW DATA] ('*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/*',)\n", - "Test [ROW DATA] ('Mr Robechucks is very professional👍🏻',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',)\n", - "Test [ROW DATA] (\"OK Mr. Robechucks, let's get started👏🏻\",)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️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)*',)\n", - "Test [ROW DATA] ('Mr. Robechucks is very powerful, please continue to the next instruction',)\n", - "Test [ROW DATA] ('I like this order very much, profit $4400👏🏻👏🏻👏🏻',)\n", - "Test [ROW DATA] ('Is there only one order today? Unfortunately, I only made $1760 from this order',)\n", - "Test [ROW DATA] ('I made a profit of $1760🧐',)\n", - "Test [ROW DATA] ('Adequate funding is the key to my success.🤣🤣',)\n", - "Test [ROW DATA] (\"Thanks Mr. Robechucks, I am very happy with today's profit plan, although there is only one instruction\",)\n", - "Test [ROW DATA] ('Thank you analyst, please have a good rest',)\n", - "Test [ROW DATA] ('OK sir, looking forward to your profit plan today',)\n", - "Test [ROW DATA] ('Waiting for your order analyst',)\n", - "Test [ROW DATA] ('Through my continuous investment, I finally bought the watch I like',)\n", - "Test [ROW DATA] ('continue continue',)\n", - "Test [ROW DATA] ('Okay, Mr. Robechucks',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️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 15 seconds)*',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️Investment order amount: 8000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 8000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 15 seconds)*',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] ('Please continue to the next instruction',)\n", - "Test [ROW DATA] (\"It's finally time to start, I'm ready\",)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️⚠️The first instruction will be released soon*',)\n", - "Test [ROW DATA] ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',)\n", - "Test [ROW DATA] ('This is a failed instruction😡',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️⚠️Please be prepared, I am about to issue the second instruction*',)\n", - "Test [ROW DATA] ('It doesn’t matter if we lose one order, we believe that the analyst will help us recover the loss and make a profit',)\n", - "Test [ROW DATA] ('This order is a pity, I lost money, I hope the next order will be profitable',)\n", - "Test [ROW DATA] (\"This order lost 4000. Today's market is so bad.\",)\n", - "Test [ROW DATA] ('No one can guarantee 100% profit, so to seize every profit opportunity you must have sufficient funds',)\n", - "Test [ROW DATA] (\"Looking forward to Mr.'s profit plan tomorrow😄\",)\n", - "Test [ROW DATA] ('Please continue to the next instruction',)\n", - "Test [ROW DATA] ('Good morning, everyone.',)\n", - "Test [ROW DATA] (\"I have enough funds in my account to protect against market risks, so I don't worry about not being able to keep up with the analyst's instructions🤣\",)\n", - "Test [ROW DATA] ('Yes',)\n", - "Test [ROW DATA] (\"I'm trying to add funds\",)\n", - "Test [ROW DATA] ('Profit $7040👏🏻',)\n", - "Test [ROW DATA] ('Today is not ideal, I only traded $4000 in the second order😥',)\n", - "Test [ROW DATA] (\"I'm ready to follow today's profit plan\",)\n", - "Test [ROW DATA] (\"*⚠️⚠️⚠️SKOI Investment Consulting Company signs a BTC contract with (registered users) investors, which can provide investors with strong interest protection and legal channels for investors to confide (protecting investors' privacy)*\",)\n", - "Test [ROW DATA] (\"*📣📣📣Now let me explain SKOI's investment returns and cooperation methods!*\\n\\n*📣📣📣Interested investors can listen to my explanation and learn more about the advantages of BTC for ordinary investors.*\",)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] (\"Let's start\",)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️The group will have a daily profit plan, offering a minimum profit of $2000 (for investors registered in the group)*\\n\\n*🌺🌺Weekly profit ($20000-40000)*',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️⚠️Please get ready, I am about to issue the first instruction*',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️Investment order amount: 4000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 4000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 15 seconds)*',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️Step 1: First you need an AONE exchange account (you can register by yourself or contact the assistant for help)*',)\n", - "Test [ROW DATA] (\"*1. We provide trading guidance every day. After you make a profit and withdraw (weekly or monthly), you will pay the company the analyst: 15% of the profit as a service guidance fee.*\\n\\n*2. We can guarantee you 100% of your investment income, but you need to give us 50% of the profit as a service guidance fee. (If the analyst's guidance errors cause any losses), we will compensate you for 85% of your losses.*\",)\n", - "Test [ROW DATA] ('When does the Analyst Earnings Program begin?',)\n", - "Test [ROW DATA] ('Okay, analyst.',)\n", - "Test [ROW DATA] (\"I'm glad to be one of them, I want to know when will today's profit plan start?🤝🏻\",)\n", - "Test [ROW DATA] ('Mr. Robechucks, I have every confidence in your guidance trading today',)\n", - "Test [ROW DATA] ('Okay, Mr. Robechucks',)\n", - "Test [ROW DATA] ('Yes, people are very optimistic about BTC in the coming months and even years. Some people predict that the price of BTC will rise to 100,000 in the next year.',)\n", - "Test [ROW DATA] ('Profit of $3520, please proceed to the next instruction😁',)\n", - "Test [ROW DATA] ('80000, which is a certain degree of difficulty\\n\\nBut looking back half a year, compare the prices half a year ago with the current prices.\\n\\nIt seems like everything is possible again.',)\n", - "Test [ROW DATA] ('Great! Profitable on the first order',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️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)*',)\n", - "Test [ROW DATA] ('A perfect two-game winning streak, awesome!🤝🏻',)\n", - "Test [ROW DATA] ('OK, sir',)\n", - "Test [ROW DATA] ('Seize every opportunity to make a profit😃',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️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)*',)\n", - "Test [ROW DATA] ('Please continue to the next instruction',)\n", - "Test [ROW DATA] ('Profit $1760',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️⚠️Please be prepared, I am about to issue the second instruction*',)\n", - "Test [ROW DATA] ('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',)\n", - "Test [ROW DATA] ('OK, it’s finally time to start',)\n", - "Test [ROW DATA] ('win',)\n", - "Test [ROW DATA] ('Mr. Robechucks, I will await your instructions.',)\n", - "Test [ROW DATA] ('I like the profits from trading, it gives me a great sense of achievement😁',)\n", - "Test [ROW DATA] ('I like these two instructions very much and both have made profits.',)\n", - "Test [ROW DATA] ('I like the trading here, and the guidance from analysts is reassuring',)\n", - "Test [ROW DATA] ('Thank you sir for your trading guidance',)\n", - "Test [ROW DATA] ('OK, I will prepare in advance and will not miss any trading guidance🤝',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️According to the BTC market environment, the profit plan will start in ten minutes. Investors, please be ready*',)\n", - "Test [ROW DATA] ('Quietly waiting for your guidance transaction🤣',)\n", - "Test [ROW DATA] ('The assistant suggested I start with $5000🤣',)\n", - "Test [ROW DATA] ('I am very happy to be a part of it and make money with everyone😃',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️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)*',)\n", - "Test [ROW DATA] (\"OK sir, let's get started\",)\n", - "Test [ROW DATA] ('Good, a good start.',)\n", - "Test [ROW DATA] ('Very accurate, I look forward to more winning streaks.',)\n", - "Test [ROW DATA] ('Following the analyst and investing in BTC contract trading, I think the returns are higher than other investments with the lowest risk. I believe I will achieve wealth freedom soon.',)\n", - "Test [ROW DATA] ('The market is very stable today, another profitable order🥰',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️The second 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)*',)\n", - "Test [ROW DATA] ('win🥳',)\n", - "Test [ROW DATA] ('Withdraw to account🤣',)\n", - "Test [ROW DATA] (\"Thank you Mr. Robechucks, I am very pleased with today's earnings plan\",)\n", - "Test [ROW DATA] (\"I like this kind of investment. It is simple and you just need to follow the direction of the analyst's guidance😂\",)\n", - "Test [ROW DATA] ('Failed Instructions',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] (\"Mr. Robechucks, when does today's profit program start?\",)\n", - "Test [ROW DATA] ('*⚠️⚠️Good afternoon everyone, many newcomers have sent me private messages asking me what is BTC contract trading?*\\n\\n*⚠️⚠️Due to the growing popularity of cryptocurrencies, BTC delivery contract trading investment is very popular. Delivery contracts are a profitable investment method that can be traded in a short period of time*\\n\\n*⚠️⚠️It is suitable for all types of investors. Whether you are a novice or an experienced investor, you can join directly. Each transaction lasts 30 seconds, 60 seconds, 90 seconds, 120 seconds, 10 minutes, 30 days. As long as your trading direction is correct, you can get relative profits*',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️The first 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)*',)\n", - "Test [ROW DATA] ('I am very confident that I will not miss any trading opportunities.',)\n", - "Test [ROW DATA] (\"I envy you, I'm still working\",)\n", - "Test [ROW DATA] (\"I'm now ready and logged into my trading account\",)\n", - "Test [ROW DATA] ('Good afternoon everyone😄',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️According to the BTC market environment, the profit plan will start in ten minutes. Investors, please be ready*',)\n", - "Test [ROW DATA] ('The weather is nice today, I took my dog \\u200b\\u200bout for a walk',)\n", - "Test [ROW DATA] (\"Finally I can start trading, I can't wait\",)\n", - "Test [ROW DATA] ('Successfully recover losses and gain profits👍🏻',)\n", - "Test [ROW DATA] ('win',)\n", - "Test [ROW DATA] (\"Celebrate today's profit👏🏻\",)\n", - "Test [ROW DATA] ('The market is bad today, and the first order is a loss',)\n", - "Test [ROW DATA] (\"The loss of an order does not matter, as long as we strictly follow the analyst's guidance to trade, then we can recover the loss and make a profit\",)\n", - "Test [ROW DATA] ('Profit $3520, I like this order😄',)\n", - "Test [ROW DATA] ('Thanks to the analyst, looking forward to the next transaction',)\n", - "Test [ROW DATA] ('Good profits recently🤝🏻',)\n", - "Test [ROW DATA] ('Analyst, please continue, I have plenty of time to follow the orders',)\n", - "Test [ROW DATA] ('Please continue to the next instruction analyst',)\n", - "Test [ROW DATA] ('Loss',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️⚠️Please be prepared, I am about to issue the second instruction*',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️The second 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)*',)\n", - "Test [ROW DATA] ('Prepare to pick up the car😁',)\n", - "Test [ROW DATA] ('How long have you been investing?',)\n", - "Test [ROW DATA] ('I have invested in SKOI for three months. Because my initial capital was relatively small, I thought that investment would require a lot of money at first, but the investment in BTC second contracts is not much. This is very suitable for me.',)\n", - "Test [ROW DATA] ('I started with $2000 and now have more than $30000 in my account. I like this win-win model🤣',)\n", - "Test [ROW DATA] ('Increase funds and maintain profitability🙏🏻',)\n", - "Test [ROW DATA] ('I have already signed up with Assistant Anna to participate',)\n", - "Test [ROW DATA] ('Great, I just made a deposit, can I sign up to participate?😃',)\n", - "Test [ROW DATA] ('I plan to sign up for 100000 and I am working hard to prepare and transfer funds to AONE.',)\n", - "Test [ROW DATA] ('I also applied for registration, hoping to be able to participate. The assistant explained to me that the number of places is limited and it is on a first-come, first-served basis',)\n", - "Test [ROW DATA] ('Mr. Robechucks, I received a notice from my assistant that I plan to sign up for the 50K event👍🏻',)\n", - "Test [ROW DATA] ('OK',)\n", - "Test [ROW DATA] ('winLooking forward to your next guided transaction🤝🏻',)\n", - "Test [ROW DATA] ('Waiting for analyst guidance, is it buy or sell?',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️Order amount: 4000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 4000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',)\n", - "Test [ROW DATA] (\"I can finally start trading. I can't wait😁\",)\n", - "Test [ROW DATA] ('Nice direction, profit of $3520 on this order👏🏻👏🏻👏🏻',)\n", - "Test [ROW DATA] ('Good night, Mr. Robechucks',)\n", - "Test [ROW DATA] ('Thank you sir',)\n", - "Test [ROW DATA] ('*⚠️⚠️⚠️The current trend of the Bitcoin market is relatively stable. I will give you trading guidance for Bitcoin second contracts in ten minutes. Please be prepared*',)\n", - "Test [ROW DATA] ('Thanks to the analyst, looking forward to the next transaction',)\n", - "Test [ROW DATA] ('Finn',)\n", - "Test [ROW DATA] ('Ronen Engler',)\n", - "Test [ROW DATA] ('John Reynolds',)\n", - "Test [ROW DATA] ('Colin DaCopps',)\n", - "Test [ROW DATA] ('Russell Philby',)\n", - "Test [ROW DATA] ('WMzaMoVZnL',)\n", - "Test [ROW DATA] ('Lisena Gocaj',)\n", - "Test [ROW DATA] ('Lisena Gocaj',)\n", - "Test [ROW DATA] ('Lisena Gocaj',)\n", - "Test [ROW DATA] ('Andy Sieg',)\n", - "Test [ROW DATA] ('Howell',)\n", - "Test [ROW DATA] ('Yaliweisi',)\n", - "Test [ROW DATA] ('Andy Sieg',)\n", - "Test [ROW DATA] ('Abner',)\n", - "Test [ROW DATA] ('Andy Schweichert',)\n", - "Test [ROW DATA] ('Lisena Gocaj',)\n", - "Test [ROW DATA] ('Andy Sieg',)\n", - "Test [ROW DATA] ('Brian Arseneau',)\n", - "Test [ROW DATA] ('Virginia',)\n", - "Test [ROW DATA] ('Christian Justiniano',)\n", - "Test [ROW DATA] ('Lisena Gocaj',)\n", - "Test [ROW DATA] ('Jim Wilson',)\n", - "Test [ROW DATA] ('Lisena Gocaj',)\n", - "Test [ROW DATA] ('Virginia Benton',)\n", - "Test [ROW DATA] ('Howell',)\n", - "Test [ROW DATA] ('Lisena',)\n", - "Test [ROW DATA] ('Yaliweisi',)\n", - "Test [ROW DATA] ('Abner',)\n", - "Test [ROW DATA] ('Abe Rudder',)\n", - "Test [ROW DATA] ('Virginia',)\n", - "Test [ROW DATA] ('Jason',)\n", - "Test [ROW DATA] ('Sharon Oneil',)\n", - "Test [ROW DATA] ('Job Vizcarra',)\n", - "Test [ROW DATA] ('Robert Elliott',)\n", - "Test [ROW DATA] ('Sultan',)\n", - "Test [ROW DATA] ('Emerick',)\n", - "Test [ROW DATA] ('Nia Yuniar',)\n", - "Test [ROW DATA] ('\\u200bskol',)\n", - "Test [ROW DATA] ('David Wilson',)\n", - "Test [ROW DATA] ('Robechucks Raul',)\n", - "Test [ROW DATA] ('Ella Bella',)\n", - "Test [ROW DATA] ('Dick Oscar',)\n", - "Test [ROW DATA] ('Charlie',)\n", - "Test [ROW DATA] ('Steven',)\n", - "Test [ROW DATA] ('Ameya Joshi',)\n", - "Test [ROW DATA] ('Robechucks Raul',)\n", - "Test [ROW DATA] ('Robechucks Raul',)\n", - "Test [ROW DATA] ('Amiel Williamson',)\n", - "Test [ROW DATA] ('Ashwin Menon',)\n", - "Test [ROW DATA] ('Ajax Edmiston',)\n", - "Test [ROW DATA] ('Eleazar Lewden',)\n", - "Test [ROW DATA] ('Polly Lucas',)\n", - "Test [ROW DATA] ('Eleazar Lewden',)\n", - "Test [ROW DATA] ('Robechucks Raul',)\n", - "Test [ROW DATA] ('Lemuel Glasgow',)\n", - "Test [ROW DATA] ('Bazel McConnel',)\n", - "Test [ROW DATA] ('William Stevenson',)\n", - "Test [ROW DATA] ('Robechucks Raul',)\n", - "Test [ROW DATA] ('Denice R Allen',)\n", - "Test [ROW DATA] ('Leif Fox',)\n", - "Test [ROW DATA] ('William Hopkins',)\n", - "Test [ROW DATA] ('Robechucks Raul',)\n", - "Test [ROW DATA] ('Jonas Bradley',)\n", - "Test [ROW DATA] ('Robechucks Raul',)\n", - "Test [ROW DATA] ('Amit Sharma',)\n", - "Check last 100 characts : ('Follow me',)\n", - "('Test',)\n", - "('The Chamber',)\n", - "('Group',)\n", - "('Group-A',)\n", - "('Chad Hunt',)\n", - "('Toni Yu',)\n", - "('\\u200eWhatsApp',)\n", - "('\\u200eYou',)\n", - "('Charles Finley',)\n", - "('Ronen Engler',)\n", - "('John Raynolds',)\n", - "('Netflix',)\n", - "('The Dodo',)\n", - "('Jonathan Reyes',)\n", - "('Ronen Engler',)\n", - "('Johnny Good',)\n", - "('Keeps',)\n", - "('\\u200eWhatsApp',)\n", - "('Russell Philby',)\n", - "('Citi tudy group209',)\n", - "('Citi tudy group218',)\n", - "('Sharon 😍',)\n", - "('Abe Rudder',)\n", - "('📈📈8-12 BTC Contracts 5',)\n", - "('📈📈8-12 BTC Contracts 2',)\n", - "('📈📈8-12 BTC Contracts 2',)\n", - "('Group-A',)\n", - "('Moo',)\n", - "('Hola',)\n", - "('If you need anything give my man Rick a call.',)\n", - "('Remember this placep?',)\n", - "('He will never let you down, or give you up!!',)\n", - "('Gotta love vinyl...',)\n", - "('Phew. Only saw the first part of your text. Glad you’re good',)\n", - "('Long time no talk',)\n", - "('Hello there Otto',)\n", - "('Yolo!',)\n", - "(\"It's your boy Reynolds. New number\",)\n", - "('Got time for call bud?',)\n", - "('Surely',)\n", - "('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 w...\n", - "('Let me know if you down to deliver',)\n", - "('That place? SkinnyFat? \\nhttps://maps.app.goo.gl/G5eC89JQKhhzKcQL8?g_st=iw',)\n", - "('Sure I’m not too far away. Can go pickup in a bit.',)\n", - "(\"That's the spot\",)\n", - "('If you deliver the goods without drama. I got more work for you',)\n", - "('Make me proud',)\n", - "('Looking forward. Might need to Uber around \\nWill update.',)\n", - "('Seriously sweet \"honkers\"...',)\n", - "('that was taken just now that’s actually me😌',)\n", - "('you up?',)\n", - "('admin reveal:',)\n", - "(\"You won't believe how rescuers were able to get this pup out 💙\\n\\nRead the story here: https://thedo.do/3Pg0a4Y\",)\n", - "('Wait until you find out what they named him\\xa0\\U0001f979\\n\\nRead the story here: https://thedo.do/3sXQLaN',)\n", - "('This kitten is so lucky\\xa0\\U0001f979\\n\\nRead the rescue story here: https://thedo.do/3LnEsen',)\n", - "(\"Hello fellow animal lovers 👋 Welcome to The Dodo's WhatsApp channel! Your daily dose of happy 🐾❤️\",)\n", - "('(🎥: @tornado.watch)',)\n", - "('We bet you’ve never heard of this animal! \\n\\nRead more about this wild story: https://thedo.do/3RnEYwA',)\n", - "('The surprise of a lifetime!\\xa0💜\\n\\nRead the story here: https://thedo.do/3EHcSVE',)\n", - "('How did he do that?\\xa0😂 \\n\\nRead the story here: https://thedo.do/48mLmKq',)\n", - "('‼️ like this if it’s friday eve where you are ‼️',)\n", - "('but that does mean your monday is my sunday so maybe im chosen after all 😌💅',)\n", - "('‼️ like this if it’s already friday and you’re one of the chosen ones 😒‼️',)\n", - "('So my plans have changed a bit. Had to send the 🐐 email it’s som good old friend. He just made it 🐶',)\n", - "('Ah thanks for the update',)\n", - "('She didn’t want to bring him back 😮\\n\\nRead the story here: https://thedo.do/3LzSdXd',)\n", - "('trying to pick my mood for the weekend',)\n", - "('lil mix of both i suppose 🥰',)\n", - "('Nice reflection \\nWhere dat?',)\n", - "('Btw. Talked to the owner. I follow them on IG \\nhttps://instagram.com/skinnyfatfarms?igshid=MzRlODBiNWFlZA==',)\n", - "('They have some big business going on there. “Farm”',)\n", - "('Let me know if you need an intro, could save few € next time',)\n", - "('Good lookin out Otto',)\n", - "('They were too stunned to speak\\xa0\\U0001fae2\\n\\nRead the story here: https://thedo.do/3RzNZTf',)\n", - "(\"That's where..lol\",)\n", - "('She’s been waiting for this moment\\xa0❤️\\n\\nRead the story here: https://thedo.do/3RBJsA2',)\n", - "('guess who didn’t send this message with their hands 😌',)\n", - "('https://g.co/kgs/tgEJ3h',)\n", - "('castlevania stans 👀',)\n", - "('one week.. ⚽️',)\n", - "('oh and before i forget',)\n", - "('LIKE THIS if you want me to do manual labor and physically type out what’s coming new to netflix in october',)\n", - "('LIKE THIS if you want a lil graphic instead',)\n", - "('that’s v sweet of you ^ ❤️💕\\U0001f979 (even tho it’s close 😒)',)\n", - "('They didn’t expect to find this \\U0001f979\\n\\nRead the story here: https://thedo.do/3PVaktu',)\n", - "('Wait until you see this face\\xa0\\U0001f979\\n\\n\\nRead the story here: https://thedo.do/45cQuOL',)\n", - "('So. Many. Dogs.\\xa0🐶💜🐶\\n\\nRead the story here: https://thedo.do/46vqqiU',)\n", - "('yall',)\n", - "('this season of love is blind is so unhinged',)\n", - "('I see that you are in town. I have a particularly rare and unique specimen in my possession',)\n", - "('Ah just missed you.',)\n", - "('Hoping you can help move it to a contact in your wealthy rolodex :-)',)\n", - "('You’re getting here?',)\n", - "('Working on it -- have some other clients to wrap up with',)\n", - "('Send you an ETA shortly',)\n", - "('Well, that was an unexpected encounter!\\n\\nRead the story here: https://thedo.do/3Q0dzjj',)\n", - "('on october 3rd, he asked me what day it was',)\n", - "('Get you a friend who will do this…\\n\\nRead the story: https://thedo.do/3LMZdjT',)\n", - "(\"Nice catching up. Thanks shouldn't make you some $$$\",)\n", - "(\"I'll make sure this gets back to the boss.\",)\n", - "('Yes 🙌',)\n", - "('Until next time!',)\n", - "('He got a second chance at life\\xa0\\U0001f979💙\\n\\nRead more: https://thedo.do/46xBgEW',)\n", - "('What’s that in the water?\\xa0😳\\n\\nRead the story: https://thedo.do/3LRuWjT',)\n", - "('alia bhatt appreciation post',)\n", - "('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',)\n", - "('i know you would say thank you if you could',)\n", - "('here’s a weekend gift from me to you',)\n", - "('ok who is as excited as i am for this',)\n", - "('that photo is just ✨chefs kiss✨',)\n", - "('just wanted to show you guys this pic of me looking at my unread emails this morning',)\n", - "('send help',)\n", - "(\"You won't be able to choose 😻\\n\\n👉 https://thedo.do/3RVbcQg\",)\n", - "('admin breakfast',)\n", - "('Can’t believe they found her!\\xa0😮\\n\\nRead about the rescue here: https://thedo.do/3QccCEt',)\n", - "('The way she ran to him\\xa0💙\\n\\nSee the reunion here: https://thedo.do/3FfSLOy',)\n", - "(\"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 l...\n", - "('Yeah I’m in. \\nLet me see how quick I could find a flight to get there',)\n", - "('Let me know when you land',)\n", - "('Excellent',)\n", - "('Yo. You around?',)\n", - "('they invented formal wear',)\n", - "('How did that get in there?\\xa0🐿️\\n\\nFind out here: https://thedo.do/3ZZMOyO',)\n", - "('17852533080@s.whatsapp.net',)\n", - "(\"He'd never seen anything like this 😮\\n\\nRead more: https://thedo.do/3tynAeB\",)\n", - "('in a meeting but would rather be talkin to u',)\n", - "('if my boss is in here i’m jk! 🥰',)\n", - "('the real spooky season',)\n", - "('Read this if you dare 😱 👻🎃\\n\\n👉 https://thedo.do/3M9iBHK',)\n", - "('🤪 HAPPY FRIDAY (or whatever day it is where you are)!!!!!🤪',)\n", - "('here to make you un-bored because you’re my friends',)\n", - "('if you love me back just put a heart on this message (you better)',)\n", - "(\"It's Reptile Awareness Day and we are VERY aware of this 14-foot reptile 🐍. \\n\\nRead the full story: https://thedo.do/3Q7aFIh\",)\n", - "('like? no notes',)\n", - "('i need to share one of my fav movie scenes literally ever',)\n", - "('soooooo',)\n", - "('They never lost hope 😭\\n\\n👉 https://thedo.do/3SdX3xz',)\n", - "('Cat or void? 🐈\\u200d⬛ \\n\\nRead to find out: https://thedo.do/3QmdUgl',)\n", - "('ITS DAY 1',)\n", - "('All she wanted was her happily-ever-after 😭\\n\\nRead her story: https://thedo.do/3NViC3b',)\n", - "('i wish you guys could respond to me 😣 but if i see you talking about me on social ill try to respond in here !!!!!',)\n", - "(\"He almost didn't notice her 🥺\\n\\nRead more: https://thedo.do/3UuKLlB\",)\n", - "('This dog rescuer got a devastating call 💔\\n\\nRead more: https://thedo.do/42F6Vnm',)\n", - "('Someone was trapped inside! \\n\\nRead to find out what they found \\U0001f979 https://thedo.do/3w7RmZ3',)\n", - "('i’m in my feelings',)\n", - "('They can’t tell what kind of animal this is 👀\\n\\nRead more: https://thedo.do/3QSqtQg',)\n", - "('GOOOOD MORNING CUBBBBIES',)\n", - "('Hey bud. Hope it’s more secure here',)\n", - "('I’m with the gang but they have someone at the table across',)\n", - "('Yes sir. Super nice.',)\n", - "('Occasionally off but otherwise ok. 🤣',)\n", - "('lol\\nComing? Need you to intro if you could',)\n", - "('I’m shy with girlz',)\n", - "(\"Of course, my dude. Pretty sure she's available. Last dude was a prick like cacti b.\",)\n", - "('Are you still alive?',)\n", - "('Yeah. Had good time\\nThanks for the intro to Sharon.',)\n", - "('We even met earlier but I know she has to leave today',)\n", - "('Werd.',)\n", - "('She’s actually really cool 😎',)\n", - "(\"That sucks. How'd it go?\",)\n", - "('We will follow up',)\n", - "('Nice! Glad you hit it off.',)\n", - "('But I’m in a meeting and was wondering if you have anything for me for later?',)\n", - "(\"Sure. Let's connect later. I've got a couple of meetings myself coming up.\",)\n", - "('I’m at the Cloud9 \\n\\nBattery about to die. Coming here?',)\n", - "(\"I'll be at the main hall tomorrow morning.\",)\n", - "('Nah, in another meeting over here.',)\n", - "('EMILY IN PARIS FIRST LOOOOKS! (coming aug 15)',)\n", - "(\"Good after party of you're interested\",)\n", - "('Safe travels. It was great to see you as always, and productive . 😀',)\n", - "('Till next time. \\nWe need to work on what we’ve discussed before Salt Lake',)\n", - "('Of course. Hows it going with Sharon?',)\n", - "('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',)\n", - "('Awesome!',)\n", - "('Bro. Almost got shot today.',)\n", - "(\"What the hell you'd do?\",)\n", - "('https://x.com/emergencystream/status/1800602193025769961?s=46',)\n", - "('Was just heading back to the Marriott from that peach tree center',)\n", - "('And people pushed us on the way, shouting active shooter',)\n", - "('Lol. I thought like you were getting shot at.',)\n", - "('Almost as bad. Sheesh.',)\n", - "('Me too. Mass shooting. I bailed',)\n", - "('Well I’m grabbing dinner now. Got lots of popo here now',)\n", - "('I bet. Def lay low.',)\n", - "('Btw. Have you heard from Sharon lately?',)\n", - "(\"Sorry, missed this. No, I haven't. She's been unusually quiet.\",)\n", - "(\"You didn't make her mad, did you? 🤣\",)\n", - "('Well I hope not',)\n", - "('If you see them tell them I said hello.',)\n", - "('I know those two!',)\n", - "('Wilco',)\n", - "('No kidding! How did it go?',)\n", - "('S is missing you a little, I think. When did you last talk to her?',)\n", - "('Trying to reach out to her on Signal but I get no signal.',)\n", - "('She said she got kicked out. Trying now again. Weird',)\n", - "('okay cubbies i gotta go to bed now. good night (morning/afternoon) ily sweet dreams 🌙✨💤',)\n", - "('i’m with the That ‘90s Show cast right now and they wanted to say HIIII',)\n", - "('how rude of me… GOOD MORNING AFTERNOON NIGHT CUBBIES',)\n", - "('Happy Sunday wine 🍷',)\n", - "(\"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.\",)\n", - "('HI CUBBIES!!',)\n", - "('{\"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...\n", - "('{\"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\":f...\n", - "('Citi tudy group218',)\n", - "('{\"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...\n", - "('🙋\\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 disturba...\n", - "('13412133458@s.whatsapp.net',)\n", - "('13412133458@s.whatsapp.net',)\n", - "(\"*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 mainstr...\n", - "(\"*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 th...\n", - "('13213147461@s.whatsapp.net',)\n", - "(' *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 comm...\n", - "('*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...\n", - "('*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 t...\n", - "('*Now let me describe what Citigroup can position to offer investors?*',)\n", - "('*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 provi...\n", - "('*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...\n", - "('*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 simulati...\n", - "('13412133458@s.whatsapp.net',)\n", - "('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. ...\n", - "('How much can I start investing? Can I start with $5k?',)\n", - "('*There is no financial limit and almost anyone can participate.*',)\n", - "('*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*',)\n", - "(\"*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...\n", - "('I wonder what projects this group of analysts are sharing to invest in? Is this really profitable?',)\n", - "('17625243488@s.whatsapp.net',)\n", - "('*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 o...\n", - "(\"*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 achi...\n", - "('What is BTC smart contract trading? Never heard of such an investment program. How does this work?',)\n", - "(\"*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...\n", - "('🌙🌙🌙*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 s...\n", - "('Hello, beautiful Ms. Lisena',)\n", - "('*[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 Office...\n", - "('*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 ...\n", - "('*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 commu...\n", - "('OK, I sent you a message, looking forward to it...',)\n", - "('*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....\n", - "('Hello, beautiful Assistant Lisena Gocaj, I am so glad to receive your blessing. I look forward to watching analysts share trading signals today',)\n", - "('Finally able to trade again, since the last time analysts notified the market volatility to stop trading, it has been more than a week.',)\n", - "('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.',)\n", - "('Wow, I earned so much in just a few minutes, which is equivalent to my salary for many days.',)\n", - "('OK, I registered and deposited $5,000 yesterday, looking forward to the profit you can bring me😎',)\n", - "('Lisena, I want to join you, how can I do it, I want to get the same profit as them',)\n", - "('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',)\n", - "('Hi Lisena, I have registered and funds have been transferred. When can I start trading?',)\n", - "('*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 ...\n", - "('*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 c...\n", - "('*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...\n", - "('*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 ...\n", - "('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.',)\n", - "(\"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 attac...\n", - "(\"📢📢📢*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...\n", - "('*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 m...\n", - "(\"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 profi...\n", - "('*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 i...\n", - "(\"*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 consul...\n", - "('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 expos...\n", - "(\"I agree with the analyst's point of view. I believe in the analyst's ability and Citi's strength.\",)\n", - "('*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, an...\n", - "('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.',)\n", - "('Just landed 🛬 😮\\u200d💨',)\n", - "('*🌙🌙🌙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 ne...\n", - "('What are you doing up there???',)\n", - "('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',)\n", - "('*[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 ...\n", - "('💁\\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 regis...\n", - "('*Dear friends, next teacher Andy will share some knowledge points about BTC smart contract transactions*',)\n", - "('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',)\n", - "('*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 a...\n", - "(\"Thanks to Lisena's help yesterday, I already have my own Citi World trading account. Wait for analysts to share their professional trading advice.\",)\n", - "('*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 Mor...\n", - "('*How do cryptocurrencies work?*\\nCryptocurrencies are digital currencies created through code. They operate autonomously and outside the confines of traditional banking and government systems. Cry...\n", - "(\"*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 p...\n", - "('Monica, have a great weekend, I just increased my funds and I want to get more profit.',)\n", - "('Lisena, I have registered for a Citi trading account, but have not yet deposited funds.',)\n", - "('I used my profit from yesterday to buy a lot of wine and took it home. lol..',)\n", - "('*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 ...\n", - "(\"*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...\n", - "(\"What??? Seriously?! That's awesome!\",)\n", - "(\"You should've taken Sharon. She would've loved that.\",)\n", - "('*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 ...\n", - "('*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...\n", - "('Will be with her soooon',)\n", - "('17625243488@s.whatsapp.net',)\n", - "('That confidentiality is really nice.👍🏻',)\n", - "('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 whe...\n", - "('*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...\n", - "('Received, thank you analyst for your professional sharing.',)\n", - "('*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 s...\n", - "('*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 pric...\n", - "('*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 Bitcoi...\n", - "('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 t...\n", - "('Inflation has always bothered me and made me very frustrated',)\n", - "(\"*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 ...\n", - "('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...\n", - "('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.',)\n", - "(\"*🌹🌹🌹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 q...\n", - "('*[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 te...\n", - "('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!',)\n", - "(\"*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 pred...\n", - "(\"*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.*\",)\n", - "('Trading BTC \"contracts\" with analysts made me realize how easy it is to make money. This is an amazing thing.',)\n", - "('*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...\n", - "(\"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 i...\n", - "('Because Citigroup has a large analyst team',)\n", - "('Why are Mr. Andy’s trading signals so accurate?',)\n", - "('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 th...\n", - "('*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,00...\n", - "('*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 t...\n", - "('After listening to your detailed explanation, I have a deeper understanding of the BTC contract. Thanks for sharing',)\n", - "('*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...\n", - "('*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 cap...\n", - "('OK, thanks for the knowledge sharing analyst. Let me learn a lot',)\n", - "('*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 ...\n", - "('*3. Flexibility of trading orders*',)\n", - "('*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',)\n", - "('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',)\n", - "('*2: BTC contracts can hedge risks*',)\n", - "(\"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 ris...\n", - "('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.',)\n", - "('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 utili...\n", - "(\"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 p...\n", - "('*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 ana...\n", - "('Very convenient, I can trade while enjoying my free time. Lying on the sofa also achieves the purpose of making money.',)\n", - "('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.',)\n", - "('*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 ea...\n", - "('*Today’s sharing ends here. Friends who don’t have a BTC smart contract trading account can contact me for help*',)\n", - "('*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 g...\n", - "('*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 cli...\n", - "('*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 sen...\n", - "('*Friends, our order has been successfully profitable. Please close your order. If you are profitable, please share your profit screenshot to the discussion group.*',)\n", - "('You made so much money in such a short time?',)\n", - "(\"Yes, we should thank Andy's analyst team. Without them, there would be no such accurate trading signals.\",)\n", - "('*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...\n", - "('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',)\n", - "('*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 h...\n", - "('ETH ETF to be available next week? Expect unexpected things to happen',)\n", - "('Thank you very much, I can make money every day',)\n", - "('I think SOL will rise fast, just like what happened to ETH when the BTC ETF rose',)\n", - "('Big week for crypto is coming up! Bitcoin bottoms, Congressional crypto hearing, SEC Ethereum',)\n", - "('*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 t...\n", - "(\"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\",)\n", - "('I was worried about this at first, but I made $650 in a few minutes.',)\n", - "('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?',)\n", - "('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',)\n", - "('*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 hel...\n", - "(\"*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 la...\n", - "('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',)\n", - "('Thank you Mr. Andy for sharing. I believe these indicators can help me analyze the market more accurately in future transactions.',)\n", - "(\"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.\",)\n", - "('*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 inv...\n", - "(\"*Reviewing the technical indicators shared today: 🔰 Rainbow Chart (monitoring price changes)* \\n*🔰 Top Escape Indicator (identifies bottoming times and buy signals) 🔰 Bubble Indicator (comprehensive...\n", - "('*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 bitc...\n", - "('*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 cryp...\n", - "('*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 r...\n", - "('*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 se...\n", - "('*What is sustainable investing?* *Sustainable investing integrates environmental, social and governance factors into investment research and decision-making. We believe these factors are critical ...\n", - "('As a global financial group with two hundred years of history, I firmly believe in the strength of Citigroup',)\n", - "('*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...\n", - "('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 diffic...\n", - "('*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 mutu...\n", - "('Buffett often says , \"Nobody wants to get rich slowly.\"',)\n", - "('*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 inve...\n", - "('*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.*',)\n", - "('*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 st...\n", - "('*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 Ether...\n", - "('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',)\n", - "('MISSED YOU SM',)\n", - "('Good afternoon Lisena, yes I have learned a lot about trading here',)\n", - "('*[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 S...\n", - "(\"*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 ...\n", - "('how many of you are BIGGGGGGG umbrella academy lovers 👀👀👀👀👀☔️☔️☔️☔️☔️☔️☔️☔️',)\n", - "('For the first time ever, BTC is one of the key components of a major political party platform.',)\n", - "(\"*Now, let's join hands and start this exciting journey together! In Citi World platform, your dream, will not be far away.*\",)\n", - "(\"Trump's big cryptocurrency push, and I think it's like a coming bull market.\",)\n", - "('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 st...\n", - "('Cryptocurrency is becoming a political issue. I think BTC will be the deciding factor in this election',)\n", - "('*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 ...\n", - "('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.\"',)\n", - "('Trump was very much \"Make America Great Again\" when he talked about making Bitcoin a central part of his domestic strategy.',)\n", - "('*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 ...\n", - "('I have been following this for a long time. If I want to participate, what should I do?',)\n", - "('Imagine if we traded 60,000 this week, all the bears would be dead 🐻😹',)\n", - "('Each trade gives me more confidence in trading',)\n", - "(\"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...\n", - "('The bull market will be wild and crazy',)\n", - "('I am so ready for this',)\n", - "('i maaaaaay have something rly cool for some of u 😬😬😬😬',)\n", - "('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 an...\n", - "('👆👆👆👆👆 \\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 $...\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 cry...\n", - "('🐳🐳 *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 oth...\n", - "('*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....\n", - "('👇👇👇*The red arrows represent bearish market price whales* 🐳',)\n", - "('*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 p...\n", - "('*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 s...\n", - "('Analyst Mr. Andy previously said that BTC will break through $100,000 this year',)\n", - "('‼️ ‼️ ‼️ ‼️ *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 bi...\n", - "('*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 tot...\n", - "(\"👇 👇👇*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 act...\n", - "('*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 ...\n", - "('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',)\n", - "('There is no limit to the amount of money invested',)\n", - "('*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 inves...\n", - "('*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 ...\n", - "('*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 ...\n", - "('*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...\n", - "('Do I have to use $1000 to trade?',)\n", - "('Lisena, you are really responsible and gentle',)\n", - "('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...\n", - "(\"Don't hesitate, the opportunity to make money will not wait for us. I also want more trading signals like this every day.\",)\n", - "('*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 subse...\n", - "('Lisena, I agree with you',)\n", - "('Great, thanks to the analyst',)\n", - "('😤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.',)\n", - "(\"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...\n", - "(\"I'm ready, Lisena\",)\n", - "('Man, get in on the trade early and you’ll make more money.',)\n", - "(\"Yes, I have been looking forward to today's trading signal as well.🤩\",)\n", - "(\"OK, I can't wait to get in on the trade.\",)\n", - "('*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 infl...\n", - "('*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, s...\n", - "('*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, retai...\n", - "(\"*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.*\",)\n", - "('17625243488@s.whatsapp.net',)\n", - "('17625243488@s.whatsapp.net',)\n", - "('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',)\n", - "(\"🌟🌟🌟*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...\n", - "('*[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 Repre...\n", - "('*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 ...\n", - "('Good morning, analyst.',)\n", - "('Thanks to the team at Citi for increasing our revenue, I believe our relationship will be long-lasting',)\n", - "('Both BTC and ETH are trending back a bit today, will this help us trade today',)\n", - "(\"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 cl...\n", - "(\"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 ...\n", - "('*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 ...\n", - "('🏦*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 202...\n", - "('*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 fu...\n", - "('Mr. Andy Sieg, when do we start trading whale programs. Looking forward to your wonderful sharing',)\n", - "('Bitcoin needs to wait for the CPI as yesterday Jerome Powell said the Fed is in no hurry to cut rates',)\n", - "(\"*⚠️⚠️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 ...\n", - "('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...\n", - "('*⚠️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 sta...\n", - "(\"🌏 *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...\n", - "(\"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\",)\n", - "('*⚠️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 ...\n", - "(\"🌏 *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...\n", - "(\"🏦 *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...\n", - "(\"I think if tomorrow's CPI does well, it can pull BTC back to $60,000\",)\n", - "('*⚠️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 expecte...\n", - "('*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 c...\n", - "('🔔 *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 t...\n", - "('*Dear friends, next I will share some knowledge with you, I hope you will read it carefully.*',)\n", - "('🔰 *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 po...\n", - "('Haha, this way we can make more money and not be so tired. We can achieve financial freedom easily.',)\n", - "(\"I will find a way to raise more funds to join the whale program, I don't make as much as you do now😔\",)\n", - "(\"It's crazy time again🤩\",)\n", - "('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...\n", - "('*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 subse...\n", - "('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 ...\n", - "('Cool! The Whale Project! I like the name and I hope we become a big whale in the market soon',)\n", - "('Notify us to short sell. The price started to fall right after we bought it.👍🏻',)\n", - "('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.',)\n", - "('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...\n", - "('35% profit, great,this makes me look forward to the profits of the whale plan more and more🐋',)\n", - "('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',)\n", - "(\"*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.*\",)\n", - "('I have to give a big thumbs up to Teacher Andy',)\n", - "('*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 sen...\n", - "('*[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...\n", - "('Hey I’m headed to concierge pool, meet me there!',)\n", - "('Looking forward to the \"big deal\"',)\n", - "(\"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.\",)\n", - "('This means we are making the best choice to invest in cryptocurrencies',)\n", - "('Many people are saying that the Fed is likely to keep interest rates unchanged',)\n", - "('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 ...\n", - "(\"*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 a...\n", - "('*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 ...\n", - "(\"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\",)\n", - "('*2. Investor risk appetite*\\n*Reduced risk appetite: During a rate hike cycle, investors tend to be more cautious and have lower risk appetite.*',)\n", - "('*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 ...\n", - "(\"*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 greate...\n", - "(\"I envy your life! Don't you have to work today?\",)\n", - "('*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 c...\n", - "('You go hiking in such a hot day.',)\n", - "('*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 consume...\n", - "('Haha, there is still enough time, otherwise it will be your loss if you miss the trading signal.',)\n", - "('*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...\n", - "(\"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 ...\n", - "('*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:*',)\n", - "(\"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 ...\n", - "('Historically, rate cuts usually lead to lower interest rates first',)\n", - "('*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 peo...\n", - "('*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: \"Wh...\n", - "('*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,...\n", - "('*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 f...\n", - "(\"*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...\n", - "('*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 ...\n", - "('*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 subse...\n", - "('*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...\n", - "(\"*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 Ethere...\n", - "('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 Marg...\n", - "('Rate cuts always bring sell-offs and plunges! I think it will fall at least 20%',)\n", - "('I am reading carefully',)\n", - "('*I think most of you have heard this story, but have you ever thought about it deeply?*',)\n", - "('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...\n", - "(\"*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 ...\n", - "(\"*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 he...\n", - "('*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 conferenc...\n", - "('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.',)\n", - "('Is this true? Are the trading signals always so accurate?',)\n", - "('I believe every US person knows Citigroup. Our cooperation with anyone is based on mutual trust.',)\n", - "('Good morning, analyst.',)\n", - "('This is of course true. I have been trading with Andy for a long time.',)\n", - "('*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 ho...\n", - "('We all make money into our own pockets.😁😁',)\n", - "('*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 sen...\n", - "(\"Are y'all going anywhere?\",)\n", - "(\"It's okay man, the purpose of making money is to enjoy life\",)\n", - "('I am now looking forward to joining the Whale Plan next week so I can make more money.😆',)\n", - "('*[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 fr...\n", - "('*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 compr...\n", - "('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.',)\n", - "(\"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 cont...\n", - "('That is a must. Who doesn’t want to make more money to achieve financial freedom?',)\n", - "('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 ...\n", - "('Haha, you are good at coaxing your wife.👍',)\n", - "('*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 ne...\n", - "('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 ...\n", - "(\"I've been observing for a while, and every time I see you guys making so much money, I'm tempted,\",)\n", - "(\"*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.*\",)\n", - "(\"Everyone is preparing for next week's Goldfish Project. lol.\",)\n", - "(\"Time flies, it's Friday again and I won't be able to trade for another 2 days.\",)\n", - "('18297659835@s.whatsapp.net',)\n", - "('18297659835@s.whatsapp.net',)\n", - "('18297659835@s.whatsapp.net',)\n", - "('*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 cuttin...\n", - "('*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...\n", - "('*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...\n", - "(\"*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 infrastruc...\n", - "('*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...\n", - "('I can not wait any more.',)\n", - "('You better be on your best behavior down there.',)\n", - "(\"*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.*\",)\n", - "('*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 ...\n", - "(\"I'm ready.\",)\n", - "('*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...\n", - "('*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 subse...\n", - "('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 Marg...\n", - "(\"*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 t...\n", - "('Lisena, if I also want to participate in the Whale Project next week, are there any requirements?',)\n", - "('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.',)\n", - "('I see you used $2893 and made $1070. If you used $140k like me to participate in the transaction, you would make $51k. lol..',)\n", - "('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 exp...\n", - "('There are really a lot of profit points today, haha.',)\n", - "(\"Yeah, so I'm going to go raise funds this weekend.\",)\n", - "('Hola 👋🏻',)\n", - "('😜He made some money last week, so he must have gone on a date today.',)\n", - "('Christian, where are you going to go after washing the car?',)\n", - "('*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 tradin...\n", - "(\"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!\",)\n", - "('*[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 ...\n", - "('Are you washing your car to pick up girls at night? Haha',)\n", - "('*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, l...\n", - "('Good morning, Mr. Andy.',)\n", - "('Finally finished washing, it took me so long',)\n", - "('https://www.youtube.com/watch?v=0PW3aBqjCgQ',)\n", - "('*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...\n", - "('Looking forward to the first trading day of the week',)\n", - "('Yeah, I often play with clients.',)\n", - "('Today, the price of BTC has reached above $63,000 again, which is a very good sign',)\n", - "(\"Of course I can't compare with you, haha, I have to maintain my figure\",)\n", - "('Is this all you eat for breakfast?',)\n", - "(\"(and a new documentary series chronicling carlos alcaraz's 2024 season is coming to netflix in 2025)\",)\n", - "('Do you still play golf?',)\n", - "(\"*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 cl...\n", - "('BTC has risen to $63,000 and I am very much looking forward to trading this week🤩',)\n", - "('Lisena Gocaj, has the Whale Project started?',)\n", - "('Yes, we have been looking forward to the arrival of the trading plan 🤣',)\n", - "('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 ...\n", - "(\"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\",)\n", - "(\"*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 mem...\n", - "('*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 subse...\n", - "('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 Marg...\n", - "('Great, Whale Project, can make more money again.',)\n", - "('I have registered, but my funds have not yet arrived in my trading account. 😔 I feel like I have missed a big opportunity.',)\n", - "('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.',)\n", - "('Good afternoon, analyst',)\n", - "('Today was the bsmesg. :)',)\n", - "('*🌹🌹🌹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 le...\n", - "('*[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 gra...\n", - "('You can participate in trading once the funds arrive in your trading account.',)\n", - "('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 part...\n", - "(\"Luckily, I caught today's deal. I just got home with my grandson🤣\",)\n", - "('You are very timely. Lol 👍🏻',)\n", - "('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.',)\n", - "('Beautiful lady, is Manhattan so hot right now?',)\n", - "('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.',)\n", - "('I was restricted before, but later Lisena asked me to wire money.',)\n", - "('I deposited money to my crypto.com yesterday and bought USDT, why won’t it let me send it to my trading account?',)\n", - "(\"Hello Jason, yes, as long as the funds reach your trading account, you can participate in today's Whale Plan.\",)\n", - "('*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...\n", - "('Analyst trading signals remain accurate',)\n", - "('*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 subse...\n", - "(\"You can come to the Bay Area for vacation, it's very cool here\",)\n", - "(\"Yeah, today's weather is like a sauna\",)\n", - "('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 Marg...\n", - "(\"*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 a...\n", - "('Haha, you can also come to Seattle for vacation. I can take you around.',)\n", - "('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.',)\n", - "('You are right. Only by seizing the opportunity to make money can you earn the wealth you want and enjoy life better.',)\n", - "('The sooner you join, the sooner you can achieve financial freedom, haha',)\n", - "('A good start to the day',)\n", - "(\"*[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...\n", - "('heeheheheh',)\n", - "('*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 show...\n", - "('*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 ...\n", - "('Yes, he is a staunch supporter of cryptocurrency',)\n", - "('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 Marg...\n", - "(\"*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.*\",)\n", - "(\"🌐🎯 *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 o...\n", - "('*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 tradin...\n", - "('*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 Wednesd...\n", - "(\"*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...\n", - "('Hate airports',)\n", - "(\"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 suppor...\n", - "(\"I'm not too bullish on Biden. I prefer Trump because I trade cryptocurrencies😂\",)\n", - "('*Since the market test risk is greater than 5%, trading has been suspended. Please wait patiently for notification.*',)\n", - "(\"*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...\n", - "(\"*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...\n", - "(\"*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...\n", - "(\"*🎉🎉🎊🎊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 t...\n", - "(\"*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 cryptocurr...\n", - "(\"*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...\n", - "('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%.',)\n", - "('🎉🎉🎊🎊 *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 ...\n", - "(\"You are lucky to catch today's trading signal.\",)\n", - "('Finally, I can participate in the transaction.',)\n", - "('I am ready.',)\n", - "('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...\n", - "('Haha, I can go out traveling this weekend.',)\n", - "('*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 subse...\n", - "(\"*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 an...\n", - "('okay',)\n", - "(\"*🎉🎉🎊🎊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...\n", - "(\"*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 ...\n", - "('*[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 cont...\n", - "('I was looking at cars with my family.',)\n", - "('What do you guys do on the weekends?',)\n", - "('Haha, I am also accompanying my wife to look at cars😁',)\n", - "(\"You all made a lot of money on last week's Whale Scheme, unfortunately I only caught the last trade,\",)\n", - "('Did you watch the news? Biden is dropping out of the presidential race.',)\n", - "('So you all understand…. Biden is dropping out of the race, but he still has until January 2025 to finish this term.',)\n", - "('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...\n", - "('My family and I are still looking and have not yet decided. We have looked at many cars.',)\n", - "(\"That's right, we can make more money.😎\",)\n", - "('*[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 mar...\n", - "('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',)\n", - "('I got a new message. Biden officially announced his withdrawal from this election. Will the bulls get on track?',)\n", - "('BTC is rising towards $70,000 today, and it looks like the crypto market will have a new breakthrough in the new week',)\n", - "(\"Don't rush the analysts, Lisena will send us trading signals when they appear.\",)\n", - "(\"I've been ready for this and am really looking forward to today's deal.\",)\n", - "('https://m.coinol.club/#/register?verify_code=kxWtZs',)\n", - "('*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 subse...\n", - "('*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...\n", - "(\"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 ...\n", - "('Yes, can those of us who have already participated in the transaction still participate? I also want to increase my own funds.',)\n", - "(\"*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 ca...\n", - "('Lisena Can I still attend this event?',)\n", - "('*🌹🌹🌹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 depo...\n", - "(\"Relax. The benefits will satisfy you. From an old man's experience🤝🏻\",)\n", - "('*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,...\n", - "(\"📢📢📢*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....\n", - "('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 Marg...\n", - "('You are right, the mechanics of the stock market gave me a lot of headaches and I lost a lot of money',)\n", - "('Can buy or sell at any time, and when analysts find trading signals, we can be the first to buy or sell',)\n", - "('Ether ETF Approved for Listing How will it affect the price of Ether?',)\n", - "(\"*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 ...\n", - "(\"*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 ca...\n", - "('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',)\n", - "(\"*'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 ...\n", - "('*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...\n", - "('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...\n", - "('*[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 kne...\n", - "('*🌹🌹🌹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 depo...\n", - "('OK, Lisena',)\n", - "('*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 subse...\n", - "('The more you deposit, the more profit you earn',)\n", - "(\"Where are you at, my dude. You've been super quiet.\",)\n", - "('Hello??',)\n", - "(\"Let's drink together and celebrate today's victory\",)\n", - "('*[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 ...\n", - "('When you have as much money as I do, you will also earn as much.',)\n", - "('*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 encoura...\n", - "(\"*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 ca...\n", - "('*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 resilien...\n", - "(\"It's so hot, and you guys are still going out to play. I just woke up from drinking too much last night.😂\",)\n", - "('Thank you, Lisean!',)\n", - "('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...\n", - "('*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 persi...\n", - "('*🌹🌹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 ...\n", - "('What did you do????? 😭',)\n", - "('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.',)\n", - "('*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 ...\n", - "('I also took out a loan from a bank, but I have already paid it off.',)\n", - "('Good night, Lisena!',)\n", - "('*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 subse...\n", - "(\"*[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 Bi...\n", - "('OK',)\n", - "(\"*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 ca...\n", - "('*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 an...\n", - "('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 Marg...\n", - "(\"*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 ...\n", - "('*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 an...\n", - "('12027132090@s.whatsapp.net',)\n", - "('*[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 o...\n", - "('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...\n", - "(\"*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 ca...\n", - "('*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 subse...\n", - "('I still find it hard to believe 😱',)\n", - "('*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 accoun...\n", - "('*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 an...\n", - "('*[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 wi...\n", - "('Wow, are you playing tennis?',)\n", - "('Have a nice weekend, friends.',)\n", - "('Yes, the weekend needs exercise, it will be a good weekend',)\n", - "('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😁',)\n", - "('*[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 log...\n", - "('Good morning, friends, a new week and a new start.',)\n", - "('*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.*',)\n", - "('Lisena, are there any trading signals today?',)\n", - "('It really sucks to have no trading over the weekend.',)\n", - "('I have observed that the BTC market has been very volatile in the past few days. Will this affect our trading?',)\n", - "('*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 fi...\n", - "(\"There have been no trading signals for two days and I can't wait any longer.\",)\n", - "(\"*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 ca...\n", - "(\"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 the...\n", - "('okay',)\n", - "('I am ready',)\n", - "('Alright, I got it',)\n", - "('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',)\n", - "('ok',)\n", - "('yes really great',)\n", - "('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 Marg...\n", - "('Wish I could make that much money every day this profit is driving me crazy',)\n", - "('wow very big profit',)\n", - "('*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 subse...\n", - "('This opportunity does not come along every day',)\n", - "(\"Dude. Call me. Need to make sure you're ok. I'm worried.\",)\n", - "('I know, so just hope LOL',)\n", - "('Cherish every trading opportunity',)\n", - "('*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 ...\n", - "(\"Of course I'm looking forward to it! Big deals bring big profits! I'm not a fool\",)\n", - "(\"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?\",)\n", - "('*[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 inv...\n", - "('It looks delicious! You should expect more than profit on big trades, as I do!',)\n", - "('*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 me...\n", - "('I believe that with the help of Mr. Andy and Lisena, you will make enough money and quit your part-time job.',)\n", - "('Haha, I believe everyone doesn’t want to miss the trading signals.',)\n", - "('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 ...\n", - "(\"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.\",)\n", - "('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 Marg...\n", - "('*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 ...\n", - "('Seriously starting to worry now.',)\n", - "(\"*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...\n", - "('If I have any questions I will always contact you. Thank you, Lisena',)\n", - "('*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...\n", - "('*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 subse...\n", - "('I closed a deal and made some money so I went out for drinks with my friends. Anyone want to celebrate with me?',)\n", - "('😎Persistence is the loneliest, but you have to persevere. In the end, it is the people who persevere who will be seen to succeed.',)\n", - "('Yes, all encounters are the guidance of fate.',)\n", - "(\"*You're welcome. It's a fate that we can meet in this group.*\",)\n", - "(\"*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 ca...\n", - "('*[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...\n", - "('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 Marg...\n", - "('*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 subse...\n", - "(\"*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 ca...\n", - "('Haha, yes, he should be eager to join',)\n", - "(\"I am celebrating today's victory with my family 🥂\",)\n", - "('I am also going to share this amazing good news with my friend, I believe he will be very surprised 😁',)\n", - "('*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 ...\n", - "(\"Of course, who doesn't want to make money\",)\n", - "('*[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 t...\n", - "('*Dear members and friends, good morning☀️*',)\n", - "('Yes, our team is getting stronger and stronger.',)\n", - "('There are new friends coming in, welcome',)\n", - "('*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 in...\n", - "('*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 rec...\n", - "(\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",)\n", - "('*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 s...\n", - "('🌎🌍🌍*【Global News Today】*',)\n", - "('I have just joined this team and hope to learn more relevant trading knowledge from everyone in future transactions.🤝🏻🤝🏻🤝🏻',)\n", - "(\"🔥🚫👆👆👆👆👆🚫🔥\\n*The above is today's news, please read carefully and understand.*\",)\n", - "('*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 ...\n", - "(\"*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 o...\n", - "('thx',)\n", - "('Haha, yes, and it only took 10 min',)\n", - "('*Yes, please be patient and I will send the trading signal later.*',)\n", - "('Haha my friends watched me make money and now they want to join us',)\n", - "('*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 ge...\n", - "('*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 ...\n", - "('*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 subse...\n", - "('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...\n", - "('My friend, it is OK. Now you just need to wait patiently for the trading signal.',)\n", - "('My god, our profits are so high, your friend may be shocked 🤣',)\n", - "(\"It's the same feeling I had when I watched you guys making money Lol🤣\",)\n", - "('*[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 Supr...\n", - "('*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 subse...\n", - "('I agree too!',)\n", - "('*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 yours...\n", - "('*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 ever...\n", - "('Thanks to Teacher Andy and Lisena!',)\n", - "('*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 ti...\n", - "('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 Marg...\n", - "('*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 b...\n", - "(\"Ok, if I don't hear back from you I'm seriously gonna call the cops.\",)\n", - "('*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 subse...\n", - "(\"*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*\",)\n", - "(\"*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...\n", - "('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...\n", - "('Very good profit!',)\n", - "(\"It's been a week.\",)\n", - "('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',)\n", - "('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',)\n", - "('{\"parent_group_name\":\"Citi tudy group209\",\"author\":null,\"m0\":true,\"is_tappable\":true}',)\n", - "('GOOD MORNING GOOD AFTERNOON GOODNIGHT !!!',)\n", - "('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.',)\n", - "('Dude, where have you been??? Last I heard you were on a cruise and then you mouthed off to Sharon?',)\n", - "('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!',)\n", - "('GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!!',)\n", - "('I had to handle something.',)\n", - "('Oh. So tell.',)\n", - "('Hi',)\n", - "('👋🏻 there!!!\\nYou ok? Long time',)\n", - "(\"GOOD MORNING GOOD AFTERNOON GOOD NIGHT CUBBIES!!! Hope you're having a good weekend ily xoxoxoxo\",)\n", - "('SIMPLY IN LOVE',)\n", - "('6288219778388@s.whatsapp.net',)\n", - "('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,197351...\n", - "('admin_add',)\n", - "('Hey! How are you?',)\n", - "('{\"is_admin\":false,\"trigger_type\":0}',)\n", - "('447774217081@s.whatsapp.net',)\n", - "('447774217081@s.whatsapp.net',)\n", - "('447774217081@s.whatsapp.net',)\n", - "('{\"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...\n", - "('{\"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,\"shoul...\n", - "('{\"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.whatsa...\n", - "('{\"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_p...\n", - "('{\"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 Contrac...\n", - "('{\"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_gr...\n", - "('{\"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...\n", - "('{\"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-1...\n", - "('{\"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-158...\n", - "('{\"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\":fa...\n", - "('{\"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_...\n", - "('{\"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...\n", - "('{\"m0\":true,\"parent_group_name\":\"📈📈8-12 BTC Contracts 2\",\"author\":\"15038639039@s.whatsapp.net\",\"is_tappable\":true}',)\n", - "('{\"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\":\"...\n", - "('Thanks for inviting me to join the BTC trading group',)\n", - "('*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️⃣. Cryptocu...\n", - "('*SKOI official website: https://skoi.cc/*',)\n", - "('Mr. Robechucks was delighted to invite me to the group again',)\n", - "('*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 c...\n", - "('I have been investing in cryptocurrencies for 5 years and this is great news for me',)\n", - "('When did Mr. Robechucks start directing transactions?🤣',)\n", - "('Thank you for your invitation. When will the BTC trading start today?',)\n", - "(\"During this period, I followed Mr. Robechucks's guidance on transactions, which brought me one step closer to buying a house🤝🏻\",)\n", - "(\"Follow Mr. Robechucks Raul's investment advice and I believe you can afford a house this year😄\",)\n", - "('Yes, I think so too. This is my recent profit. I believe my capital will increase in the next few months',)\n", - "(\"Great, please start trading, I'm ready\",)\n", - "('Okay, Mr. Robechucks',)\n", - "(\"Please start giving trading suggestions. Today's recharge has been completed, so I am very confident now😃\",)\n", - "(\"OK, I'll keep an eye out for your information\",)\n", - "('*📈📈📈📈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 withi...\n", - "('OK',)\n", - "('*⚠️⚠️⚠️The second instruction will be issued soon, please be ready*',)\n", - "('*📈📈📈📈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 withi...\n", - "('Profit $1760',)\n", - "(\"I'm very happy that I made money on my first order. Please continue\",)\n", - "('This is a good start, please keep going and look forward to winning streak😁',)\n", - "('win',)\n", - "('It’s the second consecutive victory. Today’s market is very good. I continue to look forward to the third consecutive victory😃',)\n", - "('The professionalism of the analyst is beyond doubt',)\n", - "('The two have won in a row, ask the analyst to bring us more profitable orders',)\n", - "('Hope to always cooperate with analysts for win-win results🤝🤝',)\n", - "(\"Today's profit plan is great😀\",)\n", - "('It is a good decision to follow the guidance of Robechucks Raul analyst',)\n", - "('I love the profits from this simple trade, it gives me a great sense of achievement',)\n", - "('Thank you sir for your trading guidance',)\n", - "('Okay, thanks for the hard work of the analyst, looking forward to trading tomorrow, see you tomorrow, I wish you a happy life🤝',)\n", - "('Good morning, everyone.🤣',)\n", - "('*📣📣📣Good morning everyone. Recently, many new members in the team don’t know much about our company. Let me introduce our company to you*',)\n", - "('Okay, Mr. Robechucks',)\n", - "('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 nea...\n", - "('This is awesome, I’m honored to join by reviewing😁',)\n", - "('Very powerful👍🏻',)\n", - "(\"I know, I've saved it\",)\n", - "('*This is the SKOI website: http://skoi.cc/*\\n\\n*This is the AONE COIN exchange website: https://www.aonecoin.top/*',)\n", - "('GOOD MORNING GOOD AFTERNOON GOODNIGHT CUBBIES!!!',)\n", - "('*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 t...\n", - "('Please continue sir, I would like to know more🧐',)\n", - "('*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 Ki...\n", - "('It is amazing for a company to last for thirty years',)\n", - "('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',)\n", - "(\"*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...\n", - "('*Why does our company share investment advice with all investors? Because we work with investors to achieve win-win results*',)\n", - "('I believe that win-win cooperation leads to long-term cooperation',)\n", - "('I agree with this👍🏻',)\n", - "(\"Thank you for your introduction, I am confident about today's profit plan🤝🏻\",)\n", - "('Mr. Robechucks, I await your orders🤝🏻',)\n", - "('Nearly $100K, is this just a small portion of your money?',)\n", - "('I have prepared a small amount of funds',)\n", - "('OK sir',)\n", - "('📣📣📣*Dear investors in the group, please be prepared, I will release the BTC trading guidance signal direction*',)\n", - "(\"Got it, I'm ready\",)\n", - "('*⚠️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 wi...\n", - "('OK',)\n", - "('Beautiful instruction, the first instruction is profitable',)\n", - "('Please continue with the next instruction. I have plenty of time to follow👍🏻',)\n", - "('Profit $1760',)\n", - "('*⚠️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 operati...\n", - "(\"Mr. Robechucks, today's profit target has been achieved, thank you for bringing me a huge profit\",)\n", - "('Perfect two consecutive victories, looking forward to the arrival of three consecutive victories',)\n", - "('👍🏻👍🏻Thank you sir, the wallet keeps growing',)\n", - "(\"It's a pity that there are only two instructions today🧐\",)\n", - "('Thank you sir, looking forward to your profit plan tomorrow, good night👏🏻',)\n", - "('GOOD MORNING ☀️ GOOD AFTERNOON 🌺 GOODNIGHT CUBBIES 🌙 !!!',)\n", - "('Everything is ready and looking forward to today’s guidance',)\n", - "('Following Mr. Robechucks’ investment, I believe that not only will my wallet grow, but I will also learn a lot.👏',)\n", - "('Enjoy life👍🏻',)\n", - "('You are a foodie🤣',)\n", - "('Thank you Mr. Robechucks, when will our profit plan start today?',)\n", - "('I applied to the assistant to speak. I am very happy to be an administrator. Thank you for the invitation from the analyst',)\n", - "('Yes',)\n", - "('Welcome new friends to join us and make money together🤝🏻',)\n", - "('Nice, a very good start, hope to keep making profits👏🏻',)\n", - "('The first order made a profit of $1760, I am very happy',)\n", - "('*⚠️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...\n", - "(\"okay, finally when it's time to be happy, I'm ready😃\",)\n", - "('*⚠️⚠️⚠️⚠️I am about to issue the first instruction*',)\n", - "('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',)\n", - "('Okay, long awaited. Always ready for this',)\n", - "('Everyone is making money, I am becoming more and more confident, I believe I can also make more money👍',)\n", - "(\"OK, I'll keep an eye out for your information\",)\n", - "('OK, please start',)\n", - "(\"Thank you Mr. Robechucks, I am very satisfied with today's two order transactions.🤝🏻\",)\n", - "('*⚠️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 operati...\n", - "('*⚠️⚠️⚠️⚠️I am about to issue the second command*',)\n", - "('Great...The analyst has brought us two consecutive victories',)\n", - "('win',)\n", - "('Thank you Mr. Robechucks, looking forward to your guidance trading tomorrow👍🏻',)\n", - "('Profit $3520',)\n", - "('Please continue😀',)\n", - "('OK',)\n", - "('Good morning, everyone.',)\n", - "('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...\n", - "('Friend, I invest in BTC seconds contract trading',)\n", - "('Of course, it was profitable and I already made six withdrawals',)\n", - "('What are you guys investing in?',)\n", - "('I do not understand. How to invest. how it works',)\n", - "('Virtual Reality? invest? Is it profitable?',)\n", - "('Investing is simple. We just need to follow the guidance of analysts and place orders to make profits',)\n", - "('Only 5000 USDT can be deposited at one time😔',)\n", - "('Are ready',)\n", - "(\"I don't care about anything else. I only care about when today's plan starts\",)\n", - "('OK sir,',)\n", - "('*⚠️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...\n", - "('Perfect two-game winning streak',)\n", - "('*⚠️⚠️⚠️⚠️I am about to issue the first instruction, please be prepared*',)\n", - "('Good sir',)\n", - "('OK',)\n", - "(\"OK, let's start\",)\n", - "('Profit $1760👍🏻',)\n", - "('*⚠️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 operati...\n", - "('*⚠️⚠️⚠️I am about to issue the second instruction, please be prepared*',)\n", - "('win',)\n", - "('I like these two orders very much, which made me a profit of $3520',)\n", - "(\"Thank you sir, I am very satisfied with today's profit plan😄\",)\n", - "('https://drive.google.com/drive/folders/1d5OCAPXXpq1m8rQYjmytxHUMQgwpr9jR',)\n", - "('Hey dude. Take a look at these and let me know what you think.',)\n", - "('Good afternoon Mr. Robechucks',)\n", - "('Looking forward to analyst guidance today.',)\n", - "('OK',)\n", - "('$4000 Profit Plan is great👏🏻',)\n", - "('*🌺🌺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*',)\n", - "('*Coinbase, crypto, Cash, and kraken have opened international investment deposit and withdrawal channels. Any country’s fiat currency can be bought and sold here.*',)\n", - "('*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 w...\n", - "('Mr Robechucks is very professional👍🏻',)\n", - "('OK',)\n", - "('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',)\n", - "(\"OK Mr. Robechucks, let's get started👏🏻\",)\n", - "('*⚠️⚠️⚠️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)*',...\n", - "('Mr. Robechucks is very powerful, please continue to the next instruction',)\n", - "('I like this order very much, profit $4400👏🏻👏🏻👏🏻',)\n", - "('Is there only one order today? Unfortunately, I only made $1760 from this order',)\n", - "('I made a profit of $1760🧐',)\n", - "('Adequate funding is the key to my success.🤣🤣',)\n", - "(\"Thanks Mr. Robechucks, I am very happy with today's profit plan, although there is only one instruction\",)\n", - "('Thank you analyst, please have a good rest',)\n", - "('OK sir, looking forward to your profit plan today',)\n", - "('Waiting for your order analyst',)\n", - "('Through my continuous investment, I finally bought the watch I like',)\n", - "('continue continue',)\n", - "('Okay, Mr. Robechucks',)\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 15 seconds)...\n", - "('*⚠️⚠️⚠️Investment order amount: 8000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 8000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 15 seconds)*',...\n", - "('OK',)\n", - "('Please continue to the next instruction',)\n", - "(\"It's finally time to start, I'm ready\",)\n", - "('*⚠️⚠️⚠️⚠️The first instruction will be released soon*',)\n", - "('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',)\n", - "('This is a failed instruction😡',)\n", - "('*⚠️⚠️⚠️⚠️Please be prepared, I am about to issue the second instruction*',)\n", - "('It doesn’t matter if we lose one order, we believe that the analyst will help us recover the loss and make a profit',)\n", - "('This order is a pity, I lost money, I hope the next order will be profitable',)\n", - "(\"This order lost 4000. Today's market is so bad.\",)\n", - "('No one can guarantee 100% profit, so to seize every profit opportunity you must have sufficient funds',)\n", - "(\"Looking forward to Mr.'s profit plan tomorrow😄\",)\n", - "('Please continue to the next instruction',)\n", - "('Good morning, everyone.',)\n", - "(\"I have enough funds in my account to protect against market risks, so I don't worry about not being able to keep up with the analyst's instructions🤣\",)\n", - "('Yes',)\n", - "(\"I'm trying to add funds\",)\n", - "('Profit $7040👏🏻',)\n", - "('Today is not ideal, I only traded $4000 in the second order😥',)\n", - "(\"I'm ready to follow today's profit plan\",)\n", - "(\"*⚠️⚠️⚠️SKOI Investment Consulting Company signs a BTC contract with (registered users) investors, which can provide investors with strong interest protection and legal channels for investors to conf...\n", - "(\"*📣📣📣Now let me explain SKOI's investment returns and cooperation methods!*\\n\\n*📣📣📣Interested investors can listen to my explanation and learn more about the advantages of BTC for ordinary investors....\n", - "('OK',)\n", - "(\"Let's start\",)\n", - "('*⚠️⚠️⚠️The group will have a daily profit plan, offering a minimum profit of $2000 (for investors registered in the group)*\\n\\n*🌺🌺Weekly profit ($20000-40000)*',)\n", - "('*⚠️⚠️⚠️⚠️Please get ready, I am about to issue the first instruction*',)\n", - "('*⚠️⚠️⚠️Investment order amount: 4000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 4000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 15 seconds)*',...\n", - "('OK',)\n", - "('*⚠️⚠️⚠️Step 1: First you need an AONE exchange account (you can register by yourself or contact the assistant for help)*',)\n", - "(\"*1. We provide trading guidance every day. After you make a profit and withdraw (weekly or monthly), you will pay the company the analyst: 15% of the profit as a service guidance fee.*\\n\\n*2. We can...\n", - "('When does the Analyst Earnings Program begin?',)\n", - "('Okay, analyst.',)\n", - "(\"I'm glad to be one of them, I want to know when will today's profit plan start?🤝🏻\",)\n", - "('Mr. Robechucks, I have every confidence in your guidance trading today',)\n", - "('Okay, Mr. Robechucks',)\n", - "('Yes, people are very optimistic about BTC in the coming months and even years. Some people predict that the price of BTC will rise to 100,000 in the next year.',)\n", - "('Profit of $3520, please proceed to the next instruction😁',)\n", - "('80000, which is a certain degree of difficulty\\n\\nBut looking back half a year, compare the prices half a year ago with the current prices.\\n\\nIt seems like everything is possible again.',)\n", - "('Great! Profitable on the first order',)\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)...\n", - "('A perfect two-game winning streak, awesome!🤝🏻',)\n", - "('OK, sir',)\n", - "('Seize every opportunity to make a profit😃',)\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)*',...\n", - "('Please continue to the next instruction',)\n", - "('Profit $1760',)\n", - "('*⚠️⚠️⚠️⚠️Please be prepared, I am about to issue the second instruction*',)\n", - "('*📢📢📢According to the BTC market environment, the profit plan is about to start, please be prepared, investors*',)\n", - "('OK, it’s finally time to start',)\n", - "('win',)\n", - "('Mr. Robechucks, I will await your instructions.',)\n", - "('I like the profits from trading, it gives me a great sense of achievement😁',)\n", - "('I like these two instructions very much and both have made profits.',)\n", - "('I like the trading here, and the guidance from analysts is reassuring',)\n", - "('Thank you sir for your trading guidance',)\n", - "('OK, I will prepare in advance and will not miss any trading guidance🤝',)\n", - "('*⚠️⚠️⚠️According to the BTC market environment, the profit plan will start in ten minutes. Investors, please be ready*',)\n", - "('Quietly waiting for your guidance transaction🤣',)\n", - "('The assistant suggested I start with $5000🤣',)\n", - "('I am very happy to be a part of it and make money with everyone😃',)\n", - "('*⚠️⚠️⚠️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)*',)\n", - "(\"OK sir, let's get started\",)\n", - "('Good, a good start.',)\n", - "('Very accurate, I look forward to more winning streaks.',)\n", - "('Following the analyst and investing in BTC contract trading, I think the returns are higher than other investments with the lowest risk. I believe I will achieve wealth freedom soon.',)\n", - "('The market is very stable today, another profitable order🥰',)\n", - "('*⚠️⚠️⚠️The second 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)...\n", - "('win🥳',)\n", - "('Withdraw to account🤣',)\n", - "(\"Thank you Mr. Robechucks, I am very pleased with today's earnings plan\",)\n", - "(\"I like this kind of investment. It is simple and you just need to follow the direction of the analyst's guidance😂\",)\n", - "('Failed Instructions',)\n", - "('OK',)\n", - "(\"Mr. Robechucks, when does today's profit program start?\",)\n", - "('*⚠️⚠️Good afternoon everyone, many newcomers have sent me private messages asking me what is BTC contract trading?*\\n\\n*⚠️⚠️Due to the growing popularity of cryptocurrencies, BTC delivery contract t...\n", - "('*⚠️⚠️⚠️The first 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)*',)\n", - "('I am very confident that I will not miss any trading opportunities.',)\n", - "(\"I envy you, I'm still working\",)\n", - "(\"I'm now ready and logged into my trading account\",)\n", - "('Good afternoon everyone😄',)\n", - "('*⚠️⚠️⚠️According to the BTC market environment, the profit plan will start in ten minutes. Investors, please be ready*',)\n", - "('The weather is nice today, I took my dog \\u200b\\u200bout for a walk',)\n", - "(\"Finally I can start trading, I can't wait\",)\n", - "('Successfully recover losses and gain profits👍🏻',)\n", - "('win',)\n", - "(\"Celebrate today's profit👏🏻\",)\n", - "('The market is bad today, and the first order is a loss',)\n", - "(\"The loss of an order does not matter, as long as we strictly follow the analyst's guidance to trade, then we can recover the loss and make a profit\",)\n", - "('Profit $3520, I like this order😄',)\n", - "('Thanks to the analyst, looking forward to the next transaction',)\n", - "('Good profits recently🤝🏻',)\n", - "('Analyst, please continue, I have plenty of time to follow the orders',)\n", - "('Please continue to the next instruction analyst',)\n", - "('Loss',)\n", - "('*⚠️⚠️⚠️⚠️Please be prepared, I am about to issue the second instruction*',)\n", - "('*⚠️⚠️⚠️The second 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)...\n", - "('Prepare to pick up the car😁',)\n", - "('How long have you been investing?',)\n", - "('I have invested in SKOI for three months. Because my initial capital was relatively small, I thought that investment would require a lot of money at first, but the investment in BTC second contracts...\n", - "('I started with $2000 and now have more than $30000 in my account. I like this win-win model🤣',)\n", - "('Increase funds and maintain profitability🙏🏻',)\n", - "('I have already signed up with Assistant Anna to participate',)\n", - "('Great, I just made a deposit, can I sign up to participate?😃',)\n", - "('I plan to sign up for 100000 and I am working hard to prepare and transfer funds to AONE.',)\n", - "('I also applied for registration, hoping to be able to participate. The assistant explained to me that the number of places is limited and it is on a first-come, first-served basis',)\n", - "('Mr. Robechucks, I received a notice from my assistant that I plan to sign up for the 50K event👍🏻',)\n", - "('OK',)\n", - "('winLooking forward to your next guided transaction🤝🏻',)\n", - "('Waiting for analyst guidance, is it buy or sell?',)\n", - "('*⚠️⚠️⚠️Order amount: 4000 USDT!*\\n\\n*✅BTC/USDT【Buy】*\\n\\n*✅Position selection time: 60S*\\n\\n*✅Quantity: 4000 USDT (click to buy)*\\n\\n*✅ (Please complete the operation within 10 seconds)*',)\n", - "(\"I can finally start trading. I can't wait😁\",)\n", - "('Nice direction, profit of $3520 on this order👏🏻👏🏻👏🏻',)\n", - "('Good night, Mr. Robechucks',)\n", - "('Thank you sir',)\n", - "('*⚠️⚠️⚠️The current trend of the Bitcoin market is relatively stable. I will give you trading guidance for Bitcoin second contracts in ten minutes. Please be prepared*',)\n", - "('Thanks to the analyst, looking forward to the next transaction',)\n", - "('Finn',)\n", - "('Ronen Engler',)\n", - "('John Reynolds',)\n", - "('Colin DaCopps',)\n", - "('Russell Philby',)\n", - "('WMzaMoVZnL',)\n", - "('Lisena Gocaj',)\n", - "('Lisena Gocaj',)\n", - "('Lisena Gocaj',)\n", - "('Andy Sieg',)\n", - "('Howell',)\n", - "('Yaliweisi',)\n", - "('Andy Sieg',)\n", - "('Abner',)\n", - "('Andy Schweichert',)\n", - "('Lisena Gocaj',)\n", - "('Andy Sieg',)\n", - "('Brian Arseneau',)\n", - "('Virginia',)\n", - "('Christian Justiniano',)\n", - "('Lisena Gocaj',)\n", - "('Jim Wilson',)\n", - "('Lisena Gocaj',)\n", - "('Virginia Benton',)\n", - "('Howell',)\n", - "('Lisena',)\n", - "('Yaliweisi',)\n", - "('Abner',)\n", - "('Abe Rudder',)\n", - "('Virginia',)\n", - "('Jason',)\n", - "('Sharon Oneil',)\n", - "('Job Vizcarra',)\n", - "('Robert Elliott',)\n", - "('Sultan',)\n", - "('Emerick',)\n", - "('Nia Yuniar',)\n", - "('\\u200bskol',)\n", - "('David Wilson',)\n", - "('Robechucks Raul',)\n", - "('Ella Bella',)\n", - "('Dick Oscar',)\n", - "('Charlie',)\n", - "('Steven',)\n", - "('Ameya Joshi',)\n", - "('Robechucks Raul',)\n", - "('Robechucks Raul',)\n", - "('Amiel Williamson',)\n", - "('Ashwin Menon',)\n", - "('Ajax Edmiston',)\n", - "('Eleazar Lewden',)\n", - "('Polly Lucas',)\n", - "('Eleazar Lewden',)\n", - "('Robechucks Raul',)\n", - "('Lemuel Glasgow',)\n", - "('Bazel McConnel',)\n", - "('William Stevenson',)\n", - "('Robechucks Raul',)\n", - "('Denice R Allen',)\n", - "('Leif Fox',\n", "\n", "=== STATE SNAPSHOT ===\n", "\n", @@ -3215,8 +808,8 @@ "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 15;\n", - "2: AI -> Retrieved 15 rows\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", @@ -3226,11 +819,11 @@ "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 15;\n", + ";\n", "4: AI -> Retrieved 1188 rows\n", "\n", "--- BEGIN METADATA ---\n", - "attempt : 1\n", + "attempt : 2\n", "max_attempts : 3\n", "phase : extraction\n", "target_entity : PERSON_NAME\n", @@ -3243,7 +836,7 @@ "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 15;\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", @@ -3252,11 +845,12 @@ "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", + "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 : 39\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", @@ -3265,27 +859,27 @@ "========================================\n", " 🏁 FORENSIC REPORT: PERSON_NAME \n", "========================================\n", - "✅ Success! Found 39 unique PERSON_NAME:\n", + "✅ Success! Found 42 unique PERSON_NAME:\n", " 1. Abe Rudder\n", - " 2. Abner\n", - " 3. Ajax Edmiston\n", - " 4. Ameya Joshi\n", - " 5. Amiel Williamson\n", - " 6. Amit Sharma\n", - " 7. Andy Sieg\n", - " 8. Ashwin Menon\n", - " 9. Bazel McConnel\n", - " 10. Chad Hunt\n", - " 11. Charles Finley\n", - " 12. Charlie\n", - " 13. Christian Justiniano\n", - " 14. David Wilson\n", - " 15. Denice R Allen\n", - " 16. Dick Oscar\n", - " 17. Eleazar Lewden\n", - " 18. Ella Bella\n", - " 19. Emily\n", - " 20. Jim Wilson\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", @@ -3293,18 +887,21 @@ " 25. Leif Fox\n", " 26. Lemuel Glasgow\n", " 27. Lisena Gocaj\n", - " 28. Otto\n", - " 29. Polly Lucas\n", - " 30. Robechucks Raul\n", - " 31. Ronen Engler\n", - " 32. Russell Philby\n", - " 33. Sharon\n", - " 34. Steven\n", - " 35. Toni Yu\n", - " 36. Virginia\n", - " 37. Virginia Benton\n", - " 38. William Hopkins\n", - " 39. William Stevenson\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"