diff --git a/api/scripts/create_play_profile_pic.py b/api/scripts/create_play_profile_pic.py index 2019c4118bec6febeb6732224c6e70c36401ac9c..0c4cee2cc0398db6c39bd1740638e3083e1378f0 100644 --- a/api/scripts/create_play_profile_pic.py +++ b/api/scripts/create_play_profile_pic.py @@ -1,20 +1,77 @@ from openai import OpenAI import base64 +from model_player import Player + client = OpenAI() -prompt = """ -A children's book drawing of a veterinarian using a stethoscope to -listen to the heartbeat of a baby otter. + +def get_ai_response(prompt): + response = client.responses.create( + model="gpt-4o-mini", + input=prompt + ) + return response.output_text + + +def generate_image(prompt): + result = client.images.generate( + model="gpt-image-1", + size="1024x1024", + quality="medium", + prompt=prompt + ) + image_base64 = result.data[0].b64_json + image_bytes = base64.b64decode(image_base64) + return image_bytes + + +prompt_a = """ +You are generating a realistic portrait of a fictional professional soccer player using their structured profile data. + +Use the information below to inform the player's: +- Physical build (age, height, weight) +- Facial features and vibe (bio, nationality, personality) +- Team kit details (team name, role, position) +- Pose and mood (based on form, rating, injury status) + +Be creative, but grounded in realism — think press photo or matchday portrait. + +Here is the player profile: + +{player_profile} + +Your output should describe only the image to be generated. No text, captions, or extra commentary. Just a detailed image prompt. """ -result = client.images.generate( - model="gpt-image-1", - prompt=prompt -) +# result = client.images.generate( +# model="gpt-image-1", +# size="1024x1024", +# quality="medium", +# prompt=prompt +# ) + +# image_base64 = result.data[0].b64_json +# image_bytes = base64.b64decode(image_base64) -image_base64 = result.data[0].b64_json -image_bytes = base64.b64decode(image_base64) +# # Generate profile pic descriptions for all players +# for player in Player.get_players(): +# print(player.name) +# # print(player.profile_pic) +# if not player.profile_pic: +# print("--> generate pic description") +# text = prompt_a.format(player_profile=player.model_dump()) +# response = get_ai_response(text) +# print(response) +# player.profile_pic = response +# player.save() +# else: +# print("--> skip") +# # break -# Save the image to a file -with open("otter.png", "wb") as f: - f.write(image_bytes) \ No newline at end of file +# Generate images for all players +for player in Player.get_players(): + print(player.name) + print(player.profile_pic) + response = generate_image(player.profile_pic) + player.save_image(response) + break diff --git a/api/scripts/create_player_profiles.py b/api/scripts/create_player_profiles.py index befcb17b01b0fc3558c6a52f0a76cb6059db66c0..f61953be45d7decc8b2973329d1b335fbb5dadaa 100644 --- a/api/scripts/create_player_profiles.py +++ b/api/scripts/create_player_profiles.py @@ -1,12 +1,9 @@ from openai import OpenAI import os import csv -from pydantic import BaseModel, Field, ValidationError -from typing import Literal, Optional -import hashlib import json from pprint import pprint - +from model_player import Player client = OpenAI() @@ -63,92 +60,13 @@ team_descriptions = { } -class Player(BaseModel): - number: int - name: str - age: int - nationality: str - shirt_number: int - position: Literal[ - "Goalkeeper", "Left Back", "Center Back", "Right Back", - "Full Back", "Defensive Mid", "Central Mid", "Attacking Mid", - "Left Wing", "Right Wing", "Forward/Winger", "Striker", "Various" - ] - preferred_foot: Literal["Left", "Right", "Mixed"] - role: Literal["Starter", "Bench", "Reserve/Prospect"] - - @property - def id(self): - if not self.team: - raise ValueError("Team must not be empty") - return hashlib.sha256(f"{self.team}_{self.number}".encode()).hexdigest() - - @property - def filename(self): - return f'{self.team.replace(" ", "_")}_{self.number}.json' - - # Optional flair / simulation fields - team: Optional[str] = None - height_cm: Optional[int] = Field(None, ge=150, le=210) - weight_kg: Optional[int] = Field(None, ge=50, le=110) - overall_rating: Optional[int] = Field(None, ge=1, le=100) - is_injured: Optional[bool] = False - form: Optional[int] = Field(None, ge=1, le=10) # recent performance (1-10) - - # Stats placeholder — useful if you want to track across games - goals: Optional[int] = 0 - assists: Optional[int] = 0 - yellow_cards: Optional[int] = 0 - red_cards: Optional[int] = 0 - - # Narrative hook - bio: Optional[str] = None - - @classmethod - def from_row(cls, row): - if len(row) != 8: - raise ValueError("Row must have 8 elements") - return cls( - number=row[0], - name=row[1], - position=row[2], - age=row[3], - nationality=row[4], - shirt_number=row[5], - preferred_foot=row[6], - role=row[7], - ) - - def player_info(self): - return { - "number": self.number, - "name": self.name, - "position": self.position, - "age": self.age, - "nationality": self.nationality, - "shirt_number": self.shirt_number, - "preferred_foot": self.preferred_foot, - "role": self.role, - } - - def save(self): - with open(os.path.join("/workspace/data/huge-league/players", self.filename), 'w') as f: - json.dump(self.model_dump(), f) - - @classmethod - def load(cls, filename): - with open(os.path.join("/workspace/data/huge-league/players", filename), 'r') as f: - data = json.load(f) - return cls.model_validate(data) - - - -for filename in os.listdir("/workspace/data/huge-league/rosters"): - with open(os.path.join("/workspace/data/huge-league/rosters", filename), 'r') as f: - print(f"Processing {filename}") - team_description = team_descriptions.get(filename) - team_name = " ".join(filename.split("_")[:-1]) - reader = csv.reader(f) +if __name__ == "__main__": + for filename in os.listdir("/workspace/data/huge-league/rosters"): + with open(os.path.join("/workspace/data/huge-league/rosters", filename), 'r') as f: + print(f"Processing {filename}") + team_description = team_descriptions.get(filename) + team_name = " ".join(filename.split("_")[:-1]) + reader = csv.reader(f) next(reader) # skip header for row in reader: player = Player.from_row(row) diff --git a/api/scripts/model_player.py b/api/scripts/model_player.py new file mode 100644 index 0000000000000000000000000000000000000000..d261739e362fd63574934639b0d98b5ce5506c71 --- /dev/null +++ b/api/scripts/model_player.py @@ -0,0 +1,97 @@ +import os +import json +from pydantic import BaseModel, Field, ValidationError +from typing import Literal, Optional +import hashlib + + +class Player(BaseModel): + number: int + name: str + age: int + nationality: str + shirt_number: int + position: Literal[ + "Goalkeeper", "Left Back", "Center Back", "Right Back", + "Full Back", "Defensive Mid", "Central Mid", "Attacking Mid", + "Left Wing", "Right Wing", "Forward/Winger", "Striker", "Various" + ] + preferred_foot: Literal["Left", "Right", "Mixed"] + role: Literal["Starter", "Bench", "Reserve/Prospect"] + + @property + def id(self): + if not self.team: + raise ValueError("Team must not be empty") + return hashlib.sha256(f"{self.team}_{self.number}".encode()).hexdigest() + + @property + def filename(self): + return f'{self.team.replace(" ", "_")}_{self.number}.json' + + # Optional flair / simulation fields + team: Optional[str] = None + height_cm: Optional[int] = Field(None, ge=150, le=210) + weight_kg: Optional[int] = Field(None, ge=50, le=110) + overall_rating: Optional[int] = Field(None, ge=1, le=100) + is_injured: Optional[bool] = False + form: Optional[int] = Field(None, ge=1, le=10) # recent performance (1-10) + + # Stats placeholder — useful if you want to track across games + goals: Optional[int] = 0 + assists: Optional[int] = 0 + yellow_cards: Optional[int] = 0 + red_cards: Optional[int] = 0 + + # Narrative hook + bio: Optional[str] = None + + # AI-generated profile pic + profile_pic: Optional[str] = None + + @classmethod + def from_row(cls, row): + if len(row) != 8: + raise ValueError("Row must have 8 elements") + return cls( + number=row[0], + name=row[1], + position=row[2], + age=row[3], + nationality=row[4], + shirt_number=row[5], + preferred_foot=row[6], + role=row[7], + ) + + def player_info(self): + return { + "number": self.number, + "name": self.name, + "position": self.position, + "age": self.age, + "nationality": self.nationality, + "shirt_number": self.shirt_number, + "preferred_foot": self.preferred_foot, + "role": self.role, + } + + def save(self): + with open(os.path.join("/workspace/data/huge-league/players", self.filename), 'w') as f: + json.dump(self.model_dump(), f) + + @classmethod + def load(cls, filename): + with open(os.path.join("/workspace/data/huge-league/players", filename), 'r') as f: + data = json.load(f) + return cls.model_validate(data) + + @classmethod + def get_players(cls): + for filename in os.listdir("/workspace/data/huge-league/players"): + yield cls.load(filename) + + def save_image(self, image_bytes): + filename = self.filename.replace(".json", ".png") + with open(os.path.join("/workspace/data/huge-league/players_pics", filename), 'wb') as f: + f.write(image_bytes) \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_1.json b/data/huge-league/players/Everglade_FC_1.json index 04bf01e0adbc0fc3e03d0b756a80b1c87848d725..07b0cddd9acc1b96dbbe2d8081270ec56454c98c 100644 --- a/data/huge-league/players/Everglade_FC_1.json +++ b/data/huge-league/players/Everglade_FC_1.json @@ -1 +1 @@ -{"number": 1, "name": "Eric Miller", "age": 28, "nationality": "USA", "shirt_number": 1, "position": "Goalkeeper", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 185, "weight_kg": 80, "overall_rating": 88, "is_injured": false, "form": 8, "goals": 0, "assists": 0, "yellow_cards": 2, "red_cards": 0, "bio": "Eric Miller, a dynamic goalkeeper with a commanding presence, thrives under pressure, effortlessly diving to make game-changing saves. A proud product of Miami, he embodies the fiery spirit of Everglade FC, showcasing agility and flair that resonates with the team's wild, unpredictable style. His leadership on the field inspires teammates to elevate their game, making him an irreplaceable asset."} \ No newline at end of file +{"number": 1, "name": "Eric Miller", "age": 28, "nationality": "USA", "shirt_number": 1, "position": "Goalkeeper", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 185, "weight_kg": 80, "overall_rating": 88, "is_injured": false, "form": 8, "goals": 0, "assists": 0, "yellow_cards": 2, "red_cards": 0, "bio": "Eric Miller, a dynamic goalkeeper with a commanding presence, thrives under pressure, effortlessly diving to make game-changing saves. A proud product of Miami, he embodies the fiery spirit of Everglade FC, showcasing agility and flair that resonates with the team's wild, unpredictable style. His leadership on the field inspires teammates to elevate their game, making him an irreplaceable asset.", "profile_pic": "A realistic portrait of a 28-year-old male soccer player, Eric Miller, standing confidently in a matchday portrait. He is 185 cm tall with a strong, athletic build weighing 80 kg. His light brown hair is neatly styled, and he has a determined expression that exudes charisma and confidence. His skin tone is light, emphasizing his American nationality. He wears the vibrant team kit of Everglade FC\u2014bright green and blue with bold patterns, featuring the team\u2019s logo prominently on the chest. His shirt proudly displays the number 1. \n\nThe pose captures him in a slightly angled stance, hands on hips, which showcases his commanding presence as a goalkeeper. The background features a blurred stadium setting with fans in the stands, adding a lively atmosphere. The mood is energetic and focused, reflecting his high form rating of 8. His gaze is intense yet inspiring, radiating a sense of leadership and passion for the game. The image encapsulates his role as a starter and dynamic playmaker, underscoring his agility and flair without any signs of injury."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_10.json b/data/huge-league/players/Everglade_FC_10.json index a9d52ee9522251165a210676f23ddbe9f2463a2d..b022aa40de9eeb7be86d803d03bc3c1b6ce52551 100644 --- a/data/huge-league/players/Everglade_FC_10.json +++ b/data/huge-league/players/Everglade_FC_10.json @@ -1 +1 @@ -{"number": 10, "name": "Matthew Martin", "age": 24, "nationality": "USA", "shirt_number": 10, "position": "Striker", "preferred_foot": "Left", "role": "Starter", "team": "Everglade FC", "height_cm": 182, "weight_kg": 77, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 15, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Matthew Martin is a dynamic striker known for his explosive pace and clinical finishing. Hailing from the vibrant streets of Miami, he embodies the flair of Everglade FC, often dazzling defenders with his deft footwork and unpredictable movements. His fierce determination and humble beginnings fuel his passion on the pitch, making him a fan favorite and a relentless competitor."} \ No newline at end of file +{"number": 10, "name": "Matthew Martin", "age": 24, "nationality": "USA", "shirt_number": 10, "position": "Striker", "preferred_foot": "Left", "role": "Starter", "team": "Everglade FC", "height_cm": 182, "weight_kg": 77, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 15, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Matthew Martin is a dynamic striker known for his explosive pace and clinical finishing. Hailing from the vibrant streets of Miami, he embodies the flair of Everglade FC, often dazzling defenders with his deft footwork and unpredictable movements. His fierce determination and humble beginnings fuel his passion on the pitch, making him a fan favorite and a relentless competitor.", "profile_pic": "A striking portrait of a professional soccer player in a press photo setup. The player, Matthew Martin, is 24 years old, standing at 182 cm tall and weighing 77 kg, with an athletic build. He has a confident demeanor, showcasing his vibrant energy. His facial features exude determination, with tousled dark hair and focused, captivating eyes reflecting his competitive spirit. He has a light tan complexion, indicative of his Miami upbringing.\n\nMatthew is dressed in the sleek home kit of Everglade FC, which features vivid green and blue colors, with a bold number 10 emblazoned on the back. The team logo is prominent on the chest, and the fabric appears high-performance, tailored for agility. He's in a relaxed yet ready athletic pose, one foot slightly forward, arms crossed over his chest, exuding confidence and pride in his role as a starting striker.\n\nThe background showcases a blurred soccer pitch, emphasizing the professional setting, while the lighting is bright and even, enhancing the player's features. His overall expression radiates positivity and focus, reflecting his current form and rating of 85, showcasing that he is fit and uninjured. The vibe is both inspiring and approachable, capturing the essence of a dynamic athlete ready to dazzle on the field."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_11.json b/data/huge-league/players/Everglade_FC_11.json index a300a14486afea8bac4ae8faa38e41fc504bed14..04a27a5e2ce1dcd391e60151eb1eb31f0434784c 100644 --- a/data/huge-league/players/Everglade_FC_11.json +++ b/data/huge-league/players/Everglade_FC_11.json @@ -1 +1 @@ -{"number": 11, "name": "Michael Smith", "age": 20, "nationality": "USA", "shirt_number": 11, "position": "Right Wing", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Michael Smith, the electrifying right wing from Everglade FC, combines blistering speed with uncanny dribbling skills, making defenders dizzy. Hailing from the vibrant streets of Miami, his playful flair on the pitch reflects the rich culture of his roots. With a fierce determination, he thrives under pressure, often delivering stunning goals in crucial moments."} \ No newline at end of file +{"number": 11, "name": "Michael Smith", "age": 20, "nationality": "USA", "shirt_number": 11, "position": "Right Wing", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Michael Smith, the electrifying right wing from Everglade FC, combines blistering speed with uncanny dribbling skills, making defenders dizzy. Hailing from the vibrant streets of Miami, his playful flair on the pitch reflects the rich culture of his roots. With a fierce determination, he thrives under pressure, often delivering stunning goals in crucial moments.", "profile_pic": "A young male soccer player, Michael Smith, 20 years old, standing confidently in an outdoor stadium setting. He is 178 cm tall, weighing 70 kg, with a lean, athletic build. His complexion is light, with a warm undertone, complemented by short, slightly wavy dark brown hair. His expressive light brown eyes reflect determination and a playful flair. \n\nHe wears the home kit of Everglade FC: a vibrant primarily dark green jersey featuring bold orange accents and the team logo emblazoned on the left chest. The jersey is fitted, accentuating his athletic frame, paired with matching shorts and knee-length socks that feature an orange stripe. His right foot is prominently lifted, showcasing a bright pair of cleats, gripping the grass, suggesting readiness for action.\n\nIn the background, the stadium is filled with cheering fans, slightly blurred to emphasize him in the foreground. The atmosphere is electric, capturing the essence of matchday. He holds a soccer ball at his feet, a confident smile on his face, exuding excitement and focus, with a slight tilt of his head indicating readiness to take on any challenge. The sun casts a warm glow, enhancing the intensity of the moment, while the shadows add depth to the image."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_12.json b/data/huge-league/players/Everglade_FC_12.json index f2b8dfdb4988fdcbad2beef9806ae1636282bb0d..a3b0b97aa4d2c9285178feb42b638f76ab76216a 100644 --- a/data/huge-league/players/Everglade_FC_12.json +++ b/data/huge-league/players/Everglade_FC_12.json @@ -1 +1 @@ -{"number": 12, "name": "Eric Johnson", "age": 30, "nationality": "USA", "shirt_number": 12, "position": "Goalkeeper", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 185, "weight_kg": 80, "overall_rating": 76, "is_injured": false, "form": 7, "goals": 0, "assists": 0, "yellow_cards": 2, "red_cards": 0, "bio": "Hailing from the bustling streets of Miami, Eric Johnson is known for his quick reflexes and fearless approach to goalkeeping. His left foot is not just for kicking but also for orchestrating play from the back, commanding the defense with a calm yet fiery presence. Always ready to dive into action, he's a beloved figure among fans for his dedication and the vibrant spirit he brings to the pitch."} \ No newline at end of file +{"number": 12, "name": "Eric Johnson", "age": 30, "nationality": "USA", "shirt_number": 12, "position": "Goalkeeper", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 185, "weight_kg": 80, "overall_rating": 76, "is_injured": false, "form": 7, "goals": 0, "assists": 0, "yellow_cards": 2, "red_cards": 0, "bio": "Hailing from the bustling streets of Miami, Eric Johnson is known for his quick reflexes and fearless approach to goalkeeping. His left foot is not just for kicking but also for orchestrating play from the back, commanding the defense with a calm yet fiery presence. Always ready to dive into action, he's a beloved figure among fans for his dedication and the vibrant spirit he brings to the pitch.", "profile_pic": "A portrait of Eric Johnson, a 30-year-old American goalkeeper for Everglade FC. Standing confidently at 185 cm tall and weighing 80 kg, he has an athletic build, showcasing his readiness for action. His facial features reflect his Miami roots: a sun-kissed complexion, short dark hair styled neatly, and intense green eyes that convey focus and determination.\n\nHe wears the Everglade FC home kit, which consists of a vibrant teal jersey with white trim, featuring his number 12 prominently displayed on the back. The kit is completed with matching shorts and socks, and he sports a pair of black goalkeeper gloves, ready for any challenge that comes his way.\n\nThe setting is a press photo backdrop, with the stadium in soft focus behind him, highlighting his team colors. He stands in a strong pose, feet shoulder-width apart, with his left foot slightly forward as if about to take a step. His expression is a blend of fierce concentration and approachable charm, embodying a passionate dedication to the sport. The mood is energetic yet composed, reflecting his solid form of 7 and an overall rating of 76, with no indications of injury or defeat. The image captures an essence of resilience, making him a beloved figure among the fans."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_13.json b/data/huge-league/players/Everglade_FC_13.json index 29c362d8ede3df49d9ff55438485a2969c5fdd21..0129c7988eda8f3f101412b804ca6e219be4b128 100644 --- a/data/huge-league/players/Everglade_FC_13.json +++ b/data/huge-league/players/Everglade_FC_13.json @@ -1 +1 @@ -{"number": 13, "name": "Michael Martin", "age": 22, "nationality": "USA", "shirt_number": 13, "position": "Center Back", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 185, "weight_kg": 78, "overall_rating": 75, "is_injured": false, "form": 7, "goals": 2, "assists": 1, "yellow_cards": 4, "red_cards": 0, "bio": "Michael Martin, a determined Center Back at 22, commands the field with his tactical acumen and a left-footed booming clearance. Hailing from the wetlands of Miami, his play style embodies both grit and grace, making him a formidable presence in the backline. Known for his fierce tackles and leadership, he carries the pride of Everglade FC, reflecting the wild and spirited essence of South Florida's ecosystem."} \ No newline at end of file +{"number": 13, "name": "Michael Martin", "age": 22, "nationality": "USA", "shirt_number": 13, "position": "Center Back", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 185, "weight_kg": 78, "overall_rating": 75, "is_injured": false, "form": 7, "goals": 2, "assists": 1, "yellow_cards": 4, "red_cards": 0, "bio": "Michael Martin, a determined Center Back at 22, commands the field with his tactical acumen and a left-footed booming clearance. Hailing from the wetlands of Miami, his play style embodies both grit and grace, making him a formidable presence in the backline. Known for his fierce tackles and leadership, he carries the pride of Everglade FC, reflecting the wild and spirited essence of South Florida's ecosystem.", "profile_pic": "A press photo of Michael Martin, a 22-year-old center back for Everglade FC. He stands tall at 185 cm, with a strong build, weighing 78 kg. His left foot is positioned forward, showcasing his preferred kicking stance. \n\nMichael has a slightly chiseled jawline, high cheekbones, and warm brown eyes that convey determination and focus. His dark hair is styled neatly, reflecting a professional demeanor, and he sports a subtle five o'clock shadow. His expression is one of confidence and intensity, ready to command the field.\n\nHe wears the Everglade FC team kit: a vibrant green jersey with white accents, featuring his shirt number 13 prominently on the back. The shorts match the jersey, and he has black and green cleats that complement his outfit. The kit has the team logo on the chest, symbolizing his pride and connection to the club.\n\nThe background features a blurred soccer stadium filled with fans, enhancing the atmosphere while keeping the focus on him. The lighting is bright, evoking a sunny matchday vibe. Michael stands in a slight athletic pose, arms relaxed at his sides, exuding stability and readiness, reflecting his solid current form and status as an invaluable team member. There are no visible signs of injury, indicating his fitness and readiness for the game ahead."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_14.json b/data/huge-league/players/Everglade_FC_14.json index 5d425436cfb5624ba4e329f37418d8b24ab55e79..c548b5a3a7bef20bc8c5409046a943fc5bc93049 100644 --- a/data/huge-league/players/Everglade_FC_14.json +++ b/data/huge-league/players/Everglade_FC_14.json @@ -1 +1 @@ -{"number": 14, "name": "Nicholas Gonzalez", "age": 19, "nationality": "USA", "shirt_number": 14, "position": "Full Back", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Nicholas Gonzalez, a dynamic Full Back from the wetlands of Miami, embodies the wild spirit of Everglade FC. With his left foot, he possesses a fierce ability to whip in dangerous crosses and initiate breathtaking counter-attacks, all while maintaining a fearless defensive stance. At just 19, his passion on the field mirrors the vibrant energy of his roots, earning him a growing fan base and the respect of his teammates."} \ No newline at end of file +{"number": 14, "name": "Nicholas Gonzalez", "age": 19, "nationality": "USA", "shirt_number": 14, "position": "Full Back", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Nicholas Gonzalez, a dynamic Full Back from the wetlands of Miami, embodies the wild spirit of Everglade FC. With his left foot, he possesses a fierce ability to whip in dangerous crosses and initiate breathtaking counter-attacks, all while maintaining a fearless defensive stance. At just 19, his passion on the field mirrors the vibrant energy of his roots, earning him a growing fan base and the respect of his teammates.", "profile_pic": "A realistic portrait of Nicholas Gonzalez, a 19-year-old professional soccer player. He stands at 178 cm tall with a weight of 75 kg, showcasing a lean and athletic build typical of a full back. His skin has a warm, sun-kissed tone, reflecting his Miami roots. \n\nNicholas has expressive dark brown eyes, complemented by thick eyebrows that convey determination. His hair is short and slightly tousled, with a natural wave to it, giving him a youthful and energetic vibe. His face features a confident smile, radiating enthusiasm and passion, with a few freckles across his cheeks hinting at time spent outdoors.\n\nHe is wearing the Everglade FC team kit, which consists of a vibrant green jersey with white and orange trim, displaying his shirt number, 14, prominently on the back. The shorts are matching green with subtle branding, and he sports knee-length socks that follow the same color scheme. His left foot is slightly forward, as if he's ready to sprint down the pitch, portraying both agility and readiness as a bench player in excellent form.\n\nThe background features a blurred soccer field with fans cheering in the stands, creating an electric atmosphere typical of a matchday portrait. The lighting is bright, illuminating his figure and accentuating the details of the kit, while shadows provide depth to the scene, emphasizing his athletic physique. Nicholas stands proudly, embodying the spirit of the game, with an air of youthful confidence and ambition.\n"} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_15.json b/data/huge-league/players/Everglade_FC_15.json index 5c40db85417e1e1a232d4f2d554b6fe857b829d5..68cb340cee394bdffbb8203201784085f6276b80 100644 --- a/data/huge-league/players/Everglade_FC_15.json +++ b/data/huge-league/players/Everglade_FC_15.json @@ -1 +1 @@ -{"number": 15, "name": "Joseph Thomas", "age": 27, "nationality": "USA", "shirt_number": 15, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Joseph Thomas is a dynamic defensive mid known for his tenacity and exceptional ball-winning ability. With a heart as big as the wetlands he represents, he showcases tireless work ethic and an eye for threading key passes, embodying the spirit of Everglade FC."} \ No newline at end of file +{"number": 15, "name": "Joseph Thomas", "age": 27, "nationality": "USA", "shirt_number": 15, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Joseph Thomas is a dynamic defensive mid known for his tenacity and exceptional ball-winning ability. With a heart as big as the wetlands he represents, he showcases tireless work ethic and an eye for threading key passes, embodying the spirit of Everglade FC.", "profile_pic": "A realistic portrait of Joseph Thomas, a 27-year-old defensive midfielder for Everglade FC. He stands confidently at 178 cm tall, with an athletic build weighing 72 kg. His expression conveys determination and focus, with sharp features reflecting his American nationality. His close-cropped dark hair is slightly tousled, and his brown eyes glint with a competitive spirit.\n\nHe wears the Everglade FC team kit, which features vibrant green and blue colors representing the wetlands, along with his shirt number 15 prominently displayed on the back. The kit is adorned with stylish sponsor logos and has a modern design, with a fitted cut that highlights his physique.\n\nJoseph is depicted in a slightly crouched pose with one foot forward, as if he\u2019s ready to spring into action. His right foot is planted firmly on the ground while his left foot is raised slightly behind him, indicating movement. He is wearing sleek, professional cleats suitable for playing on grass.\n\nThe background is a blurred image of a soccer pitch under bright stadium lights, enhancing the mood of readiness and competition. Joseph\u2019s stance and confident expression reflect his strong form, bolstered by recent performances, with a hint of camaraderie and team spirit emanating from his demeanor. There are no signs of injury, showcasing his readiness to contribute to the team, embodying the tireless work ethic and spirit described in his bio."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_16.json b/data/huge-league/players/Everglade_FC_16.json index dcad0bcfb6808a1cf9c34479ad711fb232d043a1..a6fdd812663d3dcbbacf4f5b3256d2bbd995b5ef 100644 --- a/data/huge-league/players/Everglade_FC_16.json +++ b/data/huge-league/players/Everglade_FC_16.json @@ -1 +1 @@ -{"number": 16, "name": "Michael Martin", "age": 26, "nationality": "USA", "shirt_number": 16, "position": "Central Mid", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 180, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 5, "assists": 8, "yellow_cards": 2, "red_cards": 0, "bio": "Michael Martin, a vibrant midfielder hailing from the wetlands of South Florida, dazzles with his left foot precision and uncanny ability to read the game. His agile dribbling and eye for a pass electrify the field, embodying the flashy essence of Everglade FC, making him a cornerstone in their relentless attack."} \ No newline at end of file +{"number": 16, "name": "Michael Martin", "age": 26, "nationality": "USA", "shirt_number": 16, "position": "Central Mid", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 180, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 5, "assists": 8, "yellow_cards": 2, "red_cards": 0, "bio": "Michael Martin, a vibrant midfielder hailing from the wetlands of South Florida, dazzles with his left foot precision and uncanny ability to read the game. His agile dribbling and eye for a pass electrify the field, embodying the flashy essence of Everglade FC, making him a cornerstone in their relentless attack.", "profile_pic": "A realistic portrait of Michael Martin, a 26-year-old American soccer player standing confidently in his Everglade FC team kit. He has a lean athletic build, standing at 180 cm tall and weighing 75 kg, showcasing his well-defined muscles and agility. \n\nHis facial features include a warm smile, sharp jawline, and high cheekbones, with medium-length wavy dark hair slightly tousled. His bright eyes exude enthusiasm and intelligence, hinting at his vibrant personality. He has a light tan, reflecting his South Florida roots.\n\nMichael is wearing the Everglade FC home jersey, adorned with the team's green and blue colors, featuring subtle swamp-themed motifs. His shirt number, 16, is displayed prominently on the back. He has matching shorts and vibrant cleats that add a touch of flair, embodying the team's flashy essence.\n\nIn terms of pose, he stands with one foot slightly forward, hands casually resting on his hips, exuding confidence and readiness. A subtle smile on his face reflects his good form, as he enjoys a solid overall rating of 82. The background is a blurred image of a soccer field with fans in the stands, creating a dynamic atmosphere. The mood is energetic and hopeful, capturing the anticipation for a match day as he represents his team from the bench, eagerly awaiting his opportunity to shine on the pitch."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_17.json b/data/huge-league/players/Everglade_FC_17.json index 57458b0d4ef2759ef41ced984f944f1640978e8d..4ff04597d223f47f008182dbee79cdbd86f1c3cc 100644 --- a/data/huge-league/players/Everglade_FC_17.json +++ b/data/huge-league/players/Everglade_FC_17.json @@ -1 +1 @@ -{"number": 17, "name": "Zachary Johnson", "age": 22, "nationality": "USA", "shirt_number": 17, "position": "Attacking Mid", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 75, "is_injured": false, "form": 8, "goals": 5, "assists": 10, "yellow_cards": 3, "red_cards": 0, "bio": "Zachary Johnson, a talented 22-year-old attacking midfielder from the USA, dazzles on the field with his left foot's finesse. Known for his rapid bursts through defenses and a flair for the dramatic, he embodies the wild spirit of Everglade FC. Despite his youth, his vision and creativity often steal the spotlight, making him a pivotal player in every match."} \ No newline at end of file +{"number": 17, "name": "Zachary Johnson", "age": 22, "nationality": "USA", "shirt_number": 17, "position": "Attacking Mid", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 75, "is_injured": false, "form": 8, "goals": 5, "assists": 10, "yellow_cards": 3, "red_cards": 0, "bio": "Zachary Johnson, a talented 22-year-old attacking midfielder from the USA, dazzles on the field with his left foot's finesse. Known for his rapid bursts through defenses and a flair for the dramatic, he embodies the wild spirit of Everglade FC. Despite his youth, his vision and creativity often steal the spotlight, making him a pivotal player in every match.", "profile_pic": "A realistic portrait of Zachary Johnson, a 22-year-old American professional soccer player. He stands confidently, with an athletic build, measuring 178 cm in height and weighing 72 kg. His youthful face features sharp cheekbones, a determined expression, and expressive green eyes that reflect his dynamic personality. He has short, tousled dark hair with a slight wave, hinting at his playful nature.\n\nDressed in the Everglade FC team kit, he wears a vibrant green home jersey adorned with white accents, the number 17 prominently displayed on his chest and back. His shorts are matching green, and his black cleats are slightly muddy, suggesting a recent match. The kit is complete with his left foot slightly forward, showcasing his preferred foot ready for action.\n\nThe background is blurred to emphasize him, featuring hints of a soccer field under bright stadium lights, creating an atmosphere filled with energy and anticipation. His posture is relaxed yet poised, reflecting his strong form and confidence, with no signs of injury. This is a moment of calm before the excitement of a match, capturing the essence of a rising star in professional soccer."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_18.json b/data/huge-league/players/Everglade_FC_18.json index 773b1834c179885e3516846beb20620661d50263..b9e81833e5b6efcb562eb3d31768f5927a58a3f6 100644 --- a/data/huge-league/players/Everglade_FC_18.json +++ b/data/huge-league/players/Everglade_FC_18.json @@ -1 +1 @@ -{"number": 18, "name": "Ryan Martinez", "age": 28, "nationality": "USA", "shirt_number": 18, "position": "Forward/Winger", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 0, "bio": "Ryan Martinez, a dazzling forward with a penchant for dramatic flair, thrives in the unpredictable rhythm of the game. Hailing from the vibrant streets of Miami, his left-footed strikes often leave defenders in despair, while his charismatic presence on the pitch ignites the spirit of Everglade FC. Known for weaving through defenses with hypnotic footwork, he embodies the fierce pride of the wetlands he represents."} \ No newline at end of file +{"number": 18, "name": "Ryan Martinez", "age": 28, "nationality": "USA", "shirt_number": 18, "position": "Forward/Winger", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 0, "bio": "Ryan Martinez, a dazzling forward with a penchant for dramatic flair, thrives in the unpredictable rhythm of the game. Hailing from the vibrant streets of Miami, his left-footed strikes often leave defenders in despair, while his charismatic presence on the pitch ignites the spirit of Everglade FC. Known for weaving through defenses with hypnotic footwork, he embodies the fierce pride of the wetlands he represents.", "profile_pic": "A realistic portrait of Ryan Martinez, a 28-year-old American soccer player standing confidently in a dynamic pose on a soccer field. He is 178 cm tall and weighs 75 kg, showcasing a fit and athletic build. His facial features include sharp cheekbones, a determined expression, and a slight hint of mischief in his dark brown eyes, reflecting his charismatic and vibrant personality. He has short, slightly wavy black hair, styled neatly, and a well-groomed beard that adds to his confident demeanor.\n\nRyan is wearing the Everglade FC team kit, which features a striking combination of deep green and bright aqua, symbolizing the lush wetlands. The shirt has his number 18 prominently displayed on the back and is paired with matching shorts and socks. His left foot is lifted slightly, suggesting readiness to make a play, while his right foot is firmly planted on the ground.\n\nThe background showcases a blurred stadium filled with excited fans, capturing the electrifying atmosphere of matchday. The overall mood is energetic, highlighting his strong form (rating of 7) as he strikes a pose that conveys both flair and focus. There are no visible signs of injury, emphasizing his readiness to contribute on the field. The image radiates the spirit and pride of both Ryan Martinez and Everglade FC, illustrating his role as a forward and the dramatic flair he brings to the game."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_19.json b/data/huge-league/players/Everglade_FC_19.json index ab496d73edb43ce018910c65ad6da503d4e3227b..cf7a3bf1e6fa60477f51cbeb1050a7d18b023c7d 100644 --- a/data/huge-league/players/Everglade_FC_19.json +++ b/data/huge-league/players/Everglade_FC_19.json @@ -1 +1 @@ -{"number": 19, "name": "Ryan Moore", "age": 29, "nationality": "USA", "shirt_number": 19, "position": "Striker", "preferred_foot": "Right", "role": "Bench", "team": "Everglade FC", "height_cm": 183, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 22, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Ryan Moore, a dynamic striker from the wetlands of Miami, captivates fans with his electrifying speed and exquisite footwork. Known for his ability to weave through defenders like a heron gliding over water, he's a game-changer on the pitch. With an unwavering determination and a fierce pride in his roots, he consistently brings a touch of flair to Everglade FC's vibrant style of play."} \ No newline at end of file +{"number": 19, "name": "Ryan Moore", "age": 29, "nationality": "USA", "shirt_number": 19, "position": "Striker", "preferred_foot": "Right", "role": "Bench", "team": "Everglade FC", "height_cm": 183, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 22, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Ryan Moore, a dynamic striker from the wetlands of Miami, captivates fans with his electrifying speed and exquisite footwork. Known for his ability to weave through defenders like a heron gliding over water, he's a game-changer on the pitch. With an unwavering determination and a fierce pride in his roots, he consistently brings a touch of flair to Everglade FC's vibrant style of play.", "profile_pic": "A realistic portrait of Ryan Moore, a 29-year-old professional soccer player with an athletic build, standing at 183 cm and weighing 78 kg. He has an intense expression, showcasing his determination and confidence. His facial features include a strong jawline, sharp cheekbones, and tousled dark hair, reflecting his vibrant personality. He wears the Everglade FC team kit, primarily in shades of green and blue, with the number 19 prominently displayed on the back. The kit is modern and slick, with sponsor logos tastefully integrated. \n\nHe is posed slightly forward, with one foot positioned confidently in front of the other, as if ready for action, capturing the essence of a striker. The background is a blurred stadium filled with cheering fans, evoking the energy of a matchday. The lighting is bright, highlighting his athletic physique and the sheen of his kit. There are no signs of injury; instead, he radiates a mood of enthusiasm and readiness, embodying his excellent form rating of 7. His posture conveys agility and poise, perfectly representing a dynamic player prepared to make an impact on the pitch."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_2.json b/data/huge-league/players/Everglade_FC_2.json index 3274abd3d7c079741b303f790b3eaaaa75010333..11b7ea3f826fc21c97f77dc1a91757d901358651 100644 --- a/data/huge-league/players/Everglade_FC_2.json +++ b/data/huge-league/players/Everglade_FC_2.json @@ -1 +1 @@ -{"number": 2, "name": "Matthew Garcia", "age": 32, "nationality": "USA", "shirt_number": 2, "position": "Left Back", "preferred_foot": "Left", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 76, "overall_rating": 84, "is_injured": false, "form": 8, "goals": 5, "assists": 12, "yellow_cards": 3, "red_cards": 1, "bio": "Matthew Garcia, a left back with a fierce competitive spirit, thrives in the electric atmosphere of Everglade FC. His dynamic runs down the flank and tactical awareness make him a key player in both defense and attacking plays. Known for his precise crosses and fierce tackles, he embodies the untamed energy of Miami's wetlands."} \ No newline at end of file +{"number": 2, "name": "Matthew Garcia", "age": 32, "nationality": "USA", "shirt_number": 2, "position": "Left Back", "preferred_foot": "Left", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 76, "overall_rating": 84, "is_injured": false, "form": 8, "goals": 5, "assists": 12, "yellow_cards": 3, "red_cards": 1, "bio": "Matthew Garcia, a left back with a fierce competitive spirit, thrives in the electric atmosphere of Everglade FC. His dynamic runs down the flank and tactical awareness make him a key player in both defense and attacking plays. Known for his precise crosses and fierce tackles, he embodies the untamed energy of Miami's wetlands.", "profile_pic": "A realistic portrait of Matthew Garcia, a 32-year-old professional soccer player, standing confidently in his team kit for Everglade FC. He is 178 cm tall and weighs 76 kg, showcasing an athletic build. His left foot is slightly forward, hinting at his preferred playing style as a left back. \n\nMatthew has a strong jawline, short dark hair styled with a slight tousle, and a focused expression that captures his fierce competitive spirit. His eyes reflect determination and a passion for the game, characteristic of his vibrant personality. He has a light tan, indicative of his time spent playing under the Miami sun.\n\nHe is wearing the Everglade FC home kit, featuring a bright green jersey with white and dark green accents, complemented by black shorts and socks. His shirt number, 2, is prominently displayed on the back of his jersey. \n\nThe background suggests a lively matchday atmosphere with stadium lights and fans blurred in the distance, amplifying the electric vibe of a game day. Matthew's confident stance conveys his strong form rating, and there are no signs of injury, emphasizing his readiness to perform. The mood is upbeat and focused, capturing the essence of a determined athlete in peak condition."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_20.json b/data/huge-league/players/Everglade_FC_20.json index 2f84e365911ce2d189f48d241eb8585daf81d0fc..b5b72a192642f844166a77c379846eff6fa975e8 100644 --- a/data/huge-league/players/Everglade_FC_20.json +++ b/data/huge-league/players/Everglade_FC_20.json @@ -1 +1 @@ -{"number": 20, "name": "Andrew Davis", "age": 19, "nationality": "USA", "shirt_number": 20, "position": "Left Wing", "preferred_foot": "Right", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 9, "yellow_cards": 3, "red_cards": 1, "bio": "Andrew Davis, known for his dazzling footwork and lightning speed, embodies the essence of Everglade FC. With roots in the wetlands of Miami, he plays with a fierce pride, often leaving defenders grasping at air as he twists and turns down the left flank. His electrifying presence on the pitch, combined with an uncanny ability to find teammates in the box, makes him a pivotal player for his team."} \ No newline at end of file +{"number": 20, "name": "Andrew Davis", "age": 19, "nationality": "USA", "shirt_number": 20, "position": "Left Wing", "preferred_foot": "Right", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 9, "yellow_cards": 3, "red_cards": 1, "bio": "Andrew Davis, known for his dazzling footwork and lightning speed, embodies the essence of Everglade FC. With roots in the wetlands of Miami, he plays with a fierce pride, often leaving defenders grasping at air as he twists and turns down the left flank. His electrifying presence on the pitch, combined with an uncanny ability to find teammates in the box, makes him a pivotal player for his team.", "profile_pic": "A realistic portrait of a young professional soccer player, Andrew Davis, standing confidently on the field wearing the Everglade FC home kit. He is 19 years old, with a height of 178 cm and weighing 72 kg. His athletic build is accentuated by his fitted jersey, showcasing his number 20 on the back. Andrew has a youthful, determined face with sharp cheekbones and an attractive smile, embodying a blend of charisma and competitiveness. His hair is styled in a modern, slightly messy cut, and he has bright, expressive eyes that exude confidence and enthusiasm. \n\nThe team kit features vibrant green and blue colors, reflecting the essence of the wetlands, with the Everglade FC logo prominently displayed on the chest. He stands in a dynamic pose, slightly leaning forward with his right foot lifted in a poised dribbling action, as if ready to dart past an invisible defender. The background captures a blurred soccer field with goal posts, while the lighting highlights him, creating an electrifying atmosphere. His mood is upbeat and focused, showcasing his strong form, having just completed a successful match without any injury concerns."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_21.json b/data/huge-league/players/Everglade_FC_21.json index 1e554f994cd99aa52967478db8dab03e3189a550..808e025ab53e190521dfdd3c4a0e08f24ae38b0d 100644 --- a/data/huge-league/players/Everglade_FC_21.json +++ b/data/huge-league/players/Everglade_FC_21.json @@ -1 +1 @@ -{"number": 21, "name": "Ryan Brown", "age": 21, "nationality": "USA", "shirt_number": 21, "position": "Right Wing", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 84, "is_injured": false, "form": 8, "goals": 12, "assists": 9, "yellow_cards": 3, "red_cards": 0, "bio": "Ryan Brown is a dynamic Right Wing known for his blistering pace and audacious footwork. Raised in the vibrant streets of Miami, he embodies the fierce spirit of Everglade FC, dazzling fans with every touch. His left foot sends chills down defenders' spines, making him a constant threat. A true team player, Ryan thrives on the big stage, often taking it upon himself to turn the tide in tight matches."} \ No newline at end of file +{"number": 21, "name": "Ryan Brown", "age": 21, "nationality": "USA", "shirt_number": 21, "position": "Right Wing", "preferred_foot": "Left", "role": "Bench", "team": "Everglade FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 84, "is_injured": false, "form": 8, "goals": 12, "assists": 9, "yellow_cards": 3, "red_cards": 0, "bio": "Ryan Brown is a dynamic Right Wing known for his blistering pace and audacious footwork. Raised in the vibrant streets of Miami, he embodies the fierce spirit of Everglade FC, dazzling fans with every touch. His left foot sends chills down defenders' spines, making him a constant threat. A true team player, Ryan thrives on the big stage, often taking it upon himself to turn the tide in tight matches.", "profile_pic": "Create a portrait of a 21-year-old male soccer player, Ryan Brown, standing confidently on the pitch. He is 178 cm tall and weighs 70 kg, showcasing a lean and athletic build. His skin tone is a medium brown, reflecting his American nationality, with a short, slicked-back hairstyle that highlights his intense, focused expression.\n\nHe has high cheekbones, bright hazel eyes, and a friendly smile that conveys his charismatic personality. He wears the blue and green team kit of Everglade FC, with the number 21 prominently displayed on his shirt. The kit is made of modern, breathable fabric, with subtle patterns that suggest movement and agility. His left foot is slightly forward, suggesting readiness and dynamic energy, indicative of his position as a Right Wing.\n\nThe backdrop features a soft-focus stadium filled with cheering fans, creating an electrifying atmosphere. The lighting captures the mid-afternoon sun, casting a golden hue that emphasizes his confident stance and shining kit. The mood is upbeat and energetic, reflecting his good form, with visible excitement hinting at recent successes, including 12 goals and 9 assists this season.\n\nRyan\u2019s expression conveys determination and a hint of playfulness, symbolizing his audacious nature on the field. There are no signs of injury, presenting him as a fit and confident athlete ready to take on any challenge."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_22.json b/data/huge-league/players/Everglade_FC_22.json index 437f7f12cc1bb07aec25874b996250445445f5ff..c534ceeacdc91cbd7713aab1926009ab86c7a2aa 100644 --- a/data/huge-league/players/Everglade_FC_22.json +++ b/data/huge-league/players/Everglade_FC_22.json @@ -1 +1 @@ -{"number": 22, "name": "Ryan Martinez", "age": 25, "nationality": "USA", "shirt_number": 22, "position": "Various", "preferred_foot": "Right", "role": "Reserve/Prospect", "team": "Everglade FC", "height_cm": 182, "weight_kg": 75, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 10, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "With his nimble footwork and explosive pace, Ryan Martinez dances down the flanks like a breeze through the Everglades. Proud of his roots, he embodies a relentless spirit, often leaving defenders bewildered with his flashy dribbles. Known for his creative flair on the pitch, he combines skill and tenacity, making him a thrilling player to watch in every match."} \ No newline at end of file +{"number": 22, "name": "Ryan Martinez", "age": 25, "nationality": "USA", "shirt_number": 22, "position": "Various", "preferred_foot": "Right", "role": "Reserve/Prospect", "team": "Everglade FC", "height_cm": 182, "weight_kg": 75, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 10, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "With his nimble footwork and explosive pace, Ryan Martinez dances down the flanks like a breeze through the Everglades. Proud of his roots, he embodies a relentless spirit, often leaving defenders bewildered with his flashy dribbles. Known for his creative flair on the pitch, he combines skill and tenacity, making him a thrilling player to watch in every match.", "profile_pic": "A portrait of Ryan Martinez, a 25-year-old professional soccer player from the USA. He stands confidently at 182 cm tall and weighs 75 kg, showcasing an athletic build. His facial features include a determined expression, with sharp cheekbones and a slight smile, reflecting his lively personality. He has dark brown, slightly curly hair, and a well-groomed beard that adds to his charismatic vibe.\n\nRyan is dressed in the Everglade FC team kit, which features vibrant green and blue colors, symbolizing the lush landscapes of the Everglades. The kit has the number 22 prominently displayed on his back, along with the team badge on the left chest. He's positioned slightly to the right, with one foot slightly forward, as if he\u2019s ready to sprint onto the field, showing his agility and readiness to play.\n\nThe background is subtly blurred to emphasize his figure, capturing the excitement of matchday with hints of the stadium and fans. His stance conveys confidence and focus, highlighting his strong form, as he does not display any signs of injury. Bright, natural lighting enhances his features and the colors of his kit, creating an inviting and dynamic image full of energy and anticipation."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_23.json b/data/huge-league/players/Everglade_FC_23.json index 37085e68aa798489dda0da0d4330ca00bf4e46dd..a0287029dee3b12007ede84543534009057b6516 100644 --- a/data/huge-league/players/Everglade_FC_23.json +++ b/data/huge-league/players/Everglade_FC_23.json @@ -1 +1 @@ -{"number": 23, "name": "Brian Davis", "age": 27, "nationality": "USA", "shirt_number": 23, "position": "Various", "preferred_foot": "Right", "role": "Reserve/Prospect", "team": "Everglade FC", "height_cm": 180, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 10, "assists": 5, "yellow_cards": 3, "red_cards": 0, "bio": "Brian Davis, a dynamic player known for his dazzling footwork and unpredictable moves, embodies the wild spirit of Everglade FC. At 27, he has honed his craft in the humid conditions of Miami, turning every game into an electrifying display of skill and determination. His right foot delivers precision while his flair on the ball leaves defenders in his wake, making him a beloved figure amongst the fans."} \ No newline at end of file +{"number": 23, "name": "Brian Davis", "age": 27, "nationality": "USA", "shirt_number": 23, "position": "Various", "preferred_foot": "Right", "role": "Reserve/Prospect", "team": "Everglade FC", "height_cm": 180, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 10, "assists": 5, "yellow_cards": 3, "red_cards": 0, "bio": "Brian Davis, a dynamic player known for his dazzling footwork and unpredictable moves, embodies the wild spirit of Everglade FC. At 27, he has honed his craft in the humid conditions of Miami, turning every game into an electrifying display of skill and determination. His right foot delivers precision while his flair on the ball leaves defenders in his wake, making him a beloved figure amongst the fans.", "profile_pic": "A portrait of Brian Davis, a 27-year-old American soccer player, standing confidently in an Everglade FC team kit. He is 180 cm tall and weighs 75 kg, showcasing a fit and athletic physique that reflects his dynamic playing style. His right foot is slightly forward, hinting at his preferred foot for striking the ball.\n\nBrian has short, dark brown hair, a light stubble on his chin, and a focused yet approachable expression, capturing his vibrant personality. His bright eyes convey determination and enthusiasm, resonating with his reputation for dazzling footwork and skill on the field.\n\nHe wears the Everglade FC home jersey, which is predominantly bright green with white accents and the team logo emblazoned on the chest. The shorts match the jersey, complementing the overall look. His shirt number, 23, is clearly visible on both the back and the front of the kit.\n\nIn the background, a softly blurred image of a soccer stadium filled with fans highlights the lively atmosphere of a matchday. The lighting is bright and vivid, emphasizing the vibrant colors of the kit and creating an energizing vibe. Brian stands tall with his arms crossed, exuding confidence and readiness, reflecting his current form rating of 7 and his status as a reserve prospect ready to make a significant impact on the field. He is injury-free and excited, embodying the essence of his team and Miami\u2019s lively spirit."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_3.json b/data/huge-league/players/Everglade_FC_3.json index e8ddf53f6c40a09547f2dffff72be9d3cffbe829..7d4f43608ee6bfbf31f3648d1240f55a04bcf617 100644 --- a/data/huge-league/players/Everglade_FC_3.json +++ b/data/huge-league/players/Everglade_FC_3.json @@ -1 +1 @@ -{"number": 3, "name": "Brandon Jones", "age": 21, "nationality": "USA", "shirt_number": 3, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 184, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Brandon Jones is a formidable Center Back known for his robust tackling and aerial dominance. With a fierce determination and an unwavering spirit, he anchors the Everglade FC defense while showcasing a remarkable ability to read the game. Hailing from the vibrant streets of Miami, his style is infused with the artistry of the wetlands, making him both a wall and a playmaker."} \ No newline at end of file +{"number": 3, "name": "Brandon Jones", "age": 21, "nationality": "USA", "shirt_number": 3, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 184, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Brandon Jones is a formidable Center Back known for his robust tackling and aerial dominance. With a fierce determination and an unwavering spirit, he anchors the Everglade FC defense while showcasing a remarkable ability to read the game. Hailing from the vibrant streets of Miami, his style is infused with the artistry of the wetlands, making him both a wall and a playmaker.", "profile_pic": "A realistic portrait of Brandon Jones, a 21-year-old professional soccer player. He stands confidently in a dynamic pose, wearing the Everglade FC team kit which features vibrant shades of green and blue, symbolizing the wetlands of his Miami hometown. His shirt number, 3, is emblazoned on his back. \n\nBrandon's athletic build is highlighted by his height of 184 cm and weight of 78 kg. He has short, dark hair styled neatly, and his determined expression reflects his fierce personality. His sharp jawline and defined cheekbones convey both strength and charisma, with a hint of sweat glistening on his forehead, indicative of his active and robust playing style.\n\nThe background captures the essence of a matchday atmosphere, with blurred fans in the stands and a hint of vibrant greenery to nod to the team's identity. His posture is assertive, with his right foot slightly forward, showcasing his preference for that side, while his eyes gaze confidently into the distance, signaling focus and determination. The mood is electric, embodying his high form rating of 8, and there's an absence of injury, projecting readiness and confidence as he stands as a formidable anchor of defense."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_4.json b/data/huge-league/players/Everglade_FC_4.json index 7c529091505d947aa1a4f72f67c621c8d96ec558..5adf05bd21e9948c20a1eb3261cb15201e5872ab 100644 --- a/data/huge-league/players/Everglade_FC_4.json +++ b/data/huge-league/players/Everglade_FC_4.json @@ -1 +1 @@ -{"number": 4, "name": "Zachary Garcia", "age": 29, "nationality": "USA", "shirt_number": 4, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 3, "assists": 1, "yellow_cards": 5, "red_cards": 0, "bio": "Zachary Garcia, a formidable Center Back, commands the pitch with a blend of tenacity and tactical acumen. Hailing from the bustling streets of Miami, he embodies the vibrant spirit of Everglade FC, often throwing himself into the fray to thwart attackers. With his trademark sliding tackles and keen sense of positioning, he remains a cornerstone of the defense, inspiring teammates with his unwavering hustle and determination."} \ No newline at end of file +{"number": 4, "name": "Zachary Garcia", "age": 29, "nationality": "USA", "shirt_number": 4, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 3, "assists": 1, "yellow_cards": 5, "red_cards": 0, "bio": "Zachary Garcia, a formidable Center Back, commands the pitch with a blend of tenacity and tactical acumen. Hailing from the bustling streets of Miami, he embodies the vibrant spirit of Everglade FC, often throwing himself into the fray to thwart attackers. With his trademark sliding tackles and keen sense of positioning, he remains a cornerstone of the defense, inspiring teammates with his unwavering hustle and determination.", "profile_pic": "A detailed portrait of Zachary Garcia, a 29-year-old male soccer player from the USA. He stands confidently at 182 cm tall and weighs 78 kg, with a strong, athletic build indicative of a seasoned center back. His facial features reflect determination and charisma, with chiseled jawlines, short dark hair, and a focused gaze that captures his vibrant spirit. \n\nZachary is wearing the Everglade FC team kit, which consists of a deep green jersey with white accents, displaying his number 4 prominently on the back. His shorts match the jersey, and he sports black and white cleats suitable for a solid grip on the pitch. The kit fits snugly, emphasizing his muscular frame, while also capturing the essence of his energetic and dynamic playing style.\n\nIn the background, a soccer field is faintly visible, with goalposts and dynamic stadium lights adding to the matchday ambiance. Zachary assumes a poised stance, slightly bending his knees and leaning forward, ready to spring into action, embodying the form of a player in prime condition. His expression is one of focus and resolve, perfectly reflecting his status as a starter, symbolizing his tenacity on the field without any visible signs of injury. Overall, the scene conveys a sense of confidence, strength, and readiness, inviting viewers to appreciate the essence of a dedicated professional athlete."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_5.json b/data/huge-league/players/Everglade_FC_5.json index c3186d8cbb337cc5e5f78183115fc39fc931a7e3..78ae7cbf4db09614d5ea08664b55e2bb9e5fdce3 100644 --- a/data/huge-league/players/Everglade_FC_5.json +++ b/data/huge-league/players/Everglade_FC_5.json @@ -1 +1 @@ -{"number": 5, "name": "Brandon Hernandez", "age": 17, "nationality": "USA", "shirt_number": 5, "position": "Right Back", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 65, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 2, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Brandon Hernandez, a dynamic Right Back for Everglade FC, dazzles fans with his blistering pace and fearless tackles. Proud of his Miami roots, he embodies the bustling spirit of the Everglades, often igniting the pitch with his relentless energy and flair. At just 17, his maturity on the field is impressive, making him a vital part of the team\u2019s fast-paced play."} \ No newline at end of file +{"number": 5, "name": "Brandon Hernandez", "age": 17, "nationality": "USA", "shirt_number": 5, "position": "Right Back", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 65, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 2, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Brandon Hernandez, a dynamic Right Back for Everglade FC, dazzles fans with his blistering pace and fearless tackles. Proud of his Miami roots, he embodies the bustling spirit of the Everglades, often igniting the pitch with his relentless energy and flair. At just 17, his maturity on the field is impressive, making him a vital part of the team\u2019s fast-paced play.", "profile_pic": "A young soccer player, Brandon Hernandez, stands confidently at the forefront of the image. At 17 years old, he has a lean but athletic build, measuring 178 cm tall and weighing 65 kg. His short, dark hair is slightly tousled, and his warm brown eyes reflect determination and enthusiasm. He is wearing the official team kit for Everglade FC, which features a striking combination of vibrant green and subtle earth tones, reminiscent of the Everglades' lush landscapes. The number 5 is prominently displayed on his back in white lettering. \n\nHe is positioned in a dynamic pose with one foot slightly forward, exuding energy and readiness, a slight smirk suggesting confidence and passion for the game. The background captures a blurred stadium setting, hinting at a match day atmosphere, with fans cheering in the stands and bright floodlights illuminating the field. Brandon's expression conveys a mix of focus and excitement, embodying the spirit of a young athlete on the rise. The mood is vibrant and uplifting, highlighting his impressive form with an overall rating of 78, contributing to the lively ambiance of the moment."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_6.json b/data/huge-league/players/Everglade_FC_6.json index b79cffe12b2e69056e44929090d7eaf1dc0f93f8..c9a9f7146a36d57c0a9d17b519bbc69e838db828 100644 --- a/data/huge-league/players/Everglade_FC_6.json +++ b/data/huge-league/players/Everglade_FC_6.json @@ -1 +1 @@ -{"number": 6, "name": "Austin Jackson", "age": 23, "nationality": "USA", "shirt_number": 6, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 5, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Austin Jackson, a dynamic midfielder from the heart of Florida, embodies the spirited essence of Everglade FC. His lightning-fast footwork and tenacious tackling make him a formidable presence on the pitch. With roots deeply embedded in the wetlands, Austin plays with a blend of grit and flair, often turning defensive plays into thrilling counter-attacks that leave fans cheering and opponents bewildered."} \ No newline at end of file +{"number": 6, "name": "Austin Jackson", "age": 23, "nationality": "USA", "shirt_number": 6, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 5, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Austin Jackson, a dynamic midfielder from the heart of Florida, embodies the spirited essence of Everglade FC. His lightning-fast footwork and tenacious tackling make him a formidable presence on the pitch. With roots deeply embedded in the wetlands, Austin plays with a blend of grit and flair, often turning defensive plays into thrilling counter-attacks that leave fans cheering and opponents bewildered.", "profile_pic": "A press photo of Austin Jackson, a 23-year-old American soccer player. He stands confidently at 178 cm tall and weighs 70 kg, showcasing an athletic build typical of a professional defensive midfielder. His sharp facial features include a strong jawline, high cheekbones, and a focused expression that reflects his spirited personality. Austin's dark brown hair is cropped short, and his green eyes exude determination. \n\nHe dons the vibrant team kit of Everglade FC, which features a mix of emerald green and navy blue with accents reminiscent of the Florida wetlands. The number 6 is prominently displayed on his shirt, alongside the team logo on the chest. \n\nAustin is posed in a slight athletic stance, one foot forward, ready for action, with a soccer ball at his feet. The background showcases a stadium filled with fans, adding vibrancy and energy to the scene. The mood is upbeat, reflecting his solid form rating of 7, as he smiles subtly, radiating confidence and readiness, perfectly embodying the essence of a starter who\u2019s on top of his game. There are no signs of injury, emphasizing his strength and capability on the field."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_7.json b/data/huge-league/players/Everglade_FC_7.json index 6e8ca1f6d4d840de401b915b4f525b910051aff4..79b59ef9af8e47f99fcb228a5f02b9b2bff54a0e 100644 --- a/data/huge-league/players/Everglade_FC_7.json +++ b/data/huge-league/players/Everglade_FC_7.json @@ -1 +1 @@ -{"number": 7, "name": "Ryan Williams", "age": 25, "nationality": "USA", "shirt_number": 7, "position": "Central Mid", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Ryan Williams, a dynamic central midfielder from the wetlands of Miami, embodies Everglade FC's electric style. Known for his dazzling footwork and fearless tackles, he masterfully orchestrates play while bringing a fiery passion to the pitch that inspires his teammates. His roots in the vibrant ecosystem shape his unpredictable game, making him a fan favorite and an essential starter for the team."} \ No newline at end of file +{"number": 7, "name": "Ryan Williams", "age": 25, "nationality": "USA", "shirt_number": 7, "position": "Central Mid", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Ryan Williams, a dynamic central midfielder from the wetlands of Miami, embodies Everglade FC's electric style. Known for his dazzling footwork and fearless tackles, he masterfully orchestrates play while bringing a fiery passion to the pitch that inspires his teammates. His roots in the vibrant ecosystem shape his unpredictable game, making him a fan favorite and an essential starter for the team.", "profile_pic": "A realistic portrait of Ryan Williams, a 25-year-old professional soccer player for Everglade FC. He stands confidently at 178 cm and weighs 75 kg, showcasing a well-built athletic physique. His facial features include a slightly tanned complexion, sharp jawline, and intense green eyes that reflect determination and passion. He has short, tousled dark hair and a slight stubble that gives him a youthful yet rugged charm. \n\nRyan wears the Everglade FC team kit, which consists of a vibrant green jersey adorned with the team's logo on the left chest and his shirt number 7 prominently displayed on the back. His shorts are a complementary dark shade and his socks match the team's color scheme, completing the professional look. \n\nIn the portrait, he stands in a dynamic pose, one arm slightly bent with a soccer ball resting under his right foot, demonstrating confidence and a readiness to play. The background hints at a stadium with blurred cheering crowds, capturing the electric atmosphere of matchday. Ryan's expression is focused and passionate, reflecting his current excellent form, indicating no injuries and a high overall rating of 85, embodying his role as a starter and leader on the field."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_8.json b/data/huge-league/players/Everglade_FC_8.json index a3498144d193a1ad04815bbd3c9241aee0f2081f..3a79e69b05d4dcb8eaba40496d302d53316987c6 100644 --- a/data/huge-league/players/Everglade_FC_8.json +++ b/data/huge-league/players/Everglade_FC_8.json @@ -1 +1 @@ -{"number": 8, "name": "Nicholas Jackson", "age": 32, "nationality": "USA", "shirt_number": 8, "position": "Central Mid", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 76, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 1, "bio": "Nicholas Jackson, a dynamic Central Midfielder, is known for his razor-sharp passing and tenacious tackling. At 32 years old, he blends experience with youthful exuberance, mesmerizing fans with his flashy footwork and unyielding spirit on the field. Hailing from the vibrant landscapes of the USA, his infectious enthusiasm and flair embody the wild essence of Everglade FC, captivating the South Florida crowd with every touch."} \ No newline at end of file +{"number": 8, "name": "Nicholas Jackson", "age": 32, "nationality": "USA", "shirt_number": 8, "position": "Central Mid", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 76, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 1, "bio": "Nicholas Jackson, a dynamic Central Midfielder, is known for his razor-sharp passing and tenacious tackling. At 32 years old, he blends experience with youthful exuberance, mesmerizing fans with his flashy footwork and unyielding spirit on the field. Hailing from the vibrant landscapes of the USA, his infectious enthusiasm and flair embody the wild essence of Everglade FC, captivating the South Florida crowd with every touch.", "profile_pic": "A realistic portrait of Nicholas Jackson, a 32-year-old American professional soccer player. He stands confidently at 178 cm and weighs 76 kg, showcasing a strong yet athletic build. His right foot is slightly forward, emphasizing his central midfielder position. He has a warm smile, revealing a mix of determination and approachability in his bright blue eyes. His features are defined, with short, neatly styled black hair and a slight stubble that adds to his charming, youthful vibe.\n\nNicholas wears the Everglade FC home kit, which consists of a vibrant green jersey with the team logo emblazoned on the left chest, paired with matching shorts. The shirt is slightly fitted, accentuating his athletic frame, and he sports the number 8 prominently displayed on both his jersey and shorts.\n\nThe background is a blurred view of a packed stadium under the bright South Florida sun, capturing the energy of the fans. Nicholas stands in a dynamic pose, slightly tilted to one side, with one foot resting on a soccer ball. His arms are crossed, signaling confidence and readiness. His overall mood radiates positivity, enhanced by his strong form rating of 7 and recent performance stats, showcasing both his goals and assists. The atmosphere communicates excitement and anticipation, reflecting his status as a starter without any indication of injury."} \ No newline at end of file diff --git a/data/huge-league/players/Everglade_FC_9.json b/data/huge-league/players/Everglade_FC_9.json index ac49247e9bd59394dd0ffef5bbedbc7398d78ca9..369647c7615866dd6e5c0dfceef6c22f07046fef 100644 --- a/data/huge-league/players/Everglade_FC_9.json +++ b/data/huge-league/players/Everglade_FC_9.json @@ -1 +1 @@ -{"number": 9, "name": "Andrew Anderson", "age": 24, "nationality": "USA", "shirt_number": 9, "position": "Left Wing", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 2, "red_cards": 0, "bio": "Andrew Anderson, a 24-year-old virtuoso of the pitch, dances down the left wing with an electrifying agility that mirrors the swaying of Everglade marshes. Known for his explosive speed and pinpoint crosses, he embodies the fiery spirit of Miami, leaving defenders in his wake while maintaining a relentless drive to conquer every game."} \ No newline at end of file +{"number": 9, "name": "Andrew Anderson", "age": 24, "nationality": "USA", "shirt_number": 9, "position": "Left Wing", "preferred_foot": "Right", "role": "Starter", "team": "Everglade FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 2, "red_cards": 0, "bio": "Andrew Anderson, a 24-year-old virtuoso of the pitch, dances down the left wing with an electrifying agility that mirrors the swaying of Everglade marshes. Known for his explosive speed and pinpoint crosses, he embodies the fiery spirit of Miami, leaving defenders in his wake while maintaining a relentless drive to conquer every game.", "profile_pic": "A realistic portrait of Andrew Anderson, a 24-year-old American soccer player, standing confidently on the pitch. He has a lean, athletic build, standing at 178 cm and weighing 75 kg. His short, slightly tousled dark hair complements his determined expression. \n\nAndrew's facial features are defined, with sharp cheekbones and an intense gaze that reflects his competitive nature. He has a light tan indicative of time spent in the Miami sun, and his enthusiasm is palpable. Dressed in the vibrant home kit of Everglade FC, he wears a bright green jersey with the number 9 prominently displayed on the back, paired with navy shorts and matching green socks. \n\nThe kit features subtle patterns resembling the textures of Miami's natural landscape, symbolizing both his connection to the city and the team. Standing in a dynamic pose, he has one foot slightly forward, ready to sprint down the wing, showcasing his right foot poised as if about to deliver a perfect cross. \n\nThe backdrop captures a sunlit stadium filled with cheering fans, emphasizing a matchday atmosphere. The mood is vibrant and electrifying, reflecting his current form rating of 8, with a look of fierce determination that suggests he is ready to take on any challenge, showcasing his prowess as a key player without injury."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_1.json b/data/huge-league/players/Fraser_Valley_United_1.json index 76ee56240beb1f87ff771c2a45b9fd11c076c596..3cb4840939947f06b7e003341ed92d1c5e86b50d 100644 --- a/data/huge-league/players/Fraser_Valley_United_1.json +++ b/data/huge-league/players/Fraser_Valley_United_1.json @@ -1 +1 @@ -{"number": 1, "name": "Noah Martin", "age": 21, "nationality": "Canada", "shirt_number": 1, "position": "Goalkeeper", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 186, "weight_kg": 82, "overall_rating": 75, "is_injured": false, "form": 8, "goals": 0, "assists": 0, "yellow_cards": 1, "red_cards": 0, "bio": "Noah Martin is a dynamic goalkeeper known for his cat-like reflexes and commanding presence in the box. Hailing from Abbotsford, he embodies the spirit of Fraser Valley United, displaying a fearless attitude and unwavering dedication. A left-footed kicker, he often surprises opponents with precision goal kicks and adept ball distribution, making him a key asset in transitioning from defense to attack."} \ No newline at end of file +{"number": 1, "name": "Noah Martin", "age": 21, "nationality": "Canada", "shirt_number": 1, "position": "Goalkeeper", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 186, "weight_kg": 82, "overall_rating": 75, "is_injured": false, "form": 8, "goals": 0, "assists": 0, "yellow_cards": 1, "red_cards": 0, "bio": "Noah Martin is a dynamic goalkeeper known for his cat-like reflexes and commanding presence in the box. Hailing from Abbotsford, he embodies the spirit of Fraser Valley United, displaying a fearless attitude and unwavering dedication. A left-footed kicker, he often surprises opponents with precision goal kicks and adept ball distribution, making him a key asset in transitioning from defense to attack.", "profile_pic": "A realistic portrait of Noah Martin, a 21-year-old Canadian goalkeeper standing confidently in his team kit for Fraser Valley United. He is 186 cm tall, with an athletic build weighing 82 kg. Noah has a youthful yet determined expression, showcasing his cat-like reflexes and commanding presence. His facial features include sharp cheekbones, slightly tousled dark hair, and a focused gaze that reflects his fearless attitude. He is wearing a vibrant blue jersey with the team logo prominently displayed on the chest, and his shirt number 1 is visible on the back. The shorts and socks are coordinated in the team's colors, completing the kit.\n\nThe background is a soft focus of a soccer stadium, enhancing the matchday atmosphere. Noah is posed in a slight forward lean, hands on hips, conveying readiness and confidence. He is wearing goalkeeper gloves and has a slight smirk that captures his unwavering dedication to his role. The overall mood is one of determination and focus, reflecting his current high form, with no signs of injury, emphasizing his status as a starter for the team."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_10.json b/data/huge-league/players/Fraser_Valley_United_10.json index afb8c353cef7152d727bc1b2d720baeedeca4fe3..4d9e5fb6660c83e0ce1f6a21426b3872a0f5895b 100644 --- a/data/huge-league/players/Fraser_Valley_United_10.json +++ b/data/huge-league/players/Fraser_Valley_United_10.json @@ -1 +1 @@ -{"number": 10, "name": "Thomas Walker", "age": 30, "nationality": "Canada", "shirt_number": 10, "position": "Striker", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 22, "assists": 10, "yellow_cards": 3, "red_cards": 0, "bio": "Thomas Walker, a dynamic striker from Canada, combines speed and precision with a keen eye for goal. Known for his powerful left-footed shots, he is a constant threat in the box. His leadership on the pitch is matched only by his unyielding determination, making him a fan favorite in Abbotsford."} \ No newline at end of file +{"number": 10, "name": "Thomas Walker", "age": 30, "nationality": "Canada", "shirt_number": 10, "position": "Striker", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 22, "assists": 10, "yellow_cards": 3, "red_cards": 0, "bio": "Thomas Walker, a dynamic striker from Canada, combines speed and precision with a keen eye for goal. Known for his powerful left-footed shots, he is a constant threat in the box. His leadership on the pitch is matched only by his unyielding determination, making him a fan favorite in Abbotsford.", "profile_pic": "A portrait of Thomas Walker, a 30-year-old Canadian professional soccer player. He stands confidently, measuring 182 cm with a solid build weighing 78 kg. His chiseled features reflect intensity and determination, with sharp blue eyes and short, dark hair slightly tousled. His expression exudes a focused charisma, portraying him as a natural leader.\n\nHe is dressed in the Fraser Valley United team kit, which consists of a vibrant red jersey emblazoned with his shirt number, 10, on the front and back. The kit includes white shorts and red socks accented with a subtle white stripe. The club's emblem is visible on the left chest of the shirt.\n\nThomas is posed in front of a blurred stadium backdrop, suggesting a matchday atmosphere. His left foot is slightly forward, portraying a sense of movement and energy. There\u2019s a hint of a smile, showcasing his approachable personality, paired with an eagerness that reflects his excellent form, having scored 22 goals and provided 10 assists this season. The absence of any visible injuries further contributes to his display of athletic prowess and readiness, capturing the essence of a passionate striker in peak condition. The overall lighting enhances the vibrancy of the kit and highlights his athletic physique, evoking a sense of anticipation for the game ahead."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_11.json b/data/huge-league/players/Fraser_Valley_United_11.json index 6bcf079a67bb472c12042f2e11f102f9757fdca5..24c23d1c01f21b3f18f3028eaee9a76c37093703 100644 --- a/data/huge-league/players/Fraser_Valley_United_11.json +++ b/data/huge-league/players/Fraser_Valley_United_11.json @@ -1 +1 @@ -{"number": 11, "name": "Lucas Harris", "age": 32, "nationality": "Canada", "shirt_number": 11, "position": "Right Wing", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 88, "is_injured": false, "form": 7, "goals": 12, "assists": 9, "yellow_cards": 3, "red_cards": 1, "bio": "Lucas Harris, a dynamic right winger from Canada, captivates fans with his electrifying speed and pinpoint crossing ability. With a fierce competitive spirit, he embodies the heart of Fraser Valley United, navigating the pitch with a signature left-footed finesse. His journey from the vineyards of Abbotsford to the professional arena showcases his relentless dedication and sharp tactical awareness, making him a standout player in the league."} \ No newline at end of file +{"number": 11, "name": "Lucas Harris", "age": 32, "nationality": "Canada", "shirt_number": 11, "position": "Right Wing", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 88, "is_injured": false, "form": 7, "goals": 12, "assists": 9, "yellow_cards": 3, "red_cards": 1, "bio": "Lucas Harris, a dynamic right winger from Canada, captivates fans with his electrifying speed and pinpoint crossing ability. With a fierce competitive spirit, he embodies the heart of Fraser Valley United, navigating the pitch with a signature left-footed finesse. His journey from the vineyards of Abbotsford to the professional arena showcases his relentless dedication and sharp tactical awareness, making him a standout player in the league.", "profile_pic": "A press photo portrait of Lucas Harris, a 32-year-old Canadian soccer player. He stands confidently, wearing the Fraser Valley United home kit, which features a bold red and blue design with subtle graphics. The number 11 is prominently displayed on his jersey. Lucas has a fit, athletic build, standing at 178 cm tall and weighing 75 kg. His facial features include a focused expression, short dark hair with a slight wave, and a well-groomed beard, embodying both intensity and charisma. His left foot is slightly forward, hinting at his preferred playing style, while he is captured in a lively pose, showcasing his agility and readiness for the game. The background of the image is a blurred stadium setting, adding a sense of action and anticipation. The lighting emphasizes his strong jawline and determined eyes, reflecting his competitive spirit and dedication to the sport. The mood is vibrant, showcasing confidence and excitement, indicating his excellent form with a rating of 88 and current standing as an important starter for his team, free from injuries."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_12.json b/data/huge-league/players/Fraser_Valley_United_12.json index e853f7de18da4c34125f2b48b32dcd6783915880..9dccebe5b939d46e4a6efc208038497f7f107f06 100644 --- a/data/huge-league/players/Fraser_Valley_United_12.json +++ b/data/huge-league/players/Fraser_Valley_United_12.json @@ -1 +1 @@ -{"number": 12, "name": "Mason Lee", "age": 21, "nationality": "Canada", "shirt_number": 12, "position": "Goalkeeper", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 185, "weight_kg": 78, "overall_rating": 76, "is_injured": false, "form": 8, "goals": 0, "assists": 0, "yellow_cards": 1, "red_cards": 0, "bio": "Mason Lee, a dynamic goalkeeper known for his lightning reflexes and commanding presence in the box, embodies the spirit of Fraser Valley United. Raised amidst the vineyards of Abbotsford, he combines rural grit with a sophisticated understanding of the game, often pulling off miraculous saves that leave fans in awe. His passion for soccer is matched only by his unwavering determination to elevate the Canadian talent pool."} \ No newline at end of file +{"number": 12, "name": "Mason Lee", "age": 21, "nationality": "Canada", "shirt_number": 12, "position": "Goalkeeper", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 185, "weight_kg": 78, "overall_rating": 76, "is_injured": false, "form": 8, "goals": 0, "assists": 0, "yellow_cards": 1, "red_cards": 0, "bio": "Mason Lee, a dynamic goalkeeper known for his lightning reflexes and commanding presence in the box, embodies the spirit of Fraser Valley United. Raised amidst the vineyards of Abbotsford, he combines rural grit with a sophisticated understanding of the game, often pulling off miraculous saves that leave fans in awe. His passion for soccer is matched only by his unwavering determination to elevate the Canadian talent pool.", "profile_pic": "A portrait of Mason Lee, a 21-year-old Canadian goalkeeper standing confidently in his team kit for Fraser Valley United. He is 185 cm tall and weighs 78 kg, with an athletic build indicative of an active sportsman. His facial features are sharp, with a slight jawline, a focused expression reflecting his determination and passion for the game. His dark, tousled hair is slightly damp, perhaps from a recent training session, and his brown eyes convey both intensity and a commanding presence.\n\nMason is wearing the Fraser Valley United team's traditional kit: a vibrant blue jersey with subtle white accents, showcasing his shirt number, 12, prominently on the back. The club emblem is placed on the left chest area, reflecting pride in his team. He wears matching blue shorts and high socks, with black soccer cleats designed for agility.\n\nIn this press photo setting, Mason strikes a dynamic pose, slightly bent forward with his hands on his knees, showcasing his readiness for action. The backdrop features a blurred soccer field, hinting at a matchday atmosphere, with faint outlines of cheering fans in the stands. He exudes confidence and determination, having just finished a training session, in peak form with an impressive overall rating of 76. The mood is vibrant and energizing, underscoring his status as a promising talent in Canadian soccer."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_13.json b/data/huge-league/players/Fraser_Valley_United_13.json index e11534871f953beb45a56428b00dc4e0256125a9..93e7c1f1242916adf1e6d936346faabeabc4f72f 100644 --- a/data/huge-league/players/Fraser_Valley_United_13.json +++ b/data/huge-league/players/Fraser_Valley_United_13.json @@ -1 +1 @@ -{"number": 13, "name": "Carter Lee", "age": 24, "nationality": "Canada", "shirt_number": 13, "position": "Center Back", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 80, "overall_rating": 75, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Carter Lee, a dynamic Center Back from Canada, showcases a fierce determination and an unmatched ability to read the game. Known for his aerial prowess and tenacity in tackles, he commands the backline with a presence that intimidates forwards. His journey from rural roots to professional soccer is marked by relentless hard work and an unwavering team spirit, making him a pivotal player for Fraser Valley United."} \ No newline at end of file +{"number": 13, "name": "Carter Lee", "age": 24, "nationality": "Canada", "shirt_number": 13, "position": "Center Back", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 80, "overall_rating": 75, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Carter Lee, a dynamic Center Back from Canada, showcases a fierce determination and an unmatched ability to read the game. Known for his aerial prowess and tenacity in tackles, he commands the backline with a presence that intimidates forwards. His journey from rural roots to professional soccer is marked by relentless hard work and an unwavering team spirit, making him a pivotal player for Fraser Valley United.", "profile_pic": "A realistic portrait of a 24-year-old Canadian soccer player, Carter Lee, standing tall at 182 cm and weighing 80 kg. He has a strong, athletic build with broad shoulders and defined muscles, emphasizing his role as a Center Back. His short, slightly tousled dark hair frames a focused, intense face, with sharp cheekbones and a determined expression, reflecting his fierce competitive spirit. His deep-set eyes convey confidence and tenacity, hinting at his ability to read the game effectively.\n\nCarter is dressed in the team kit of Fraser Valley United, featuring a navy-blue jersey with white and green accents, showcasing his shirt number 13 on the back. The kit is complemented by matching shorts and knee-length socks, alluding to the team's crest on the left chest. He stands in a slightly angled pose, with his body weight shifted onto one leg, arms crossed confidently over his chest or resting on his hips, embodying a blend of determination and readiness.\n\nThe background captures a professional soccer setting, with the faint outline of a stadium and hints of the team's colors in the stands. The lighting highlights his features, casting soft shadows that enhance his defined jawline. The overall mood is one of confidence, professionalism, and high spirits, indicative of his current strong form and non-injured status, ready to make an impact for his team."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_14.json b/data/huge-league/players/Fraser_Valley_United_14.json index 6a4abec3c22ef9af7a4ea57cbde879bbb1f7c8c1..f52425f703c19f3bed933876b8bff79133e78bc9 100644 --- a/data/huge-league/players/Fraser_Valley_United_14.json +++ b/data/huge-league/players/Fraser_Valley_United_14.json @@ -1 +1 @@ -{"number": 14, "name": "William Harris", "age": 23, "nationality": "Canada", "shirt_number": 14, "position": "Full Back", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "William Harris, a dynamic full back from Canada, is known for his lightning-fast sprints down the flank and impeccable tackling skills. With a tenacious attitude and a keen eye for creating plays, he seamlessly integrates defense and attack. His roots in the Fraser Valley reflect in his dedication and work ethic, making him a fan favorite and a pivotal asset to Fraser Valley United."} \ No newline at end of file +{"number": 14, "name": "William Harris", "age": 23, "nationality": "Canada", "shirt_number": 14, "position": "Full Back", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "William Harris, a dynamic full back from Canada, is known for his lightning-fast sprints down the flank and impeccable tackling skills. With a tenacious attitude and a keen eye for creating plays, he seamlessly integrates defense and attack. His roots in the Fraser Valley reflect in his dedication and work ethic, making him a fan favorite and a pivotal asset to Fraser Valley United.", "profile_pic": "William Harris stands tall at 178 cm, with a well-built physique reflecting his 75 kg weight. At 23 years old, he exhibits youthful energy and determination in his expression. His face features a strong jawline, high cheekbones, and warm brown eyes that convey focus and a competitive spirit. Short, dark hair is styled neatly, and a hint of scruff adds to his rugged charm.\n\nHe is dressed in the home kit of Fraser Valley United: a sleek, vibrant jersey predominantly in shades of green and white, highlighted with dynamic vertical stripes and the team's emblem emblazoned on the chest. The kit is complemented by matching shorts and knee-length socks adorned with subtle patterns, finished off with black cleats.\n\nWilliam strikes a confident pose, one foot slightly forward, exuding readiness and agility, as if he\u2019s just about to burst into action. His arms are relaxed at his sides, but there's an underlying tension in his stance that hints at his talent for transitioning quickly from defense to attack. The backdrop suggests a soccer field with blurred goal posts and vivid green turf, capturing the excitement of match day. The mood is energetic and vibrant, reflecting his solid form with a recent rating of 82 and a successful season, highlighted by his 3 goals and 5 assists. There are no visible signs of injury, emphasizing his readiness to engage in the sport he loves."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_15.json b/data/huge-league/players/Fraser_Valley_United_15.json index f5f5bc2e1f80eeaeb03c0687bab0ad35775d8640..3eb6939fbc709be6ffda308f8f11265181430f58 100644 --- a/data/huge-league/players/Fraser_Valley_United_15.json +++ b/data/huge-league/players/Fraser_Valley_United_15.json @@ -1 +1 @@ -{"number": 15, "name": "Aiden Brown", "age": 17, "nationality": "Canada", "shirt_number": 15, "position": "Defensive Mid", "preferred_foot": "Left", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 5, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Aiden Brown, hailing from the scenic landscapes of Abbotsford, is a dynamic defensive mid known for his tenacity and vision on the field. With an elegant left foot, he often orchestrates play from deep positions, making him a linchpin in Fraser Valley United's midfield. His fearless attitude and commitment to the team have made him a crowd favorite, often seen breaking up opposition attacks and launching quick counterplays."} \ No newline at end of file +{"number": 15, "name": "Aiden Brown", "age": 17, "nationality": "Canada", "shirt_number": 15, "position": "Defensive Mid", "preferred_foot": "Left", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 5, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Aiden Brown, hailing from the scenic landscapes of Abbotsford, is a dynamic defensive mid known for his tenacity and vision on the field. With an elegant left foot, he often orchestrates play from deep positions, making him a linchpin in Fraser Valley United's midfield. His fearless attitude and commitment to the team have made him a crowd favorite, often seen breaking up opposition attacks and launching quick counterplays.", "profile_pic": "Aiden Brown stands confidently in a press photo setting, showcasing his athletic build at 178 cm tall and weighing 72 kg. He appears 17 years old, with a youthful yet determined expression, his sharp facial features reflecting a Canadian heritage. His dark hair is slightly tousled, framing his face, and he sports a light scruff.\n\nWearing the Fraser Valley United team kit, which features a bold combination of navy blue and white, his shirt, number 15, fits snugly, emphasizing his athletic physique. The kit includes a stylish design with the team crest emblazoned on the left chest, and his defensive mid role is highlighted by the sleek shorts and matching socks.\n\nAiden is posed in a dynamic yet relaxed stance with his left foot slightly forward, exuding confidence and readiness. The background features a subtle blur of a soccer pitch, hinting at a matchday atmosphere. He smiles, projecting a sense of camaraderie and enthusiasm, his eyes focused on something off-camera, indicating his commitment to the game. With an overall rating of 85 and strong form at 8, there are no signs of injury on his relaxed posture, further emphasizing his vigorous spirit and determination on the field."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_16.json b/data/huge-league/players/Fraser_Valley_United_16.json index efc63a0097250e957ec21523e8d4714325e2c916..9e4008d83a9b1328d354e40834c3b94506c2a96e 100644 --- a/data/huge-league/players/Fraser_Valley_United_16.json +++ b/data/huge-league/players/Fraser_Valley_United_16.json @@ -1 +1 @@ -{"number": 16, "name": "Logan Clark", "age": 26, "nationality": "Canada", "shirt_number": 16, "position": "Central Mid", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 73, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Logan Clark, a dynamic central midfielder, thrives on the pitch with his vision and precise passing. Hailing from the serene landscapes of rural British Columbia, he embodies the spirit of Fraser Valley United. Known for his relentless work ethic and ability to dictate the tempo of the game, Logan is a fan favorite, often dazzling spectators with his cheeky nutmegs and long-range strikes."} \ No newline at end of file +{"number": 16, "name": "Logan Clark", "age": 26, "nationality": "Canada", "shirt_number": 16, "position": "Central Mid", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 73, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Logan Clark, a dynamic central midfielder, thrives on the pitch with his vision and precise passing. Hailing from the serene landscapes of rural British Columbia, he embodies the spirit of Fraser Valley United. Known for his relentless work ethic and ability to dictate the tempo of the game, Logan is a fan favorite, often dazzling spectators with his cheeky nutmegs and long-range strikes.", "profile_pic": "A portrait of Logan Clark, a fictional Canadian professional soccer player, standing confidently in the Fraser Valley United team kit, which features a deep green jersey with white accents and the club logo on the left chest. He wears the number 16 prominently displayed on both the front and back of his shirt. Logan is 26 years old, with a lean yet muscular build, standing at 178 cm tall and weighing 73 kg. He has short, tousled dark hair and sharp features that convey determination and focus. His right foot is slightly forward, symbolizing his preferred kicking foot, while his left hand rests on his hip, exuding a relaxed yet ready-to-play vibe. \n\nHis expression is a mix of concentration and enthusiasm, reflecting his role as a bench player who is eager to make an impact. The background is a blurred image of a soccer stadium filled with cheering fans, capturing the excitement of match day. The lighting is bright and highlights the sheen on his kit, with a slight lens flare to add energy to the scene. Despite being in peak form, there are no indications of injury, showcasing his readiness to contribute on the field. In the portrait, Logan holds a soccer ball in his left hand, ready for action, with his right foot planted firmly on the ground, embodying the spirit of a dedicated midfielder."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_17.json b/data/huge-league/players/Fraser_Valley_United_17.json index 7f36f77f2eff84718ffdfb88dfb8432d877d7745..099fffd69650e368aff27ff5033a47d917188b48 100644 --- a/data/huge-league/players/Fraser_Valley_United_17.json +++ b/data/huge-league/players/Fraser_Valley_United_17.json @@ -1 +1 @@ -{"number": 17, "name": "Owen Campbell", "age": 23, "nationality": "Canada", "shirt_number": 17, "position": "Attacking Mid", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 70, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 5, "assists": 10, "yellow_cards": 2, "red_cards": 0, "bio": "Owen Campbell is a dynamic attacking midfielder known for his exceptional vision and precise passing. Hailing from the heart of Canada, he combines technical skill with a relentless work ethic. His knack for turning defense into attack swiftly has made him a key asset for Fraser Valley United, where he seamlessly integrates creativity and strategy, thrilling fans with his playmaking prowess."} \ No newline at end of file +{"number": 17, "name": "Owen Campbell", "age": 23, "nationality": "Canada", "shirt_number": 17, "position": "Attacking Mid", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 70, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 5, "assists": 10, "yellow_cards": 2, "red_cards": 0, "bio": "Owen Campbell is a dynamic attacking midfielder known for his exceptional vision and precise passing. Hailing from the heart of Canada, he combines technical skill with a relentless work ethic. His knack for turning defense into attack swiftly has made him a key asset for Fraser Valley United, where he seamlessly integrates creativity and strategy, thrilling fans with his playmaking prowess.", "profile_pic": "Owen Campbell stands confidently in a press photo for Fraser Valley United, showcasing his vibrant presence as an attacking midfielder. He is 23 years old, with a lean, athletic build\u2014178 cm tall and weighing 70 kg, exuding an aura of agility. His short, tousled dark hair frames a determined face, accentuated by sharp cheekbones and a slight smile that hints at his warm personality. His expressive hazel eyes convey focus and determination, capturing his dynamic spirit on the pitch.\n\nOwen wears the team's home kit: a striking red jersey with white accents, featuring the number 17 prominently on his chest and back. The kit is completed with matching red shorts and white socks, displaying the Fraser Valley United logo on his left chest and the league patch on his right arm, establishing his identity within the team. \n\nHe strikes a relaxed yet energetic pose, one hand placed on his hip while the other is slightly raised, showcasing a thumbs-up, reflecting the confidence that stems from his strong form and positive overall rating of 82. The background features the team\u2019s logo subtly blurred, providing context while ensuring Owen remains the focal point of the image. The lighting is bright, highlighting the sheen of his kit and the intensity in his expression, representing his readiness to contribute to the team as a bench player, fully fit and eager to make an impact."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_18.json b/data/huge-league/players/Fraser_Valley_United_18.json index 9ee33058466cedade25e9cc9732b3db37cfb4da7..1baabe747b92aa89977fcc756baaefdea3765008 100644 --- a/data/huge-league/players/Fraser_Valley_United_18.json +++ b/data/huge-league/players/Fraser_Valley_United_18.json @@ -1 +1 @@ -{"number": 18, "name": "Thomas Walker", "age": 32, "nationality": "Canada", "shirt_number": 18, "position": "Forward/Winger", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 180, "weight_kg": 75, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "A dynamic forward with a fierce right foot, Thomas Walker thrives on the wing, using his blistering speed to outpace defenders. Known for his relentless work ethic and tactical awareness, he brings a spark to Fraser Valley United, often turning matches with his flair and creativity. Hailing from the picturesque landscapes of Canada, his journey reflects a blend of rural grit and urban sophistication."} \ No newline at end of file +{"number": 18, "name": "Thomas Walker", "age": 32, "nationality": "Canada", "shirt_number": 18, "position": "Forward/Winger", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 180, "weight_kg": 75, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "A dynamic forward with a fierce right foot, Thomas Walker thrives on the wing, using his blistering speed to outpace defenders. Known for his relentless work ethic and tactical awareness, he brings a spark to Fraser Valley United, often turning matches with his flair and creativity. Hailing from the picturesque landscapes of Canada, his journey reflects a blend of rural grit and urban sophistication.", "profile_pic": "A press photo portrait of Thomas Walker, a 32-year-old Canadian soccer player. He stands confidently with a slight lean forward, showcasing his athletic build at 180 cm and 75 kg. His medium-length brown hair is slightly tousled, framing a focused face with sharp blue eyes and a determined expression. He has a trimmed beard, adding a touch of maturity.\n\nThomas is wearing the Fraser Valley United team kit, which features vibrant green and white colors. The shirt, number 18, fits snugly, emphasizing his muscular physique, while white shorts and green socks complete the look. A subtle sponsor logo is visible on the left chest area.\n\nThe background captures a stadium ambiance, slightly blurred, with fans in the stands. The lighting highlights his figure dynamically, enhancing his vibrant energy and confident stance. He exudes determination and readiness, reflecting his solid form rating of 7 and recent contributions with 12 goals and 8 assists this season. There's no visible sign of injury, reinforcing his status as a key player for the team."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_19.json b/data/huge-league/players/Fraser_Valley_United_19.json index 0945e127e11cf48bf8f245ce18d7f952c92d7266..9debc572b5166905c87a5b3bc3d3bef0ce5f704c 100644 --- a/data/huge-league/players/Fraser_Valley_United_19.json +++ b/data/huge-league/players/Fraser_Valley_United_19.json @@ -1 +1 @@ -{"number": 19, "name": "Elijah Gagnon", "age": 23, "nationality": "Canada", "shirt_number": 19, "position": "Striker", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 183, "weight_kg": 78, "overall_rating": 76, "is_injured": false, "form": 7, "goals": 12, "assists": 5, "yellow_cards": 3, "red_cards": 0, "bio": "Elijah Gagnon, a 23-year-old striker from Canada, possesses an explosive speed and keen eye for goal. His ability to find space and create opportunities for himself and teammates makes him a standout player. Hailing from the scenic Fraser Valley, he brings a combination of technical skill and rural determination to the pitch, often leaving defenders trailing in his wake with his signature swift dribbles and accurate finishing."} \ No newline at end of file +{"number": 19, "name": "Elijah Gagnon", "age": 23, "nationality": "Canada", "shirt_number": 19, "position": "Striker", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 183, "weight_kg": 78, "overall_rating": 76, "is_injured": false, "form": 7, "goals": 12, "assists": 5, "yellow_cards": 3, "red_cards": 0, "bio": "Elijah Gagnon, a 23-year-old striker from Canada, possesses an explosive speed and keen eye for goal. His ability to find space and create opportunities for himself and teammates makes him a standout player. Hailing from the scenic Fraser Valley, he brings a combination of technical skill and rural determination to the pitch, often leaving defenders trailing in his wake with his signature swift dribbles and accurate finishing.", "profile_pic": "A realistic portrait of 23-year-old Elijah Gagnon, a professional soccer player from Canada. He stands confidently, showcasing his athletic build with a height of 183 cm and weighing 78 kg. His facial features are sharp and youthful, with short black hair slightly tousled. He has bright, determined eyes that convey focus and ambition, complemented by a confident smile.\n\nElijah is dressed in the team kit of Fraser Valley United, featuring a vibrant blue and white jersey emblazoned with his number 19. The jersey fits snugly, highlighting his well-defined physique, and he sports matching shorts and socks. On his feet are sleek soccer cleats, ready for action.\n\nHe is posed in a dynamic stance, slightly leaning forward as if preparing to sprint, suggesting his explosive speed. The background is a blurred soccer pitch under bright stadium lights, adding to the matchday atmosphere. His expression radiates enthusiasm and readiness, embodying his current form rating of 7, having scored 12 goals this season. There are no signs of injury, and the mood is energetic and hopeful, capturing the essence of a young athlete poised to make an impact on the field."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_2.json b/data/huge-league/players/Fraser_Valley_United_2.json index 62b6da13f52ab593eeafc8f6ecad76bc07bc9a82..183bebe09d231c5eabf5a6831e51af923cbd6a3b 100644 --- a/data/huge-league/players/Fraser_Valley_United_2.json +++ b/data/huge-league/players/Fraser_Valley_United_2.json @@ -1 +1 @@ -{"number": 2, "name": "Liam Thompson", "age": 23, "nationality": "Canada", "shirt_number": 2, "position": "Left Back", "preferred_foot": "Right", "role": "Starter", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 74, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Liam Thompson is a dynamic left-back known for his relentless pace and tactical awareness. Originating from the diverse landscapes of Canada, he embodies a blend of resilience and finesse on the pitch. His signature move, an overlapping run down the flank, consistently catches opponents off guard. With an unwavering spirit and strong leadership qualities, Liam has quickly become a fan favorite in Fraser Valley United's journey to elevate Canadian soccer."} \ No newline at end of file +{"number": 2, "name": "Liam Thompson", "age": 23, "nationality": "Canada", "shirt_number": 2, "position": "Left Back", "preferred_foot": "Right", "role": "Starter", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 74, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Liam Thompson is a dynamic left-back known for his relentless pace and tactical awareness. Originating from the diverse landscapes of Canada, he embodies a blend of resilience and finesse on the pitch. His signature move, an overlapping run down the flank, consistently catches opponents off guard. With an unwavering spirit and strong leadership qualities, Liam has quickly become a fan favorite in Fraser Valley United's journey to elevate Canadian soccer.", "profile_pic": "Liam Thompson stands confidently in his team kit for Fraser Valley United, wearing the number 2 jersey that fits snugly on his athletic build. At 178 cm tall and weighing 74 kg, his physique reflects a balance of strength and agility, suited for a left-back role. His short, slightly tousled dark hair frames a focused yet approachable face, highlighting his Canadian nationality. He has a strong jawline, fair skin, and piercing blue eyes that convey determination and leadership.\n\nThe kit is a vibrant blend of navy blue and gold, representing his team colors, with a sleek design featuring the club's emblem prominently on the chest. He wears white soccer socks pulled up high, and black cleats, poised in a slight crouch as if ready to spring into action on the field. His posture exudes confidence, reflecting his form rating of 7 out of 10, while a subtle smile suggests his upbeat personality and current good spirits, enhanced by the fact that he is not injured.\n\nThe backdrop captures a sunlit stadium filled with cheering fans, enhancing the atmosphere of a matchday portrait. The focus is on Liam, showcasing not only his athletic prowess but also the energy and hope he brings to the burgeoning Canadian soccer scene."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_20.json b/data/huge-league/players/Fraser_Valley_United_20.json index 748b1b0d48e78892ae4266e75cb0884d32eb87d2..a8e0041516027bec97cadfb15318ca8f8395eb96 100644 --- a/data/huge-league/players/Fraser_Valley_United_20.json +++ b/data/huge-league/players/Fraser_Valley_United_20.json @@ -1 +1 @@ -{"number": 20, "name": "Thomas MacDonald", "age": 21, "nationality": "Canada", "shirt_number": 20, "position": "Left Wing", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 76, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Thomas MacDonald, the Left Wing sensation from Canada, dances down the flank with unparalleled agility. His right foot strikes fear into opposing defenders, showcasing his knack for precise crosses and dazzling dribbles. Born and raised amidst the picturesque landscapes of British Columbia, he embodies the spirit of Fraser Valley United, blending rural grit with technical finesse. With an infectious work ethic and a charismatic presence, Thomas is not just a player; he's a beacon of hope for aspiring young talents."} \ No newline at end of file +{"number": 20, "name": "Thomas MacDonald", "age": 21, "nationality": "Canada", "shirt_number": 20, "position": "Left Wing", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 76, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Thomas MacDonald, the Left Wing sensation from Canada, dances down the flank with unparalleled agility. His right foot strikes fear into opposing defenders, showcasing his knack for precise crosses and dazzling dribbles. Born and raised amidst the picturesque landscapes of British Columbia, he embodies the spirit of Fraser Valley United, blending rural grit with technical finesse. With an infectious work ethic and a charismatic presence, Thomas is not just a player; he's a beacon of hope for aspiring young talents.", "profile_pic": "A realistic portrait of Thomas MacDonald, a 21-year-old Canadian professional soccer player from Fraser Valley United. He stands confidently at 182 cm tall and weighing 76 kg. His athletic build stands out in the vibrant team kit, featuring a bold design with the team colors prominently displayed: deep green and white accents. The shirt, number 20, is fitted to highlight his agility, with shorts and socks completing the look.\n\nThomas has an expressive face, with strong cheekbones and a determined gaze reflecting his competitive spirit. His brown hair is styled in a trendy, slightly tousled manner, enhancing his youthful charm. A subtle smile hints at his charismatic personality, which shines through his confident stance.\n\nIn the background, a blurred soccer pitch and cheering fans suggest the matchday atmosphere. He stands in a dynamic pose, slightly leaning forward as if preparing to sprint down the left wing, capturing his role as a skilled left-winger. The mood is energetic and optimistic, showcasing his impressive form rating of 8 and recent performance, with an aura of determination that highlights the absence of any injury. The image encapsulates the essence of a promising soccer talent, poised to make his mark on the game."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_21.json b/data/huge-league/players/Fraser_Valley_United_21.json index a1ec61fca63356a974bb16acff2db58ae219262c..a494dee5eb948a49ed318534b36eda9e3309249a 100644 --- a/data/huge-league/players/Fraser_Valley_United_21.json +++ b/data/huge-league/players/Fraser_Valley_United_21.json @@ -1 +1 @@ -{"number": 21, "name": "Jacob Gagnon", "age": 23, "nationality": "Canada", "shirt_number": 21, "position": "Right Wing", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Hailing from the picturesque vineyards of Abbotsford, Jacob Gagnon is known for his explosive speed and pinpoint accuracy on the right wing. His agile footwork and relentless drive make him a nightmare for defenders. With a positive attitude and fierce competitiveness, he embodies the spirit of Fraser Valley United, showcasing a blend of raw talent and tactical intelligence."} \ No newline at end of file +{"number": 21, "name": "Jacob Gagnon", "age": 23, "nationality": "Canada", "shirt_number": 21, "position": "Right Wing", "preferred_foot": "Right", "role": "Bench", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Hailing from the picturesque vineyards of Abbotsford, Jacob Gagnon is known for his explosive speed and pinpoint accuracy on the right wing. His agile footwork and relentless drive make him a nightmare for defenders. With a positive attitude and fierce competitiveness, he embodies the spirit of Fraser Valley United, showcasing a blend of raw talent and tactical intelligence.", "profile_pic": "A realistic portrait of Jacob Gagnon, a 23-year-old Canadian soccer player, capturing him standing proudly in the Fraser Valley United team kit. He is 178 cm tall and weighs 75 kg, with an athletic, well-proportioned build. His face displays youthful energy, featuring sharp cheekbones, a determined jawline, and slightly tousled dark hair. His blue eyes, exuding confidence, are focused forward with a warm, competitive smile.\n\nHe's wearing a vibrant kit, predominantly in the team's colors of deep blue and white, with his shirt number '21' emblazoned on the back. The jersey is form-fitting, showcasing his athletic physique, while the shorts and socks complete the look. The Fraser Valley United crest is prominent on his chest.\n\nPositioned outdoors on a sunny day, Jacob stands with one foot slightly forward, arms crossed and a slight tilt of the head that conveys approachability mixed with intensity. His posture is strong, reflecting his current good form and overall rating of 82, devoid of any signs of injury. The background hints at the lush vineyards of Abbotsford, connecting his roots to the picturesque landscape."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_22.json b/data/huge-league/players/Fraser_Valley_United_22.json index ca898797fcdebcd59d25cbfd461250210bf2f535..bcca0627f98c22ee6f1616d998381715640ba1a6 100644 --- a/data/huge-league/players/Fraser_Valley_United_22.json +++ b/data/huge-league/players/Fraser_Valley_United_22.json @@ -1 +1 @@ -{"number": 22, "name": "William Taylor", "age": 27, "nationality": "Canada", "shirt_number": 22, "position": "Various", "preferred_foot": "Left", "role": "Reserve/Prospect", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 78, "is_injured": false, "form": 8, "goals": 15, "assists": 10, "yellow_cards": 2, "red_cards": 0, "bio": "William Taylor, a dynamic left-footed midfielder, is known for his exceptional vision and ability to dictate the pace of the game. With roots in the calm landscapes of Canada, he blends rural resilience with urban flair on the pitch. His signature moves often leave defenders guessing, while his team spirit and leadership qualities make him a standout prospect for Fraser Valley United."} \ No newline at end of file +{"number": 22, "name": "William Taylor", "age": 27, "nationality": "Canada", "shirt_number": 22, "position": "Various", "preferred_foot": "Left", "role": "Reserve/Prospect", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 78, "is_injured": false, "form": 8, "goals": 15, "assists": 10, "yellow_cards": 2, "red_cards": 0, "bio": "William Taylor, a dynamic left-footed midfielder, is known for his exceptional vision and ability to dictate the pace of the game. With roots in the calm landscapes of Canada, he blends rural resilience with urban flair on the pitch. His signature moves often leave defenders guessing, while his team spirit and leadership qualities make him a standout prospect for Fraser Valley United.", "profile_pic": "A realistic portrait of William Taylor, a 27-year-old Canadian soccer player. He stands at 178 cm tall, weighing 75 kg, showcasing an athletic build. His face features a warm smile, with bright blue eyes, slightly tousled dark brown hair, and a neatly trimmed beard that adds to his approachable appearance. His expression radiates confidence and determination, embodying his personality as a dynamic midfield player. \n\nHe is wearing the Fraser Valley United team kit, which consists of a navy blue jersey with white accents, matching shorts, and white socks. The number 22 is prominently displayed on his back. The team's logo is emblazoned on the left chest area of the jersey. \n\nWilliam is positioned in a stance suggesting readiness\u2014slightly leaning forward with his left foot raised, which hints at his preferred left-footed playing style. The background captures a vibrant stadium atmosphere, with blurred fans cheering in the stands, emphasizing the excitement of match day. The lighting highlights his features and the details of his kit, conveying a sense of energetic anticipation for the game ahead."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_23.json b/data/huge-league/players/Fraser_Valley_United_23.json index 588496bb4288b642a241473ef29759d1be35c0ad..6261b4450175a0a3cf3f31cf1fff84d688fc37e7 100644 --- a/data/huge-league/players/Fraser_Valley_United_23.json +++ b/data/huge-league/players/Fraser_Valley_United_23.json @@ -1 +1 @@ -{"number": 23, "name": "Aiden Campbell", "age": 17, "nationality": "Canada", "shirt_number": 23, "position": "Various", "preferred_foot": "Left", "role": "Reserve/Prospect", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 72, "overall_rating": 80, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 0, "bio": "Aiden Campbell, at just 17, dazzles on the field with his agile footwork and keen eye for spotting opportunities. His left foot is lethal, capable of bending the ball around defenders with ease. Growing up in the lush landscapes of Abbotsford, he embodies the spirit of Fraser Valley United, weaving rural pride into every match. Known for his relentless determination, Aiden is a promising prospect who plays with an infectious enthusiasm that rallies his teammates."} \ No newline at end of file +{"number": 23, "name": "Aiden Campbell", "age": 17, "nationality": "Canada", "shirt_number": 23, "position": "Various", "preferred_foot": "Left", "role": "Reserve/Prospect", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 72, "overall_rating": 80, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 0, "bio": "Aiden Campbell, at just 17, dazzles on the field with his agile footwork and keen eye for spotting opportunities. His left foot is lethal, capable of bending the ball around defenders with ease. Growing up in the lush landscapes of Abbotsford, he embodies the spirit of Fraser Valley United, weaving rural pride into every match. Known for his relentless determination, Aiden is a promising prospect who plays with an infectious enthusiasm that rallies his teammates.", "profile_pic": "A 17-year-old male soccer player, Aiden Campbell, stands in a dynamic pose on the soccer pitch, exuding energy and confidence. He is 178 cm tall and weighs 72 kg, with a lean yet muscular build showcasing the athleticism of a young athlete. His facial features are youthful, with short, tousled dark hair and bright blue eyes that reflect determination and enthusiasm. Aiden\u2019s complexion is fair, with a hint of rosy cheeks that adds to his vibrant personality.\n\nHe is wearing the home kit of Fraser Valley United, featuring a sharply designed jersey predominantly in deep green with white accents and his number, 23, prominently displayed on the chest. The shorts are matching green, with white stripes along the sides, and his socks are pulled up high with a contrasting dark color. \n\nAiden's left foot is slightly raised, suggesting he is about to take a powerful shot or set up a play, embodying his skill as a forward. He wears cleats that are sleek and tailored for performance. The background captures the essence of a matchday, with blurred imagery of teammates and fans, creating a sense of motion and excitement.\n\nThe overall mood of the portrait is positive and aspirational, reflecting his strong form (7/10) and a growing reputation, paired with the absence of injury. His expression is focused yet approachable, showcasing both his competitive spirit and infectious enthusiasm."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_3.json b/data/huge-league/players/Fraser_Valley_United_3.json index d64459d506af56ddece9c607554f19e883c90934..ea2acf1de837eea37280305364b354dadcda314c 100644 --- a/data/huge-league/players/Fraser_Valley_United_3.json +++ b/data/huge-league/players/Fraser_Valley_United_3.json @@ -1 +1 @@ -{"number": 3, "name": "Dylan Tremblay", "age": 30, "nationality": "Canada", "shirt_number": 3, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Fraser Valley United", "height_cm": 185, "weight_kg": 80, "overall_rating": 84, "is_injured": false, "form": 8, "goals": 3, "assists": 1, "yellow_cards": 4, "red_cards": 0, "bio": "A resolute center back from Canada, Dylan Tremblay excels in aerial duels and displays remarkable composure under pressure. Known for his tactical awareness and leadership qualities, he embodies the spirit of Fraser Valley United, inspiring his teammates with his relentless work ethic and determination on the pitch."} \ No newline at end of file +{"number": 3, "name": "Dylan Tremblay", "age": 30, "nationality": "Canada", "shirt_number": 3, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Fraser Valley United", "height_cm": 185, "weight_kg": 80, "overall_rating": 84, "is_injured": false, "form": 8, "goals": 3, "assists": 1, "yellow_cards": 4, "red_cards": 0, "bio": "A resolute center back from Canada, Dylan Tremblay excels in aerial duels and displays remarkable composure under pressure. Known for his tactical awareness and leadership qualities, he embodies the spirit of Fraser Valley United, inspiring his teammates with his relentless work ethic and determination on the pitch.", "profile_pic": "**Image Description:**\n\nA realistic portrait of a professional soccer player, Dylan Tremblay, stands at the forefront. He is 30 years old, with a solid build reflecting his 185 cm height and 80 kg weight. His athletic physique conveys strength and resilience, indicative of a seasoned center back. \n\nDylan has a chiseled jawline, defined cheekbones, and closely cropped dark hair with a slight wave. His intense blue eyes are focused, radiating confidence and determination. A light stubble enhances his rugged appearance, adding to his mature vibe. \n\nHe wears the home kit of Fraser Valley United, a vibrant combination of deep green and white with his shirt number, 3, emblazoned across the back. The shirt fits snugly around his muscular frame, showcasing his broad shoulders and powerful arms, while the matching shorts and soccer socks complete the look. \n\nIn a dynamic pose, he stands tall with his hands on his hips, exuding leadership. The backdrop captures the essence of a matchday atmosphere, with a blurred stadium filled with fans in the distance. The lighting is bright, highlighting his features and the team colors, while his expression reflects a sense of focus and readiness, suggesting he\u2019s in peak form, with no injuries to hinder his performance."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_4.json b/data/huge-league/players/Fraser_Valley_United_4.json index 961d23358e3336e3166a20f3e9c42590acfbceb9..3a040cf503d1d32d09083a40103616a6459cce37 100644 --- a/data/huge-league/players/Fraser_Valley_United_4.json +++ b/data/huge-league/players/Fraser_Valley_United_4.json @@ -1 +1 @@ -{"number": 4, "name": "Jacob Thompson", "age": 23, "nationality": "Canada", "shirt_number": 4, "position": "Center Back", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 185, "weight_kg": 78, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 2, "yellow_cards": 5, "red_cards": 0, "bio": "A commanding presence on the pitch, Jacob Thompson excels in aerial duels and tackles, often acting as the backbone of the defense. Hailing from the scenic vineyards of Abbotsford, his leadership is evident not only in his play but also in his unwavering determination to inspire teammates. Known for his precise long passes and tactical awareness, he embodies the spirit and tenacity of Fraser Valley United."} \ No newline at end of file +{"number": 4, "name": "Jacob Thompson", "age": 23, "nationality": "Canada", "shirt_number": 4, "position": "Center Back", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 185, "weight_kg": 78, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 2, "yellow_cards": 5, "red_cards": 0, "bio": "A commanding presence on the pitch, Jacob Thompson excels in aerial duels and tackles, often acting as the backbone of the defense. Hailing from the scenic vineyards of Abbotsford, his leadership is evident not only in his play but also in his unwavering determination to inspire teammates. Known for his precise long passes and tactical awareness, he embodies the spirit and tenacity of Fraser Valley United.", "profile_pic": "A realistic portrait of Jacob Thompson, a 23-year-old Canadian soccer player standing tall at 185 cm and weighing 78 kg. He has a robust physical build, showcasing a fit athlete\u2019s physique. His facial features include a strong jawline, piercing blue eyes, and short, dark brown hair, slightly tousled, giving him a confident but approachable vibe. He wears a focused expression, embodying determination and leadership.\n\nJacob is dressed in the home kit of Fraser Valley United, which consists of a deep green jersey with white accents, featuring his shirt number 4 emblazoned on the back. The front of the jersey includes the team logo prominently displayed over the left side of his chest. He has matching shorts and socks, completed with black, sleek soccer cleats. \n\nHe stands in an athletic pose, arms crossed and slightly relaxed, projecting a sense of calm authority. The backdrop is a softly blurred stadium setting, hinting at an excited crowd, enhancing the matchday atmosphere. The lighting highlights the intensity of his gaze and the sharp lines of his strong features, capturing his essence as a commanding center back. His current form is indicated by a subtle glow of confidence, showcasing his high rating of 82 and reflecting his active participation in the game, especially given his injury-free status."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_5.json b/data/huge-league/players/Fraser_Valley_United_5.json index eeb4b5dca2ce60d1212290ed26c314048483822d..1510a8ab92bf5a5535b1a8d932b6db2466ef4acf 100644 --- a/data/huge-league/players/Fraser_Valley_United_5.json +++ b/data/huge-league/players/Fraser_Valley_United_5.json @@ -1 +1 @@ -{"number": 5, "name": "Aiden Smith", "age": 27, "nationality": "Canada", "shirt_number": 5, "position": "Right Back", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Aiden Smith is a dynamic right back known for his fierce tackling and relentless work ethic on the pitch. Hailing from the picturesque landscapes of British Columbia, he embodies both rural resilience and urban sophistication. His ability to read the game allows him to initiate counter-attacks quickly, making him a valuable asset to Fraser Valley United. Aiden's left foot delivers precise crosses, often setting up scoring opportunities for his teammates, solidifying his role as a cornerstone of the team's defense."} \ No newline at end of file +{"number": 5, "name": "Aiden Smith", "age": 27, "nationality": "Canada", "shirt_number": 5, "position": "Right Back", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Aiden Smith is a dynamic right back known for his fierce tackling and relentless work ethic on the pitch. Hailing from the picturesque landscapes of British Columbia, he embodies both rural resilience and urban sophistication. His ability to read the game allows him to initiate counter-attacks quickly, making him a valuable asset to Fraser Valley United. Aiden's left foot delivers precise crosses, often setting up scoring opportunities for his teammates, solidifying his role as a cornerstone of the team's defense.", "profile_pic": "Aiden Smith, a 27-year-old Canadian male, stands confidently in a dynamic pose, his athletic build accentuated by his 182 cm height and 78 kg weight. His face reflects determination, with strong cheekbones and a chiseled jawline, framed by short, well-groomed dark hair. He has piercing green eyes that convey a fierce yet approachable personality. \n\nWearing the Fraser Valley United team kit, the jersey is predominantly deep blue with white accents, featuring his number 5 on the back and front. His shorts are also deep blue, and he sports matching blue socks that feature a subtle design. The team's logo is displayed prominently on the left chest area, while his left foot is slightly forward, emphasizing his preferred foot.\n\nAiden's stance suggests readiness, hinting at his active role as a starter right back. His expression is one of focused confidence, radiating energy as he stands on a well-maintained soccer pitch, with the distant outline of mountains visible in the background, representing his Canadian heritage. The lighting is bright, capturing a matchday atmosphere, as he is in peak form, reflecting an overall rating of 85. His body language suggests no signs of injury, exuding a sense of pride and readiness for competition."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_6.json b/data/huge-league/players/Fraser_Valley_United_6.json index 518e42fe0f856f742dc43667ee049368ac68230b..30ea75cfc24b0b496092bd99261b6655bccde4f0 100644 --- a/data/huge-league/players/Fraser_Valley_United_6.json +++ b/data/huge-league/players/Fraser_Valley_United_6.json @@ -1 +1 @@ -{"number": 6, "name": "Logan Gagnon", "age": 31, "nationality": "Canada", "shirt_number": 6, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Starter", "team": "Fraser Valley United", "height_cm": 180, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 5, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Logan Gagnon, a stalwart defensive midfielder from Canada, combines tactical intelligence with a fierce competitive spirit. Known for his relentless work rate and precise passing, he thrives in high-pressure situations. With roots in the rugged terrains of rural British Columbia, Logan embodies the heart and tenacity of Fraser Valley United, consistently driving his teammates to excel."} \ No newline at end of file +{"number": 6, "name": "Logan Gagnon", "age": 31, "nationality": "Canada", "shirt_number": 6, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Starter", "team": "Fraser Valley United", "height_cm": 180, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 5, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Logan Gagnon, a stalwart defensive midfielder from Canada, combines tactical intelligence with a fierce competitive spirit. Known for his relentless work rate and precise passing, he thrives in high-pressure situations. With roots in the rugged terrains of rural British Columbia, Logan embodies the heart and tenacity of Fraser Valley United, consistently driving his teammates to excel.", "profile_pic": "A realistic portrait of Logan Gagnon, a 31-year-old Canadian professional soccer player, stands confidently in his team kit for Fraser Valley United. He is 180 cm tall and weighs 75 kg, showcasing a fit, athletic build typical of a defensive midfielder. \n\nLogan has short, dark hair with a touch of ruggedness to his features, reflecting his origins from rural British Columbia. His deep-set eyes convey determination and focus, embodying the competitive spirit he's known for. A faint hint of stubble adds to his masculine demeanor, suggesting a no-nonsense attitude both on and off the pitch.\n\nHe wears the Fraser Valley United home jersey, prominently featuring the team colors of blue and white. The kit is designed with a modern, streamlined fit, and his shirt number, 6, is displayed prominently on the back. His shorts and socks are coordinated to complete the uniform look.\n\nIn the image, Logan is posed in a slightly crouched position, one knee bent as if preparing for action, with his right foot forward and slightly raised\u2014suggesting readiness. His expression is focused yet friendly, hinting at a natural leader who motivates his teammates. The background is blurred to feature a stadium ambiance, adding a vibrant matchday feel. There are no signs of injury; instead, he radiates energy and confidence, indicative of his strong form and overall rating of 82."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_7.json b/data/huge-league/players/Fraser_Valley_United_7.json index a8d870796b0692b2d3fa769f8d07e68ce5357547..55bc64748aae93b45d54b242339a31b520b4388c 100644 --- a/data/huge-league/players/Fraser_Valley_United_7.json +++ b/data/huge-league/players/Fraser_Valley_United_7.json @@ -1 +1 @@ -{"number": 7, "name": "Thomas Brown", "age": 30, "nationality": "Canada", "shirt_number": 7, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 0, "bio": "Thomas Brown is a dynamic central midfielder known for his exceptional vision and precise passing. With a fierce left foot, he commands the midfield, orchestrating plays that highlight his playmaking ability. Born and raised in the heart of Vancouver, his dedication shines through in every match, where he combines grit with creativity, making him a fan favorite among the Fraser Valley United supporters."} \ No newline at end of file +{"number": 7, "name": "Thomas Brown", "age": 30, "nationality": "Canada", "shirt_number": 7, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 0, "bio": "Thomas Brown is a dynamic central midfielder known for his exceptional vision and precise passing. With a fierce left foot, he commands the midfield, orchestrating plays that highlight his playmaking ability. Born and raised in the heart of Vancouver, his dedication shines through in every match, where he combines grit with creativity, making him a fan favorite among the Fraser Valley United supporters.", "profile_pic": "A portrait of Thomas Brown, a 30-year-old Canadian male soccer player standing confidently in his Fraser Valley United team kit. He stands at 182 cm tall, weighing 75 kg, with a well-built athletic physique. His hair is short and dark, slightly tousled, and he has a friendly smile that exudes charisma and determination. His left foot is slightly forward, showcasing his preferred boot, with a focused expression that reflects his playmaking ability. \n\nHe wears the team's blue and white home jersey, prominently displaying the number 7 on his back and the team's crest over his heart. His shorts match the jersey, and he sports matching blue socks pulled up neatly. The background features a blurred stadium scene, filled with cheering fans, emphasizing the matchday atmosphere. The lighting is bright, illuminating his face and the kit vibrantly, enhancing the details of his determined gaze. He exudes an aura of confidence and readiness, showcasing that he is not currently injured and is in good form, having a rating of 85. A few subtle, sporty accessories, like a captain's armband, hint at his leadership role on the team."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_8.json b/data/huge-league/players/Fraser_Valley_United_8.json index e8b6ecb0fb56de9c6b0b355f1771c34064c0686f..2dcfd069e08bc7123734e5525e823e6e68d1e539 100644 --- a/data/huge-league/players/Fraser_Valley_United_8.json +++ b/data/huge-league/players/Fraser_Valley_United_8.json @@ -1 +1 @@ -{"number": 8, "name": "Mason Walker", "age": 21, "nationality": "Canada", "shirt_number": 8, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 0, "bio": "Mason Walker is a dynamic central midfielder known for his exceptional passing range and vision on the pitch. Hailing from the scenic landscapes of British Columbia, he blends technical skill with a relentless work ethic, making him a fan favorite. His left foot is a weapon, capable of delivering pinpoint crosses and stunning long-range strikes, while his leadership qualities inspire teammates. Walker's knack for creating chances has made him a key player for Fraser Valley United."} \ No newline at end of file +{"number": 8, "name": "Mason Walker", "age": 21, "nationality": "Canada", "shirt_number": 8, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Fraser Valley United", "height_cm": 182, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 0, "bio": "Mason Walker is a dynamic central midfielder known for his exceptional passing range and vision on the pitch. Hailing from the scenic landscapes of British Columbia, he blends technical skill with a relentless work ethic, making him a fan favorite. His left foot is a weapon, capable of delivering pinpoint crosses and stunning long-range strikes, while his leadership qualities inspire teammates. Walker's knack for creating chances has made him a key player for Fraser Valley United.", "profile_pic": "A young, athletic soccer player stands confidently in a dramatic pose, embodying the energy of a matchday. Mason Walker, a 21-year-old Canadian midfielder for Fraser Valley United, is 182 cm tall with an athletic build, weighing 75 kg. He has a chiseled jawline and facial features that reflect both determination and approachability, with deep-set, expressive brown eyes that convey his passion for the game. He has slightly tousled dark hair, giving him a relaxed, yet focused vibe. \n\nMason wears the vibrant team kit of Fraser Valley United, which features a bold red and white design, with the number 8 prominently displayed on his chest and back. The shirt fits snugly, showing off his toned physique and emphasizing his agility. The kit is complemented by matching shorts and sleek black cleats, enhancing his readiness for action.\n\nThe backdrop of the image captures an energetic stadium, with blurred fans in the stands to create a sense of atmosphere. The lighting is bright, reminiscent of a sunny matchday, highlighting the sheen on his kit and the intensity in his expression. Mason stands with one foot slightly forward, with a soccer ball at his side, ready to make a play. His relaxed smile, paired with the serious gaze of a focused athlete, reflects both his skills and his leadership qualities on the field, projecting a confident and dynamic aura."} \ No newline at end of file diff --git a/data/huge-league/players/Fraser_Valley_United_9.json b/data/huge-league/players/Fraser_Valley_United_9.json index 6c5e66d38821f1a15d6305605ebfbe203b4605fe..e915c0a0cad6d4758d663529c9ebc0b8a48a1659 100644 --- a/data/huge-league/players/Fraser_Valley_United_9.json +++ b/data/huge-league/players/Fraser_Valley_United_9.json @@ -1 +1 @@ -{"number": 9, "name": "Dylan Walker", "age": 30, "nationality": "Canada", "shirt_number": 9, "position": "Left Wing", "preferred_foot": "Right", "role": "Starter", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Dylan Walker is a dynamic left winger known for his lightning speed and precise dribbling. Hailing from the vineyards of Abbotsford, he embodies the spirit of Fraser Valley United, bringing a blend of rural charm and relentless determination to the pitch. His ability to create scoring opportunities and deliver pinpoint crosses makes him a fan favorite, while his competitive attitude inspires his teammates to elevate their game."} \ No newline at end of file +{"number": 9, "name": "Dylan Walker", "age": 30, "nationality": "Canada", "shirt_number": 9, "position": "Left Wing", "preferred_foot": "Right", "role": "Starter", "team": "Fraser Valley United", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Dylan Walker is a dynamic left winger known for his lightning speed and precise dribbling. Hailing from the vineyards of Abbotsford, he embodies the spirit of Fraser Valley United, bringing a blend of rural charm and relentless determination to the pitch. His ability to create scoring opportunities and deliver pinpoint crosses makes him a fan favorite, while his competitive attitude inspires his teammates to elevate their game.", "profile_pic": "A realistic portrait of Dylan Walker, a 30-year-old Canadian soccer player. He is 178 cm tall, athletic build weighing 75 kg. His expression conveys confidence and determination, with sharp green eyes, slightly tousled dark hair, and a hint of stubble. He wears the Fraser Valley United team kit, which features a bold blend of green and white colors, with his number 9 prominently displayed on the back. The kit is snug fitting, accentuating his muscular physique. \n\nWalker poses dynamically, slightly leaning forward as if he's ready to sprint down the pitch, embodying his role as a left winger. The background is blurred to focus on him, but hints at a vibrant stadium atmosphere, perhaps during matchday with fans in the stands. Despite being in peak form with an overall rating of 85, his demeanor reflects a fierce competitive spirit without any signs of injury. The lighting is bright and focused on him, emphasizing the intensity of the moment."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_1.json b/data/huge-league/players/Tierra_Alta_FC_1.json index e16ca4af473cb8be89c254c80488f582c98e0152..26d7fc89bda74ae96f8c7e69ea27d5e0e4b7a306 100644 --- a/data/huge-league/players/Tierra_Alta_FC_1.json +++ b/data/huge-league/players/Tierra_Alta_FC_1.json @@ -1 +1 @@ -{"number": 1, "name": "Marco Araya", "age": 17, "nationality": "Costa Rica", "shirt_number": 1, "position": "Goalkeeper", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 185, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 0, "assists": 0, "yellow_cards": 2, "red_cards": 0, "bio": "Marco Araya is a young, dynamic goalkeeper known for his lightning-fast reflexes and commanding presence in the box. Hailing from the vibrant highlands of Costa Rica, he embodies the spirit of sustainability championed by Tierra Alta FC. With an unwavering attitude and a knack for making crucial saves, Marco is determined to leave his mark on the pitch."} \ No newline at end of file +{"number": 1, "name": "Marco Araya", "age": 17, "nationality": "Costa Rica", "shirt_number": 1, "position": "Goalkeeper", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 185, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 0, "assists": 0, "yellow_cards": 2, "red_cards": 0, "bio": "Marco Araya is a young, dynamic goalkeeper known for his lightning-fast reflexes and commanding presence in the box. Hailing from the vibrant highlands of Costa Rica, he embodies the spirit of sustainability championed by Tierra Alta FC. With an unwavering attitude and a knack for making crucial saves, Marco is determined to leave his mark on the pitch.", "profile_pic": "A realistic portrait of Marco Araya, a 17-year-old professional soccer goalkeeper from Costa Rica. He stands confidently in a press photo setting, embodying the essence of a young athlete. Marco is 185 cm tall and weighs 75 kg, with an athletic build showcasing his strength and agility. \n\nHis facial features reflect his Costa Rican heritage, with warm brown skin, expressive dark eyes, and a determined expression that conveys his steadfast personality. Marco has short, wavy black hair neatly styled. He's wearing the vibrant team kit of Tierra Alta FC, featuring green and white colors with the team logo prominently displayed on his left chest, and his shirt number, 1, on the back. \n\nThe pose captures him in a dynamic stance, as if he's just made a remarkable save; his arms are slightly raised, and his feet are planted firmly on the ground. There\u2019s a sense of movement, indicative of his lightning-fast reflexes. The background suggests a matchday atmosphere with blurred team colors and stadium lights, enhancing the mood of determination and focus. His form is excellent, reflecting an impressive rating of 8, with no signs of injury, radiating confidence as a starting player."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_10.json b/data/huge-league/players/Tierra_Alta_FC_10.json index 2b55ba88fdf5d2ab8faa751f3d312f70f2e50331..6cebb73ffc290d12dc485d0e12aedf0280d6145c 100644 --- a/data/huge-league/players/Tierra_Alta_FC_10.json +++ b/data/huge-league/players/Tierra_Alta_FC_10.json @@ -1 +1 @@ -{"number": 10, "name": "Felipe Z\u00fa\u00f1iga", "age": 25, "nationality": "Costa Rica", "shirt_number": 10, "position": "Striker", "preferred_foot": "Right", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 88, "is_injured": false, "form": 8, "goals": 15, "assists": 7, "yellow_cards": 3, "red_cards": 0, "bio": "Felipe Z\u00fa\u00f1iga, a dynamic striker from Costa Rica, dazzles with his agility and clinical finishing. Known for his fierce determination and tactical acumen, he often finds the back of the net from impossible angles. With a passion rooted in the lush landscapes of San Jos\u00e9, he plays each match with a zealous spirit that resonates with Tierra Alta FC's commitment to excellence."} \ No newline at end of file +{"number": 10, "name": "Felipe Z\u00fa\u00f1iga", "age": 25, "nationality": "Costa Rica", "shirt_number": 10, "position": "Striker", "preferred_foot": "Right", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 88, "is_injured": false, "form": 8, "goals": 15, "assists": 7, "yellow_cards": 3, "red_cards": 0, "bio": "Felipe Z\u00fa\u00f1iga, a dynamic striker from Costa Rica, dazzles with his agility and clinical finishing. Known for his fierce determination and tactical acumen, he often finds the back of the net from impossible angles. With a passion rooted in the lush landscapes of San Jos\u00e9, he plays each match with a zealous spirit that resonates with Tierra Alta FC's commitment to excellence.", "profile_pic": "A dynamic portrait of a 25-year-old Costa Rican professional soccer player, Felipe Z\u00fa\u00f1iga. He stands confidently at 178 cm tall and weighs 75 kg, showcasing a lean and athletic build. His facial features include sharp cheekbones, a strong jawline, and a determined expression that reflects his fierce spirit. He has dark, slightly wavy hair styled neatly, with intense brown eyes that convey a sense of focus and passion. \n\nHe wears the Tierra Alta FC team kit: a vibrant green jersey with white accents, emblazoned with the number 10 prominently on the front and back. The jersey fits snugly, emphasizing his athletic form, while black shorts and matching green socks complete the look. His right foot is slightly forward, balanced and ready, suggesting a poised readiness to strike.\n\nThe background features a blurred soccer field with cheering fans, evoking matchday excitement. The mood of the portrait is optimistic and energizing, reflecting his excellent current form rating of 8, without signs of injury. Sunlight catches the gloss of his kit, highlighting the dedication and vitality he brings to the game."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_11.json b/data/huge-league/players/Tierra_Alta_FC_11.json index 1064ff2b6cba19a1704e3a319a4aafd7c103db63..bcb48a164fb21bde3cc640a0c7c4d380f170b0a3 100644 --- a/data/huge-league/players/Tierra_Alta_FC_11.json +++ b/data/huge-league/players/Tierra_Alta_FC_11.json @@ -1 +1 @@ -{"number": 11, "name": "Gabriel Fonseca", "age": 30, "nationality": "Costa Rica", "shirt_number": 11, "position": "Right Wing", "preferred_foot": "Right", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 22, "assists": 15, "yellow_cards": 3, "red_cards": 1, "bio": "Gabriel Fonseca, a vibrant Right Wing, dazzles crowds with his blistering pace and deft touches. Born in the lush landscapes of Costa Rica, he brings not only skill but a passionate flair to each match, embodying the spirit of Tierra Alta FC. A formidable playmaker, he is known for his deadly crosses and an unyielding determination to uplift his team, always pushing boundaries on the pitch."} \ No newline at end of file +{"number": 11, "name": "Gabriel Fonseca", "age": 30, "nationality": "Costa Rica", "shirt_number": 11, "position": "Right Wing", "preferred_foot": "Right", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 22, "assists": 15, "yellow_cards": 3, "red_cards": 1, "bio": "Gabriel Fonseca, a vibrant Right Wing, dazzles crowds with his blistering pace and deft touches. Born in the lush landscapes of Costa Rica, he brings not only skill but a passionate flair to each match, embodying the spirit of Tierra Alta FC. A formidable playmaker, he is known for his deadly crosses and an unyielding determination to uplift his team, always pushing boundaries on the pitch.", "profile_pic": "A portrait of Gabriel Fonseca, a 30-year-old Costa Rican professional soccer player, standing confidently against a blurred stadium backdrop that hints at the excitement of match day. He is in his Tierra Alta FC home kit, featuring a vibrant green and white jersey with his number 11 on the back, complemented by matching shorts and socks. The kit reflects the team's colors, adorned with a subtle logo on the chest.\n\nGabriel is 178 cm tall, with a lean but athletic build weighing 72 kg. His facial features are distinctly Costa Rican, with warm brown skin, expressive dark eyes, and a friendly, charismatic smile that conveys his vibrant personality. His hair is styled in short, slightly tousled waves, showcasing a hint of his playful spirit. \n\nHe stands in a dynamic pose, slightly turned to the right, with his right foot forward as if he's about to sprint down the wing, embodying his role as a Right Wing. His posture radiates confidence and readiness, enhanced by the relaxed yet determined expression on his face. Sunlight catches the sheen on his jersey, highlighting his focus and passion for the game. \n\nThere are no signs of injury; instead, he exudes a sense of form and excellence, reflective of his recent performance with an overall rating of 85. Behind him, the stadium is filled with fans, creating an electrifying atmosphere that complements the image of a formidable playmaker eager to uplift his team with every match."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_12.json b/data/huge-league/players/Tierra_Alta_FC_12.json index e868936808d92504290df6cea4c129078d482cc1..12f5d1d447d1b928fe00b2943c62338559568ef4 100644 --- a/data/huge-league/players/Tierra_Alta_FC_12.json +++ b/data/huge-league/players/Tierra_Alta_FC_12.json @@ -1 +1 @@ -{"number": 12, "name": "Alonso Camacho", "age": 26, "nationality": "Costa Rica", "shirt_number": 12, "position": "Goalkeeper", "preferred_foot": "Left", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 185, "weight_kg": 78, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 0, "assists": 0, "yellow_cards": 1, "red_cards": 0, "bio": "Alonso Camacho, standing tall at 185 cm, commands the goal with a blend of agility and strong presence. His left foot is legendary for precision kicking, often launching counter-attacks. Hailing from the lush landscapes of Costa Rica, he embodies resilience and dedication on the pitch, making crucial saves that ignite the crowd's spirit."} \ No newline at end of file +{"number": 12, "name": "Alonso Camacho", "age": 26, "nationality": "Costa Rica", "shirt_number": 12, "position": "Goalkeeper", "preferred_foot": "Left", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 185, "weight_kg": 78, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 0, "assists": 0, "yellow_cards": 1, "red_cards": 0, "bio": "Alonso Camacho, standing tall at 185 cm, commands the goal with a blend of agility and strong presence. His left foot is legendary for precision kicking, often launching counter-attacks. Hailing from the lush landscapes of Costa Rica, he embodies resilience and dedication on the pitch, making crucial saves that ignite the crowd's spirit.", "profile_pic": "A realistic portrait of a 26-year-old male soccer player named Alonso Camacho, standing at 185 cm tall and weighing 78 kg. He has a strong, athletic build, a light tan complexion, and is slightly muscular. His facial features include short, dark hair, sharp jawline, and a focused expression reflecting determination and confidence. He showcases a few faint freckles across his cheeks, hinting at his Costa Rican heritage.\n\nAlonso is dressed in the Tierra Alta FC team kit, featuring a vibrant green and black color scheme with the team logo prominently displayed on the chest. He wears the number 12 on his jersey, and his shirt is slightly fitted, accentuating his physique. His goalkeeper gloves are black with green accents, and he stands with one hand raised slightly as if ready to make a save.\n\nThe mood of the portrait is energetic and focused, capturing a moment of calm before the action of a match. He stands against a blurred stadium background, hinting at a lively atmosphere. His posture is confident, with a slight forward lean that conveys readiness and determination, free from any signs of injury. The overall vibe encapsulates his role as a key player on the team, poised and prepared for the game ahead."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_13.json b/data/huge-league/players/Tierra_Alta_FC_13.json index c658c1c6077dee97b92fe227e6db5629c4ba11da..d229141a641388512760abdd6684f3c5879b6579 100644 --- a/data/huge-league/players/Tierra_Alta_FC_13.json +++ b/data/huge-league/players/Tierra_Alta_FC_13.json @@ -1 +1 @@ -{"number": 13, "name": "Carlos P\u00e9rez", "age": 27, "nationality": "Costa Rica", "shirt_number": 13, "position": "Center Back", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 185, "weight_kg": 80, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 1, "assists": 2, "yellow_cards": 3, "red_cards": 0, "bio": "Carlos P\u00e9rez, a steadfast Center Back from Costa Rica, embodies resilience and tactical prowess on the pitch. Known for his towering presence and quick decision-making, he excels in intercepting passes and organizing the defense. Growing up amidst the lush landscapes of San Jos\u00e9, his commitment to sustainability mirrors that of Tierra Alta FC, making him an invaluable asset both on and off the field."} \ No newline at end of file +{"number": 13, "name": "Carlos P\u00e9rez", "age": 27, "nationality": "Costa Rica", "shirt_number": 13, "position": "Center Back", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 185, "weight_kg": 80, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 1, "assists": 2, "yellow_cards": 3, "red_cards": 0, "bio": "Carlos P\u00e9rez, a steadfast Center Back from Costa Rica, embodies resilience and tactical prowess on the pitch. Known for his towering presence and quick decision-making, he excels in intercepting passes and organizing the defense. Growing up amidst the lush landscapes of San Jos\u00e9, his commitment to sustainability mirrors that of Tierra Alta FC, making him an invaluable asset both on and off the field.", "profile_pic": "A realistic portrait of Carlos P\u00e9rez, a 27-year-old Costa Rican soccer player standing confidently in his team's kit. He is 185 cm tall, with an athletic build weighing 80 kg. His skin is a warm tan, with short, dark hair and a neatly trimmed beard, conveying determination and focus. His facial features are strong, with a slightly angular jawline and pronounced cheekbones. He exhibits a serious yet approachable expression, reflecting his resilience and tactical prowess on the pitch.\n\nHe wears the Tierra Alta FC home kit, which includes a white jersey with green accents, the team's logo prominently displayed on the left chest, and his shirt number 13 on both the back and sleeves. The shorts are matching white with green trim, and he wears black and green cleats.\n\nCarlos is posed in a slight forward lean, with a defensive stance, as if bracing to intercept a ball, showcasing his role as a Center Back. His left arm is raised slightly in a defensive position, while his right hand rests confidently on his hip. The background is blurred, hinting at a stadium filled with fans, emphasizing the high stakes of the matchday atmosphere. He is in prime form, with a positive rating of 78, and no visible injuries, projecting readiness and energy. The lighting focuses on him, casting a subtle glow that enhances his features and team colors."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_14.json b/data/huge-league/players/Tierra_Alta_FC_14.json index d6e54fb793325458c41c3a018adf0ef8aa303633..a75e059c8c82d646ba3996b0844410c532670eea 100644 --- a/data/huge-league/players/Tierra_Alta_FC_14.json +++ b/data/huge-league/players/Tierra_Alta_FC_14.json @@ -1 +1 @@ -{"number": 14, "name": "Erick Z\u00fa\u00f1iga", "age": 32, "nationality": "Costa Rica", "shirt_number": 14, "position": "Full Back", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 180, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 5, "assists": 12, "yellow_cards": 3, "red_cards": 0, "bio": "Erick Z\u00fa\u00f1iga, the agile full back from Costa Rica, is known for his relentless stamina and exceptional crossing ability. With a blend of tactical intelligence and true passion for football, he fearlessly engages in both defensive duties and offensive support, making him a vital player on the pitch. His roots in the lush landscapes of San Jos\u00e9 deeply influence his playing style, embodying the spirit of Tierra Alta FC."} \ No newline at end of file +{"number": 14, "name": "Erick Z\u00fa\u00f1iga", "age": 32, "nationality": "Costa Rica", "shirt_number": 14, "position": "Full Back", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 180, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 5, "assists": 12, "yellow_cards": 3, "red_cards": 0, "bio": "Erick Z\u00fa\u00f1iga, the agile full back from Costa Rica, is known for his relentless stamina and exceptional crossing ability. With a blend of tactical intelligence and true passion for football, he fearlessly engages in both defensive duties and offensive support, making him a vital player on the pitch. His roots in the lush landscapes of San Jos\u00e9 deeply influence his playing style, embodying the spirit of Tierra Alta FC.", "profile_pic": "A realistic portrait of Erick Z\u00fa\u00f1iga in a professional soccer setting. He stands confidently at 180 cm tall and weighs 75 kg, conveying a fit athletic build. His facial features include a balanced blend of Costa Rican heritage, with an amiable yet determined expression that reflects his age of 32. He has short, slightly wavy black hair, a hint of stubble on his face, and warm brown eyes that convey a passion for the game.\n\nErick wears the Tierra Alta FC team kit, which consists of a vibrant green jersey adorned with white accents. The shirt, featuring his number 14 on the back and front, fits snugly, emphasizing his athletic physique. He has black shorts and green socks, with black cleats on his feet. The kit is complemented by the team\u2019s crest on his left chest, symbolizing his commitment to the club.\n\nThe pose captures Erick in a relaxed yet assertive stance, with one hand resting on his hip and the other slightly raised, as if he\u2019s ready to engage with either teammates or fans. The background showcases a stadium filled with cheering fans, creating an atmosphere of optimism and energy. His expression is focused and confident, indicative of his strong form rating of 7 and optimism from a productive season, despite the absence of any injury. The overall mood conveys readiness and enthusiasm for the game, embodying the spirit of both the player and his team."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_15.json b/data/huge-league/players/Tierra_Alta_FC_15.json index 2f92f55142d7d784d836a964e374057a7d9300d2..762ee35710968840b277387264893f4f6b67d26c 100644 --- a/data/huge-league/players/Tierra_Alta_FC_15.json +++ b/data/huge-league/players/Tierra_Alta_FC_15.json @@ -1 +1 @@ -{"number": 15, "name": "Cristian Salazar", "age": 22, "nationality": "Costa Rica", "shirt_number": 15, "position": "Defensive Mid", "preferred_foot": "Left", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Cristian Salazar thrives in the heart of the midfield, known for his pinpoint tackles and relentless drive. With a keen soccer IQ and an attacking mindset, he effortlessly transitions from defense to support, showcasing his left foot's prowess in set pieces. Hailing from the lush landscapes of Costa Rica, he embodies the spirit of sustainability, reflecting Tierra Alta FC\u2019s commitment to preservation both on and off the pitch."} \ No newline at end of file +{"number": 15, "name": "Cristian Salazar", "age": 22, "nationality": "Costa Rica", "shirt_number": 15, "position": "Defensive Mid", "preferred_foot": "Left", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Cristian Salazar thrives in the heart of the midfield, known for his pinpoint tackles and relentless drive. With a keen soccer IQ and an attacking mindset, he effortlessly transitions from defense to support, showcasing his left foot's prowess in set pieces. Hailing from the lush landscapes of Costa Rica, he embodies the spirit of sustainability, reflecting Tierra Alta FC\u2019s commitment to preservation both on and off the pitch.", "profile_pic": "A realistic portrait of Cristian Salazar, a 22-year-old Costa Rican soccer player, standing confidently in his team's kit for Tierra Alta FC. He is 178 cm tall and weighs 70 kg, with an athletic build reflecting his active lifestyle. His facial features include a youthful, determined expression, complemented by dark, tousled hair and warm brown eyes that radiate passion for the game.\n\nCristian is wearing the team's home jersey, prominently featuring the vibrant green and yellow colors of Tierra Alta FC, with his shirt number 15 on the back. The kit design includes eco-friendly fabric elements, symbolizing his connection to sustainability. He is in a relaxed pose, arms crossed and leaning slightly forward, exuding a sense of poise and focus, indicative of his current good form (rating of 7). With no visible signs of injury, his demeanor is confident and ready for action.\n\nThe background features a blurred stadium scene, emphasizing the atmosphere of a matchday. Cristian's expression is one of determination, with a hint of a smile, showcasing both professionalism and approachability. Natural light illuminates him, highlighting the intricate details of his kit and the intensity in his eyes, capturing the essence of a committed player ready to make an impact on the field."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_16.json b/data/huge-league/players/Tierra_Alta_FC_16.json index 6ce2e3f619dba1f003a60f617cb52a78136fd070..d69014f40213960ccb4eeac4ff3ff84a93f76f0a 100644 --- a/data/huge-league/players/Tierra_Alta_FC_16.json +++ b/data/huge-league/players/Tierra_Alta_FC_16.json @@ -1 +1 @@ -{"number": 16, "name": "Daniel Araya", "age": 24, "nationality": "Costa Rica", "shirt_number": 16, "position": "Central Mid", "preferred_foot": "Left", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 76, "is_injured": false, "form": 7, "goals": 5, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Daniel Araya is a tenacious midfielder known for his exceptional vision and playmaking ability. Originating from the vibrant landscapes of Costa Rica, he combines a fierce competitive spirit with an artistic flair on the ball, often leaving defenders in his wake with his signature left-footed passes. His relentless work ethic and tactical intelligence make him a vital asset for Tierra Alta FC, inspiring his teammates with every match."} \ No newline at end of file +{"number": 16, "name": "Daniel Araya", "age": 24, "nationality": "Costa Rica", "shirt_number": 16, "position": "Central Mid", "preferred_foot": "Left", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 76, "is_injured": false, "form": 7, "goals": 5, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Daniel Araya is a tenacious midfielder known for his exceptional vision and playmaking ability. Originating from the vibrant landscapes of Costa Rica, he combines a fierce competitive spirit with an artistic flair on the ball, often leaving defenders in his wake with his signature left-footed passes. His relentless work ethic and tactical intelligence make him a vital asset for Tierra Alta FC, inspiring his teammates with every match.", "profile_pic": "A realistic portrait of Daniel Araya, a 24-year-old Costa Rican professional soccer player. He stands confidently, showcasing a height of 178 cm and weighing 72 kg, with a toned, athletic build that reflects his intense training and competitive spirit. His facial features display sharp cheekbones, warm, expressive brown eyes, and wavy black hair, giving him a youthful and focused vibe. Daniel wears the Tierra Alta FC team kit, featuring vibrant colors of green and white, with his shirt number, 16, prominently displayed on the back. The kit fits snugly, emphasizing his muscular physique while allowing for freedom of movement.\n\nHe is posed with one foot slightly forward, a subtle grin hinting at his artistic flair and playmaking prowess, while his left foot is slightly raised, as if poised to make a decisive pass. The background suggests a lively stadium atmosphere with fans in the stands, capturing the energy of match day. The expression on his face reflects determination and confidence, illustrating a player in good form, with a recent performance rating of 7. His posture conveys readiness, devoid of any hint of injury. The image encapsulates a moment that inspires hope and enthusiasm, making him not just a player, but a role model for his teammates."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_17.json b/data/huge-league/players/Tierra_Alta_FC_17.json index 7b39d45005e7f4051be333a7157c3c748bf1ded0..7e0409fa9e1e55d96c90479e2c7003341c4623b6 100644 --- a/data/huge-league/players/Tierra_Alta_FC_17.json +++ b/data/huge-league/players/Tierra_Alta_FC_17.json @@ -1 +1 @@ -{"number": 17, "name": "Carlos Solano", "age": 29, "nationality": "Costa Rica", "shirt_number": 17, "position": "Attacking Mid", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 175, "weight_kg": 70, "overall_rating": 84, "is_injured": false, "form": 7, "goals": 12, "assists": 18, "yellow_cards": 5, "red_cards": 1, "bio": "Carlos Solano, a 29-year-old attacking midfielder from Costa Rica, dazzles on the field with his quick dribbling and pinpoint passes. Known for his tactical intelligence and relentless energy, he often orchestrates plays that leave the opposition guessing. A fan favorite at Tierra Alta FC, his passion for sustainability reflects both in his game and outside, making him a symbol of the team's green values."} \ No newline at end of file +{"number": 17, "name": "Carlos Solano", "age": 29, "nationality": "Costa Rica", "shirt_number": 17, "position": "Attacking Mid", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 175, "weight_kg": 70, "overall_rating": 84, "is_injured": false, "form": 7, "goals": 12, "assists": 18, "yellow_cards": 5, "red_cards": 1, "bio": "Carlos Solano, a 29-year-old attacking midfielder from Costa Rica, dazzles on the field with his quick dribbling and pinpoint passes. Known for his tactical intelligence and relentless energy, he often orchestrates plays that leave the opposition guessing. A fan favorite at Tierra Alta FC, his passion for sustainability reflects both in his game and outside, making him a symbol of the team's green values.", "profile_pic": "Create a portrait of Carlos Solano, a 29-year-old Costa Rican attacking midfielder for Tierra Alta FC. He stands confidently at 175 cm tall and weighing 70 kg, showcasing a fit and athletic build. His facial features include a warm smile, deep brown eyes, and a slightly tanned complexion, framed by short, wavy black hair. His expression conveys determination and charisma, capturing his vibrant personality.\n\nCarlos is dressed in the Tierra Alta FC team kit, featuring a green and white shirt with the number 17 clearly visible on the back. The shorts are green, and he wears matching green socks with white stripes. The kit also includes the club logo on the chest, symbolizing his strong connection to the team's values, especially sustainability.\n\nHe is posed in a dynamic stance, perhaps with one foot slightly forward, exuding energy and readiness, reflecting his current good form rating of 7. There's a slight shine of sweat on his brow, indicating his recent involvement in training or a match, while his absence of injuries adds to a sense of vigor and resilience.\n\nThe background is a blurred impression of a soccer field, with hints of goalposts and cheering fans, emphasizing his role as a fan favorite. The lighting is bright and energetic to highlight his vitality and passion for the game, creating an overall atmosphere of excitement and professionalism."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_18.json b/data/huge-league/players/Tierra_Alta_FC_18.json index 3bde4b76669b178f963599a66e386086f04e2bcf..ac1808a24e9f7fb650fbc6d1dd43fd012301a57d 100644 --- a/data/huge-league/players/Tierra_Alta_FC_18.json +++ b/data/huge-league/players/Tierra_Alta_FC_18.json @@ -1 +1 @@ -{"number": 18, "name": "Leonardo Salazar", "age": 25, "nationality": "Costa Rica", "shirt_number": 18, "position": "Forward/Winger", "preferred_foot": "Left", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 12, "assists": 7, "yellow_cards": 3, "red_cards": 0, "bio": "Leonardo Salazar is a dynamic forward known for his electrifying speed and deft left foot. Hailing from the picturesque cloud forests of Costa Rica, he possesses an innate ability to read the game and make crucial plays in high-pressure situations. With a relentless work ethic and a knack for finding the back of the net, he has become a fan favorite at Tierra Alta FC."} \ No newline at end of file +{"number": 18, "name": "Leonardo Salazar", "age": 25, "nationality": "Costa Rica", "shirt_number": 18, "position": "Forward/Winger", "preferred_foot": "Left", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 12, "assists": 7, "yellow_cards": 3, "red_cards": 0, "bio": "Leonardo Salazar is a dynamic forward known for his electrifying speed and deft left foot. Hailing from the picturesque cloud forests of Costa Rica, he possesses an innate ability to read the game and make crucial plays in high-pressure situations. With a relentless work ethic and a knack for finding the back of the net, he has become a fan favorite at Tierra Alta FC.", "profile_pic": "A realistic portrait of **Leonardo Salazar**, a 25-year-old **Costa Rican** soccer player. He stands at **178 cm** tall and weighs **75 kg**, showcasing a well-built, athletic physique that reflects his dynamic playing style. His facial features include a bright smile, sharp cheekbones, and expressive brown eyes, exuding confidence and vitality. His dark hair is slightly tousled, giving him a relaxed yet approachable vibe. \n\nHe is wearing the **Tierra Alta FC** home kit, which consists of a vibrant green jersey with his shirt number, **18**, prominently displayed on the back. The kit features white accents on the sleeves and collar, with the team's emblem displayed over his heart. \n\nPositioned in a confident stance, he has one foot slightly forward, showcasing his readiness to spring into action. The background is a blurred stadium setting, hinting at a matchday atmosphere, with fans in the stands. Leonardo's expression captures a blend of determination and enthusiasm, reflecting his strong form (rated **8**) and recent performance, highlighting his status as a key player. He is not injured, emphasizing his readiness and commitment to the game."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_19.json b/data/huge-league/players/Tierra_Alta_FC_19.json index f8c20fec9534b4d89169b7fee0110db3d5d5c643..8d94ed9368895f1ae1cd620b97c9f6f2b7d1e540 100644 --- a/data/huge-league/players/Tierra_Alta_FC_19.json +++ b/data/huge-league/players/Tierra_Alta_FC_19.json @@ -1 +1 @@ -{"number": 19, "name": "Sebasti\u00e1n Mora", "age": 29, "nationality": "Costa Rica", "shirt_number": 19, "position": "Striker", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Sebasti\u00e1n Mora is known for his lightning-fast pace and clinical finishing. With roots in the lush landscapes of Costa Rica, he plays with a fiery passion that ignites the crowd. A versatile striker, he thrives in tight spaces, often beating defenders with his agile footwork and keen tactical awareness."} \ No newline at end of file +{"number": 19, "name": "Sebasti\u00e1n Mora", "age": 29, "nationality": "Costa Rica", "shirt_number": 19, "position": "Striker", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Sebasti\u00e1n Mora is known for his lightning-fast pace and clinical finishing. With roots in the lush landscapes of Costa Rica, he plays with a fiery passion that ignites the crowd. A versatile striker, he thrives in tight spaces, often beating defenders with his agile footwork and keen tactical awareness.", "profile_pic": "A professional portrait of Sebasti\u00e1n Mora, a 29-year-old Costa Rican soccer player. He stands confidently, showcasing his athletic build at 182 cm tall and weighing 78 kg. His right foot is slightly forward, suggesting readiness and agility. He wears the Tierra Alta FC home kit, featuring bold colors of deep green and white, with the number 19 emblazoned on the back. \n\nHis facial features include a strong jawline, tanned skin, and expressive dark brown eyes that reflect determination and passion. His dark hair is neatly styled, emphasizing his focus and dedication. There are subtle hints of a competitive spirit in his posture, with a slight smile revealing his confident personality, embodying the vivacity of his Costa Rican roots.\n\nThe background is a blurred soccer stadium, hinting at an electrifying matchday atmosphere, capturing the energy of the fans. The lighting is bright, casting a warm glow across him, perfectly highlighting his robust physique and the details of the kit. The overall mood is optimistic and spirited, reflecting his solid form rating of 7, with no injuries present to dampen his enthusiasm."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_2.json b/data/huge-league/players/Tierra_Alta_FC_2.json index ee68c9180fb40bf1fd464a2e001d142bd64e0982..1affdc141db93645af6dd5458af55b9c9a8ba16e 100644 --- a/data/huge-league/players/Tierra_Alta_FC_2.json +++ b/data/huge-league/players/Tierra_Alta_FC_2.json @@ -1 +1 @@ -{"number": 2, "name": "Jos\u00e9 Chac\u00f3n", "age": 22, "nationality": "Costa Rica", "shirt_number": 2, "position": "Left Back", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "A dynamic Left Back known for his tenacity and impeccable tackling, Jos\u00e9 Chac\u00f3n embodies the spirit of Tierra Alta FC. With roots in the lush highlands of Costa Rica, his commitment to sustainability mirrors the club's ethos. Possessing an eye for connecting plays, he often surges forward to assist, making him a vital player in the transition from defense to attack."} \ No newline at end of file +{"number": 2, "name": "Jos\u00e9 Chac\u00f3n", "age": 22, "nationality": "Costa Rica", "shirt_number": 2, "position": "Left Back", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "A dynamic Left Back known for his tenacity and impeccable tackling, Jos\u00e9 Chac\u00f3n embodies the spirit of Tierra Alta FC. With roots in the lush highlands of Costa Rica, his commitment to sustainability mirrors the club's ethos. Possessing an eye for connecting plays, he often surges forward to assist, making him a vital player in the transition from defense to attack.", "profile_pic": "A realistic portrait of a 22-year-old male soccer player named Jos\u00e9 Chac\u00f3n, standing confidently in a Tierra Alta FC team kit. He is 178 cm tall, with a lean and athletic build weighing 72 kg. His dark brown hair is styled in a short, tidy cut, and he has warm brown eyes that exude determination and energy. His facial features are sharp, with high cheekbones and a strong jawline, showcasing a slight smile that hints at his approachable personality. \n\nHe is wearing the team's home kit, which consists of a vibrant green jersey with gold accents, featuring the number \"2\" prominently on the back. The kit is completed with matching shorts and socks, along with black cleats that sit firmly on a grassy pitch. The background captures a sunny stadium atmosphere, with blurred fans in the stands, adding to the excitement of a matchday. \n\nJos\u00e9 adopts a dynamic pose, slightly leaning forward with his left foot planted firmly on the ground, his left arm raised confidently, showcasing a vibrant energy, reflecting his strong form rating of 7. There are no visible signs of injury, and his stance conveys readiness and enthusiasm for the game ahead. Overall, the image radiates a spirit of tenacity and teamwork, embodying Jos\u00e9's role as a vital starter for his team."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_20.json b/data/huge-league/players/Tierra_Alta_FC_20.json index d3fd0a2849e3a2610fb5e370715b9f1dfe41e158..a88ad6939a32d754488b4f32de4be519caebf99b 100644 --- a/data/huge-league/players/Tierra_Alta_FC_20.json +++ b/data/huge-league/players/Tierra_Alta_FC_20.json @@ -1 +1 @@ -{"number": 20, "name": "Sebasti\u00e1n Alvarado", "age": 27, "nationality": "Costa Rica", "shirt_number": 20, "position": "Left Wing", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 0, "bio": "Sebasti\u00e1n Alvarado is a dynamic left winger known for his explosive speed and precise crossing ability. Hailing from Costa Rica, he embodies a spirited determination and flair on the pitch. With a keen eye for goal and a tenacious work ethic, he's a vital asset to Tierra Alta FC, thrilling fans with his creativity and relentless pursuit of victory."} \ No newline at end of file +{"number": 20, "name": "Sebasti\u00e1n Alvarado", "age": 27, "nationality": "Costa Rica", "shirt_number": 20, "position": "Left Wing", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 0, "bio": "Sebasti\u00e1n Alvarado is a dynamic left winger known for his explosive speed and precise crossing ability. Hailing from Costa Rica, he embodies a spirited determination and flair on the pitch. With a keen eye for goal and a tenacious work ethic, he's a vital asset to Tierra Alta FC, thrilling fans with his creativity and relentless pursuit of victory.", "profile_pic": "A realistic portrait of Sebasti\u00e1n Alvarado, a 27-year-old Costa Rican professional soccer player. He stands confidently at 178 cm tall and weighing 72 kg, showcasing an athletic build typical of a left winger. His facial features include dark hair styled in a modern cut, expressive brown eyes that exude determination, and a warm smile that reflects his spirited personality. Dressed in his Tierra Alta FC home kit, which consists of a vibrant green jersey adorned with the team's logo, white shorts, and green and white socks, he also sports the number 20 on his back. His right foot is slightly forward, suggesting readiness, as he strikes a dynamic pose typical of a press photo, embodying his explosive speed and creativity on the field. The background is a blurred stadium with cheering fans, capturing the electrifying atmosphere of a matchday. His focused expression highlights his current good form, reflected in a rating of 85, while the absence of any injury gives him an air of vitality and vibrancy."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_21.json b/data/huge-league/players/Tierra_Alta_FC_21.json index a89a27f2ccbff7a277f28a38dbf213c5f4f3d715..8744fa900ee7c8d41cae6c196f6c9101e8a70f56 100644 --- a/data/huge-league/players/Tierra_Alta_FC_21.json +++ b/data/huge-league/players/Tierra_Alta_FC_21.json @@ -1 +1 @@ -{"number": 21, "name": "Rafael Cordero", "age": 24, "nationality": "Costa Rica", "shirt_number": 21, "position": "Right Wing", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Rafael Cordero, the dynamic right winger from Costa Rica, is known for his lightning-fast pace and precise crosses. With an unyielding spirit and a contagious enthusiasm, he constantly challenges defenders, embodying the tactical intelligence of Tierra Alta FC. His playful flair and deep roots in the lush landscapes of San Jos\u00e9 enhance his on-field creativity."} \ No newline at end of file +{"number": 21, "name": "Rafael Cordero", "age": 24, "nationality": "Costa Rica", "shirt_number": 21, "position": "Right Wing", "preferred_foot": "Right", "role": "Bench", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Rafael Cordero, the dynamic right winger from Costa Rica, is known for his lightning-fast pace and precise crosses. With an unyielding spirit and a contagious enthusiasm, he constantly challenges defenders, embodying the tactical intelligence of Tierra Alta FC. His playful flair and deep roots in the lush landscapes of San Jos\u00e9 enhance his on-field creativity.", "profile_pic": "A realistic portrait of Rafael Cordero, a 24-year-old professional soccer player from Costa Rica. He stands at 178 cm tall and weighs 75 kg, showcasing an athletic build indicative of a right winger. Rafael has short, dark hair styled neatly, with a confident smile that reflects his playful flair and contagious enthusiasm. His skin has a warm, sun-kissed tone, typical of a Costa Rican athlete.\n\nHe is wearing the official Tierra Alta FC team kit, which features vibrant colors of green and yellow, complemented by the number 21 prominently displayed on his jersey. The kit is emblazoned with the team's logo on the left chest. Rafael's right foot is slightly forward, hinting at his preferred playing style, while he stands on a well-manicured soccer pitch, suggesting readiness for action.\n\nThe image captures him in a moment of focus and determination, with a bright blue sky overhead, conveying his positive form as indicated by a rating of 82. There are no signs of injury, and his posture reflects a blend of energy and tactical intelligence. The background features blurred outlines of a cheering crowd, enhancing the atmosphere of a matchday press photo. His expression embodies confidence and a team-oriented spirit, promising excitement for fans and opponents alike."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_22.json b/data/huge-league/players/Tierra_Alta_FC_22.json index 0e78fd50fad39ca48c662fb5b371da4e860b920e..f10a26e6253a8d49f7d8406dd210883331ca8ed1 100644 --- a/data/huge-league/players/Tierra_Alta_FC_22.json +++ b/data/huge-league/players/Tierra_Alta_FC_22.json @@ -1 +1 @@ -{"number": 22, "name": "Andr\u00e9s Z\u00fa\u00f1iga", "age": 29, "nationality": "Costa Rica", "shirt_number": 22, "position": "Various", "preferred_foot": "Left", "role": "Reserve/Prospect", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 83, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Andr\u00e9s Z\u00fa\u00f1iga is a dynamic player known for his dazzling footwork and strategic vision on the field. A product of Costa Rica's rich soccer culture, he plays primarily on the left flank, where his preferred foot allows him to deliver precise crosses and create scoring opportunities. Renowned for his relentless work ethic and positive attitude, Z\u00fa\u00f1iga inspires his teammates, often leading by example both on and off the pitch."} \ No newline at end of file +{"number": 22, "name": "Andr\u00e9s Z\u00fa\u00f1iga", "age": 29, "nationality": "Costa Rica", "shirt_number": 22, "position": "Various", "preferred_foot": "Left", "role": "Reserve/Prospect", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 83, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Andr\u00e9s Z\u00fa\u00f1iga is a dynamic player known for his dazzling footwork and strategic vision on the field. A product of Costa Rica's rich soccer culture, he plays primarily on the left flank, where his preferred foot allows him to deliver precise crosses and create scoring opportunities. Renowned for his relentless work ethic and positive attitude, Z\u00fa\u00f1iga inspires his teammates, often leading by example both on and off the pitch.", "profile_pic": "A striking press photo of Andr\u00e9s Z\u00fa\u00f1iga, a dynamic 29-year-old soccer player from Costa Rica, stands confidently in his team kit for Tierra Alta FC. He is 178 cm tall and weighs 75 kg, giving him an athletic build. Z\u00fa\u00f1iga has short, dark hair and a well-groomed beard, with his warm, expressive brown eyes reflecting passion and determination. His slightly tanned skin conveys a sense of vitality, accentuated by a friendly smile that hints at his positive attitude.\n\nHe wears the team's home jersey, predominantly in bright green with white accents, showcasing the number 22 prominently on his chest and back. His shorts are green, matching the jersey, while his cleats are a vibrant shade of blue, adding a pop of color. In this portrait, he stands in a relaxed pose with his left foot slightly forward, arms crossed confidently at his chest, embodying leadership as a reserve/prospect.\n\nThe background features a blurred soccer field and fans, capturing the buzz of matchday. Z\u00fa\u00f1iga's posture and expression reflect his high form, rating of 83, and a clear indication that he is not injured, ready to contribute to his team's success. The overall mood is vibrant and energetic, highlighting his role as an inspiration on and off the pitch."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_23.json b/data/huge-league/players/Tierra_Alta_FC_23.json index 5f2e03c7fc3b91aaedbcd9d0d41993bd4d556d94..0e1dcf5d2d93e766e340ca6638b0f70adcff6bef 100644 --- a/data/huge-league/players/Tierra_Alta_FC_23.json +++ b/data/huge-league/players/Tierra_Alta_FC_23.json @@ -1 +1 @@ -{"number": 23, "name": "Gabriel Chac\u00f3n", "age": 25, "nationality": "Costa Rica", "shirt_number": 23, "position": "Various", "preferred_foot": "Right", "role": "Reserve/Prospect", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Gabriel Chac\u00f3n, with his deft footwork and tactical awareness, mesmerizes fans with a style that seamlessly blends creativity and precision. Emerging from the lush landscapes of Costa Rica, he embodies the spirit of Tierra Alta FC, often making crucial plays that ignite the team\u2019s momentum. His resilience and determination make him a rising star, as he strives to etch his name in the hearts of supporters."} \ No newline at end of file +{"number": 23, "name": "Gabriel Chac\u00f3n", "age": 25, "nationality": "Costa Rica", "shirt_number": 23, "position": "Various", "preferred_foot": "Right", "role": "Reserve/Prospect", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Gabriel Chac\u00f3n, with his deft footwork and tactical awareness, mesmerizes fans with a style that seamlessly blends creativity and precision. Emerging from the lush landscapes of Costa Rica, he embodies the spirit of Tierra Alta FC, often making crucial plays that ignite the team\u2019s momentum. His resilience and determination make him a rising star, as he strives to etch his name in the hearts of supporters.", "profile_pic": "The portrait features Gabriel Chac\u00f3n, a 25-year-old Costa Rican professional soccer player, standing confidently in the team's colors. He has a well-built athletic physique, standing at 178 cm tall and weighing 75 kg. His dark, expressive eyes reflect determination and passion, framed by slightly tousled dark hair, indicative of a lively personality. \n\nGabriel is wearing the Tierra Alta FC kit, which consists of a vibrant green jersey with white accents and the team's crest prominently displayed on the chest. His shirt number, 23, is visibly printed on the back, completing the ensemble with matching shorts and socks. \n\nIn this image, he's posed in a dynamic stance, slightly leaning forward with his right foot raised, showcasing his preferred foot. His expression exudes confidence and readiness, hinting at his strong form with a rating of 82. The background is a blurred stadium scene, capturing the excitement of match day, and the atmosphere is electric, reflecting the anticipation of the supporters. Gabriel\u2019s posture and focus suggest a player who is in form and eager to make an impact on the pitch, embodying resilience and the spirit of the game."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_3.json b/data/huge-league/players/Tierra_Alta_FC_3.json index f3d126fd8bfc9952291b7cc40e16c62392d453f7..5055e0c582913de42cfa5e331e0f5d9fe44de59e 100644 --- a/data/huge-league/players/Tierra_Alta_FC_3.json +++ b/data/huge-league/players/Tierra_Alta_FC_3.json @@ -1 +1 @@ -{"number": 3, "name": "David Alvarado", "age": 24, "nationality": "Costa Rica", "shirt_number": 3, "position": "Center Back", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 182, "weight_kg": 76, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "David Alvarado, a commanding presence on the pitch, is known for his robust tackling and strategic positional play. Hailing from the vibrant streets of San Jos\u00e9, his left-footed clearances and aerial prowess make him a cornerstone of Tierra Alta FC's defense. A passionate advocate for environmental sustainability, he embodies the team\u2019s ethos both on and off the field."} \ No newline at end of file +{"number": 3, "name": "David Alvarado", "age": 24, "nationality": "Costa Rica", "shirt_number": 3, "position": "Center Back", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 182, "weight_kg": 76, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "David Alvarado, a commanding presence on the pitch, is known for his robust tackling and strategic positional play. Hailing from the vibrant streets of San Jos\u00e9, his left-footed clearances and aerial prowess make him a cornerstone of Tierra Alta FC's defense. A passionate advocate for environmental sustainability, he embodies the team\u2019s ethos both on and off the field.", "profile_pic": "A realistic portrait of a 24-year-old Costa Rican male soccer player, David Alvarado, standing confidently in a press photo or matchday portrait. He is 182 cm tall and weighs 76 kg, presenting a fit and athletic build. His facial features include strong cheekbones, a defined jawline, and a warm, inviting smile, reflecting a friendly yet determined personality. He has short, dark hair styled neatly, and his brown eyes convey intensity and focus, encapsulating his role as a commanding center back.\n\nDavid is dressed in the Tierra Alta FC team kit, which consists of a vibrant green jersey with white accents, displaying the number 3 prominently on the back and front. He wears matching green shorts and white socks, along with black cleats. \n\nThe background is a blurred soccer stadium filled with fans, creating a vibrant atmosphere. David stands in a relaxed yet confident pose, slightly leaning forward with arms crossed in front of him, exuding confidence and readiness for the season. The mood is positive and optimistic, highlighting his excellent form (8/10) with a hint of excitement for the ongoing matches. The image conveys his commitment to both soccer and environmental advocacy, seamlessly merging his athletic prowess and personal values."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_4.json b/data/huge-league/players/Tierra_Alta_FC_4.json index 4a0bd2d677e4258912e9be3de85d0be3ef20619f..f177a9de59f4f63d8e68473fb89309b70725f890 100644 --- a/data/huge-league/players/Tierra_Alta_FC_4.json +++ b/data/huge-league/players/Tierra_Alta_FC_4.json @@ -1 +1 @@ -{"number": 4, "name": "Marco Salazar", "age": 21, "nationality": "Costa Rica", "shirt_number": 4, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 182, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Marco Salazar, a towering presence in defense, excels at intercepting passes and launching counter-attacks with pinpoint accuracy. Born in the heart of Costa Rica, his fierce competitiveness and tactical intelligence make him a cornerstone for Tierra Alta FC, embodying the team's sustainable spirit and ambition."} \ No newline at end of file +{"number": 4, "name": "Marco Salazar", "age": 21, "nationality": "Costa Rica", "shirt_number": 4, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 182, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Marco Salazar, a towering presence in defense, excels at intercepting passes and launching counter-attacks with pinpoint accuracy. Born in the heart of Costa Rica, his fierce competitiveness and tactical intelligence make him a cornerstone for Tierra Alta FC, embodying the team's sustainable spirit and ambition.", "profile_pic": "A realistic portrait of Marco Salazar, a 21-year-old Costa Rican professional soccer player for Tierra Alta FC, wearing a tightly-fitted team kit in vibrant colors. He stands confidently, displaying his solid 182 cm height and athletic build of 75 kg. His striking facial features include high cheekbones, a strong jawline, and short, slightly tousled dark hair. His expression is focused yet approachable, hinting at his fierce competitiveness and tactical intelligence.\n\nThe team kit features the number 4 prominently on his chest, with a crest on the left side representing Tierra Alta FC. The shorts match the jersey, showcasing the team's dynamic colors. In the background, a blurred stadium environment emphasizes the matchday vibe, with fans in the stands and stadium lights brightening the scene. Marco stands with his arms crossed, exuding confidence, showcasing a mood of determination and readiness for the match, reflecting his top form rating of 8 and absence of injury."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_5.json b/data/huge-league/players/Tierra_Alta_FC_5.json index 2081f542e6e7403a041fe751e5fd640acaaec0bd..7f9c806cf9dbd989f5f9366d3340f1096da5fd06 100644 --- a/data/huge-league/players/Tierra_Alta_FC_5.json +++ b/data/huge-league/players/Tierra_Alta_FC_5.json @@ -1 +1 @@ -{"number": 5, "name": "Ricardo Cordero", "age": 19, "nationality": "Costa Rica", "shirt_number": 5, "position": "Right Back", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 2, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Ricardo Cordero, the dynamic Right Back for Tierra Alta FC, showcases explosive pace and relentless energy on the field. Hailing from the lush terrains of Costa Rica, he combines an aggressive defensive style with precise crossing ability, making him a dual threat. Known for his determination and tactical awareness, Cordero's tenacity and vibrant presence inspire his teammates, helping them thrive in both domestic and international competitions."} \ No newline at end of file +{"number": 5, "name": "Ricardo Cordero", "age": 19, "nationality": "Costa Rica", "shirt_number": 5, "position": "Right Back", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 2, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Ricardo Cordero, the dynamic Right Back for Tierra Alta FC, showcases explosive pace and relentless energy on the field. Hailing from the lush terrains of Costa Rica, he combines an aggressive defensive style with precise crossing ability, making him a dual threat. Known for his determination and tactical awareness, Cordero's tenacity and vibrant presence inspire his teammates, helping them thrive in both domestic and international competitions.", "profile_pic": "A realistic portrait of a young male soccer player, Ricardo Cordero, age 19, standing confidently in a professional studio setting. He has a height of 178 cm and a weight of 75 kg, showcasing a fit and athletic build. His skin tone is a warm, sun-kissed tan, indicative of his Costa Rican nationality. He has dark, short hair styled in a modern cut and expressive brown eyes that exude determination.\n\nRicardo wears the Tierra Alta FC team kit, prominently featuring the colors green and white, with number 5 on his jersey. The kit is designed with a sleek, contemporary look, emphasizing his role as a right-back. His left foot is slightly forward, showcasing a dynamic pose that communicates energy and readiness for action.\n\nThe background is a subtle gradient, enhancing the focus on him and giving a professional, polished appearance. Ricardo's expression is one of fierce concentration and confidence, reflecting his current form rating of 7, as well as his inspiration to his teammates. He stands tall, embodying the spirit of a young athlete poised for success, free from injury."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_6.json b/data/huge-league/players/Tierra_Alta_FC_6.json index 4f5241e11175fc251bdb70d0a4503d1a23ae4f62..406694c5c11eda7ae614ab1f75b9c054ff2611ca 100644 --- a/data/huge-league/players/Tierra_Alta_FC_6.json +++ b/data/huge-league/players/Tierra_Alta_FC_6.json @@ -1 +1 @@ -{"number": 6, "name": "Mauricio P\u00e9rez", "age": 23, "nationality": "Costa Rica", "shirt_number": 6, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Mauricio P\u00e9rez, a tenacious midfielder from Costa Rica, combines relentless work ethic with sharp tactical awareness. Known for his exceptional passing range and ability to break up opposition attacks, he embodies the heart of Tierra Alta FC. His signature play style is characterized by game-saving interceptions and the ability to initiate swift counterattacks, making him a key player on the pitch."} \ No newline at end of file +{"number": 6, "name": "Mauricio P\u00e9rez", "age": 23, "nationality": "Costa Rica", "shirt_number": 6, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Mauricio P\u00e9rez, a tenacious midfielder from Costa Rica, combines relentless work ethic with sharp tactical awareness. Known for his exceptional passing range and ability to break up opposition attacks, he embodies the heart of Tierra Alta FC. His signature play style is characterized by game-saving interceptions and the ability to initiate swift counterattacks, making him a key player on the pitch.", "profile_pic": "A portrait of a 23-year-old Costa Rican professional soccer player, Mauricio P\u00e9rez. He stands confidently at 178 cm tall and weighs 75 kg, exuding athleticism and dedication. His skin is a warm tone, reflective of his strong heritage, and his facial features are sharp yet friendly, with a defined jawline and bright, expressive eyes that sparkle with determination. His dark hair is neatly styled, emphasizing his youthful energy.\n\nHe is wearing the Tierra Alta FC team kit, which showcases vibrant colors\u2014predominantly green with white accents, and features the club emblem prominently on the left chest. The shirt is made of a high-tech fabric, fitting snugly to highlight his toned physique. Mauricio is in an action-ready pose, standing with one foot slightly forward, arms crossed confidently over his chest, and wearing his shirt number, 6, clearly displayed. \n\nIn the backdrop, the stadium looms large, hinting at the excitement of match day. The atmosphere is charged, hinting at his excellent form with an overall rating of 82. Despite being a tenacious defensive midfielder, his calm demeanor reflects his lack of injury, and he is poised to play a critical role in the game. The image captures his readiness to tackle the match head-on, with a subtle smile suggesting his competitive spirit and passion for the game."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_7.json b/data/huge-league/players/Tierra_Alta_FC_7.json index e52fa01fd7cfc400c4cd5ab3972afd3333bfafea..8b90a110601477f62501db64367bbe55e29a15a0 100644 --- a/data/huge-league/players/Tierra_Alta_FC_7.json +++ b/data/huge-league/players/Tierra_Alta_FC_7.json @@ -1 +1 @@ -{"number": 7, "name": "Joaqu\u00edn Araya", "age": 20, "nationality": "Costa Rica", "shirt_number": 7, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Joaqu\u00edn Araya, a dynamic 20-year-old from Costa Rica, is known for his agile dribbling and precise left-footed passes. With a passion for the game that ignites the field, he embodies the tactical intelligence of Tierra Alta FC, often orchestrating plays with vision and flair. His electrifying presence is complemented by a tenacity that makes him a fan favorite."} \ No newline at end of file +{"number": 7, "name": "Joaqu\u00edn Araya", "age": 20, "nationality": "Costa Rica", "shirt_number": 7, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Joaqu\u00edn Araya, a dynamic 20-year-old from Costa Rica, is known for his agile dribbling and precise left-footed passes. With a passion for the game that ignites the field, he embodies the tactical intelligence of Tierra Alta FC, often orchestrating plays with vision and flair. His electrifying presence is complemented by a tenacity that makes him a fan favorite.", "profile_pic": "A realistic portrait of Joaqu\u00edn Araya, a 20-year-old Costa Rican soccer player. He stands at 178 cm tall, with a fit build weighing 72 kg. Joaqu\u00edn has a youthful face with a warm smile, showcasing high cheekbones and sharp, expressive eyes that reflect determination. His dark hair is slightly tousled, giving him a spirited appearance. \n\nHe is wearing the vibrant home kit of Tierra Alta FC, featuring a striking red and yellow color scheme with the number 7 emblazoned prominently on his shirt and shorts. The jersey is slightly fitted, highlighting his athletic physique. The team's logo is proudly displayed on his chest, and he has black soccer cleats with red accents.\n\nJoaqu\u00edn is posed dynamically, leaning slightly forward with a confident stance, as if ready to make a play on the field. His left foot is pointed slightly forward, indicative of his preferred foot, while he holds a soccer ball at his side with his right hand. The background is a blurred soccer pitch, suggesting a matchday atmosphere. The overall mood exudes energy and excitement, reflecting his strong form, with an impressive overall rating of 85. His expression conveys passion and focus, embodying both the tenacity and flair that make him a fan favorite, free of any signs of injury."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_8.json b/data/huge-league/players/Tierra_Alta_FC_8.json index 5c7d31b35c9cfd6904394ebec4e7e16713ceb346..06767292bbb98e1dccab3cd7e60e50077d8a9293 100644 --- a/data/huge-league/players/Tierra_Alta_FC_8.json +++ b/data/huge-league/players/Tierra_Alta_FC_8.json @@ -1 +1 @@ -{"number": 8, "name": "Pablo Ure\u00f1a", "age": 23, "nationality": "Costa Rica", "shirt_number": 8, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 86, "is_injured": false, "form": 7, "goals": 10, "assists": 15, "yellow_cards": 3, "red_cards": 1, "bio": "Pablo Ure\u00f1a is a dynamic central midfielder known for his visionary passing and tenacious tackling. Hailing from the lush landscapes of Costa Rica, he embodies a vibrant playing style marked by his left-footed precision and a knack for game-changing assists. He's a passionate player who thrives under pressure, often seen rallying teammates with his relentless spirit."} \ No newline at end of file +{"number": 8, "name": "Pablo Ure\u00f1a", "age": 23, "nationality": "Costa Rica", "shirt_number": 8, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 70, "overall_rating": 86, "is_injured": false, "form": 7, "goals": 10, "assists": 15, "yellow_cards": 3, "red_cards": 1, "bio": "Pablo Ure\u00f1a is a dynamic central midfielder known for his visionary passing and tenacious tackling. Hailing from the lush landscapes of Costa Rica, he embodies a vibrant playing style marked by his left-footed precision and a knack for game-changing assists. He's a passionate player who thrives under pressure, often seen rallying teammates with his relentless spirit.", "profile_pic": "A dynamic portrait of Pablo Ure\u00f1a, a 23-year-old Costa Rican professional soccer player. He stands confidently against a vibrant green soccer pitch backdrop, showcasing his athletic build at 178 cm tall and weighing 70 kg. His expressive face features a strong jawline, deep-set dark eyes, and a friendly smile, reflecting his passionate personality. His left foot is slightly raised, as if ready for a play, embodying his role as a central midfielder. Dressed in the Tierra Alta FC team kit, his number 8 jersey is primarily in sky blue with white trim, complemented with navy shorts and matching socks. The kit has a subtle texture that hints at the competition's intensity. The mood is energetic yet focused, showcasing his solid form with an overall rating of 86. Despite wearing the scars of competition with three yellow cards and one red card indicated by a slight bruise on his forearm, he exudes resilience and determination, suggesting he is currently in strong form without any injury concerns. The natural lighting accentuates his features and the vibrant colors of the team kit, creating an engaging and motivational press photo."} \ No newline at end of file diff --git a/data/huge-league/players/Tierra_Alta_FC_9.json b/data/huge-league/players/Tierra_Alta_FC_9.json index c00e2f08604fe277dd0768caacf101787479b5e6..95746535c440e3bc8f24d008b656bfb6ab99a16d 100644 --- a/data/huge-league/players/Tierra_Alta_FC_9.json +++ b/data/huge-league/players/Tierra_Alta_FC_9.json @@ -1 +1 @@ -{"number": 9, "name": "Esteban Camacho", "age": 30, "nationality": "Costa Rica", "shirt_number": 9, "position": "Left Wing", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 86, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Esteban Camacho is known for his electrifying pace and precise left foot, making him a constant threat on the left flank. With roots deep in the lush landscapes of Costa Rica, his passionate play embodies the spirit of Tierra Alta FC, combining flair and tactical acumen. A crowd favorite, Esteban's ability to change the game in an instant leaves opponents scrambling. His commitment to sustainability off the pitch makes him a role model in his community."} \ No newline at end of file +{"number": 9, "name": "Esteban Camacho", "age": 30, "nationality": "Costa Rica", "shirt_number": 9, "position": "Left Wing", "preferred_foot": "Left", "role": "Starter", "team": "Tierra Alta FC", "height_cm": 178, "weight_kg": 75, "overall_rating": 86, "is_injured": false, "form": 7, "goals": 12, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Esteban Camacho is known for his electrifying pace and precise left foot, making him a constant threat on the left flank. With roots deep in the lush landscapes of Costa Rica, his passionate play embodies the spirit of Tierra Alta FC, combining flair and tactical acumen. A crowd favorite, Esteban's ability to change the game in an instant leaves opponents scrambling. His commitment to sustainability off the pitch makes him a role model in his community.", "profile_pic": "A portrait of Esteban Camacho, a 30-year-old Costa Rican professional soccer player, standing confidently in his Tierra Alta FC team kit. He\u2019s 178 cm tall, athletic build weighing 75 kg, with a defined yet lean physique indicative of an experienced athlete. His facial features are sharp, with dark hair styled into a neat undercut, complementing his medium tan skin. Esteban sports a friendly yet determined expression, showcasing vibrant brown eyes that convey passion and intensity.\n\nThe team kit is a vibrant sky blue with white accent details, featuring the club crest over the left chest. His shirt displays the number 9 prominently. He has his left foot slightly forward, emphasizing his preferred foot, while his body is angled slightly to the side, giving a dynamic look, as if preparing for a sprint.\n\nThe background is a blurred stadium, with just the hint of cheering fans, evoking a matchday atmosphere. Esteban stands tall, radiating confidence and readiness, representing both a top form with a rating of 86 and an injury-free status. His pose and mood reflect his electrifying pace and tactical flair, capturing the essence of a dedicated athlete making a significant impact on the field."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_1.json b/data/huge-league/players/Yucatan_Force_1.json index e5845b62a1e6181615309a612f876a87640462f4..e63f77ecab68cf672a90423fcfc1cfb072d6b1f0 100644 --- a/data/huge-league/players/Yucatan_Force_1.json +++ b/data/huge-league/players/Yucatan_Force_1.json @@ -1 +1 @@ -{"number": 1, "name": "Carlos Hern\u00e1ndez", "age": 17, "nationality": "Mexico", "shirt_number": 1, "position": "Goalkeeper", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 182, "weight_kg": 75, "overall_rating": 88, "is_injured": false, "form": 9, "goals": 0, "assists": 0, "yellow_cards": 2, "red_cards": 0, "bio": "A dynamic presence in goal, Carlos Hern\u00e1ndez commands his area with confidence and a fierce determination. Growing up in the vibrant culture of M\u00e9rida, he combines agility with sharp reflexes, turning potential goals into mere whispers of defeat for the opponents. Known for his fearless dives and quick throws, he's the backbone of Yucat\u00e1n Force, embodying the spirit of the Mayan heartland with every save."} \ No newline at end of file +{"number": 1, "name": "Carlos Hern\u00e1ndez", "age": 17, "nationality": "Mexico", "shirt_number": 1, "position": "Goalkeeper", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 182, "weight_kg": 75, "overall_rating": 88, "is_injured": false, "form": 9, "goals": 0, "assists": 0, "yellow_cards": 2, "red_cards": 0, "bio": "A dynamic presence in goal, Carlos Hern\u00e1ndez commands his area with confidence and a fierce determination. Growing up in the vibrant culture of M\u00e9rida, he combines agility with sharp reflexes, turning potential goals into mere whispers of defeat for the opponents. Known for his fearless dives and quick throws, he's the backbone of Yucat\u00e1n Force, embodying the spirit of the Mayan heartland with every save.", "profile_pic": "A portrait of a 17-year-old Mexican goalkeeper, Carlos Hern\u00e1ndez. He stands confidently at 182 cm tall, with a well-built physique of 75 kg. His dark hair is styled in a modern cut, framing a youthful face characterized by sharp facial features \u2014 strong cheekbones, expressive brown eyes, and a determined jawline. His skin is a warm olive tone, reflecting his vibrant heritage from M\u00e9rida.\n\nCarlos wears the home kit of the Yucatan Force, which consists of a striking green jersey with black accents, the team's logo prominently displayed on the chest. The jersey is fitted, highlighting his athletic build, and he sports matching green shorts and black goalkeeper gloves. His shirt number, 1, is boldly emblazoned on the back.\n\nHe strikes a confident pose, standing slightly sideways with his weight shifted onto one leg, hands positioned at the ready, showcasing his gloves. His expression is focused, conveying a blend of determination and calm, embodying the fierce spirit of the Mayan heartland. There are hints of sweat from recent training, emphasizing his dedication, and the background is a blurred depiction of a stadium, vibrant with the colors of the team\u2019s supporters. The lighting casts a dramatic glow, accentuating the contours of his face and the fabric of his kit, creating an atmosphere of anticipation and pride."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_10.json b/data/huge-league/players/Yucatan_Force_10.json index 40ea0de4ebeb0285bf42ee33fe2f062d7db6a2f3..f6930d72e2bced1c81ba1de08974e82fea70532f 100644 --- a/data/huge-league/players/Yucatan_Force_10.json +++ b/data/huge-league/players/Yucatan_Force_10.json @@ -1 +1 @@ -{"number": 10, "name": "Ram\u00f3n Jim\u00e9nez", "age": 26, "nationality": "Mexico", "shirt_number": 10, "position": "Striker", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 24, "assists": 12, "yellow_cards": 3, "red_cards": 0, "bio": "Ram\u00f3n Jim\u00e9nez, a fierce competitor from the heart of Mexico, thrives on the pitch with his explosive speed and clinical finishing. A left-footed maestro, he dances past defenders with grace, often leaving them bewildered. Known for his relentless work ethic and an infectious passion for the game, he embodies the spirit of Yucat\u00e1n Force, proving time and again that he can turn a match on its head with a single strike."} \ No newline at end of file +{"number": 10, "name": "Ram\u00f3n Jim\u00e9nez", "age": 26, "nationality": "Mexico", "shirt_number": 10, "position": "Striker", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 24, "assists": 12, "yellow_cards": 3, "red_cards": 0, "bio": "Ram\u00f3n Jim\u00e9nez, a fierce competitor from the heart of Mexico, thrives on the pitch with his explosive speed and clinical finishing. A left-footed maestro, he dances past defenders with grace, often leaving them bewildered. Known for his relentless work ethic and an infectious passion for the game, he embodies the spirit of Yucat\u00e1n Force, proving time and again that he can turn a match on its head with a single strike.", "profile_pic": "A 26-year-old male soccer player stands confidently in a professional team kit representing the Yucatan Force. He is 182 cm tall and weighs 78 kg, showcasing an athletic build that indicates strength and agility. His uniform features the team's vibrant colors, predominantly electric blue with striking yellow accents, and his shirt proudly displays the number 10 on the back. The fabric glistens slightly under the lights of the stadium, hinting at the intensity of the game.\n\nRam\u00f3n Jim\u00e9nez has a distinctive look that reflects his Mexican heritage. His skin is a warm, medium tone, and he has short, neatly styled black hair with subtle highlights. His facial features are sharp, with high cheekbones and a strong jawline, further emphasizing his intense gaze. His expressive dark brown eyes radiate determination and confidence, revealing his fierce competitive spirit.\n\nIn this dynamic pose, Ram\u00f3n is slightly turned with a foot raised, ready to engage in action, embodying the essence of a striker. His left foot is forward, demonstrating his preferred kicking foot, and he exudes an aura of excitement and energy, still fresh from a recent match where he scored two goals. \n\nThe background features a blurred stadium filled with cheering fans, creating an electric atmosphere while allowing Ram\u00f3n to stand out as the focal point. There are no visible signs of injury, emphasizing his strong form with a rating of 85. The image captures both his physical prowess and the infectious passion he brings to the game, perfectly embodying the spirit of a dedicated athlete."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_11.json b/data/huge-league/players/Yucatan_Force_11.json index fb6adeae69b594f4a07646cb39ab2855c81d8ca1..6ab32030fc66aeb6f97d95f9ffe96dddcee44766 100644 --- a/data/huge-league/players/Yucatan_Force_11.json +++ b/data/huge-league/players/Yucatan_Force_11.json @@ -1 +1 @@ -{"number": 11, "name": "Jos\u00e9 Delgado", "age": 32, "nationality": "Mexico", "shirt_number": 11, "position": "Right Wing", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Jos\u00e9 Delgado is known for his blazing speed and exceptional dribbling skills that leave defenders in the dust. His ability to deliver pinpoint crosses makes him a constant threat on the right wing. Born in Mexico City, he embodies the spirit of Yucat\u00e1n Force, dazzling fans with his flair and passion on the pitch, often celebrating goals with a signature dance that reflects his cultural roots."} \ No newline at end of file +{"number": 11, "name": "Jos\u00e9 Delgado", "age": 32, "nationality": "Mexico", "shirt_number": 11, "position": "Right Wing", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Jos\u00e9 Delgado is known for his blazing speed and exceptional dribbling skills that leave defenders in the dust. His ability to deliver pinpoint crosses makes him a constant threat on the right wing. Born in Mexico City, he embodies the spirit of Yucat\u00e1n Force, dazzling fans with his flair and passion on the pitch, often celebrating goals with a signature dance that reflects his cultural roots.", "profile_pic": "A realistic portrait of Jos\u00e9 Delgado, aged 32, stands confidently on a vibrant soccer pitch. He is 178 cm tall, with a lean athletic build weighing 72 kg. His skin is a warm tone representative of his Mexican heritage, and he has short, neatly styled dark hair with slight curls at the edges. His facial features include high cheekbones, a strong jawline, and expressive brown eyes that convey determination and charisma. \n\nHe wears the bright and bold team kit of Yucatan Force, featuring a primarily teal shirt with vibrant orange and white accents, his number 11 prominently displayed on the back. The kit is slightly fitted, showcasing his muscular arms and toned physique, and he wears matching shorts and socks. The iconic team crest is embroidered on the left chest, symbolizing his dedication as a starter.\n\nHis stance portrays confidence and readiness, with one foot slightly forward as if he is about to sprint down the right wing. His right foot is positioned forward, showcasing his preferred right foot for kicking. He has a slight smile, embodying his vibrant personality, and hints of joy as he envisions a goal, reflecting his current excellent form with a rating of 85. \n\nThe backdrop features a high-energy stadium filled with cheering fans, emphasizing the excitement of match day. Bright floodlights shine down, illuminating him against a backdrop of blurred team colors. There\u2019s a sense of movement in the air, capturing his trademark flair and the spirit of his cultural roots, perhaps hinting at a celebratory dance awaiting his next goal. No visible signs of injury."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_12.json b/data/huge-league/players/Yucatan_Force_12.json index e67d3d762c80b0b0836dea77a08f13cae6668a5c..40c4dae626424310948183d3947076afd8d48e6f 100644 --- a/data/huge-league/players/Yucatan_Force_12.json +++ b/data/huge-league/players/Yucatan_Force_12.json @@ -1 +1 @@ -{"number": 12, "name": "Miguel Morales", "age": 22, "nationality": "Mexico", "shirt_number": 12, "position": "Goalkeeper", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 190, "weight_kg": 85, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 0, "assists": 0, "yellow_cards": 1, "red_cards": 0, "bio": "Miguel Morales, a towering presence in the goal, is known for his acrobatic saves and commanding voice that organizes the defense. With roots in the heart of Mexico, he embodies agility and determination, often inspiring his teammates with his relentless work ethic and commitment to the Yucat\u00e1n Force. His quick reflexes and ability to read the game make him a formidable guardian against any attack."} \ No newline at end of file +{"number": 12, "name": "Miguel Morales", "age": 22, "nationality": "Mexico", "shirt_number": 12, "position": "Goalkeeper", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 190, "weight_kg": 85, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 0, "assists": 0, "yellow_cards": 1, "red_cards": 0, "bio": "Miguel Morales, a towering presence in the goal, is known for his acrobatic saves and commanding voice that organizes the defense. With roots in the heart of Mexico, he embodies agility and determination, often inspiring his teammates with his relentless work ethic and commitment to the Yucat\u00e1n Force. His quick reflexes and ability to read the game make him a formidable guardian against any attack.", "profile_pic": "A realistic portrait of Miguel Morales, a 22-year-old Mexican goalkeeper for Yucatan Force. He stands tall at 190 cm, weighing 85 kg, with a strong athletic build. His facial features reflect his heritage, showcasing a chiseled jawline, deep-set brown eyes filled with determination, and thick black hair styled neatly. He sports a focused expression, embodying the confidence of a young professional athlete.\n\nHe is dressed in the Yucatan Force team kit, which features a sleek design in vibrant green and white colors, with his shirt number, 12, prominently displayed on the back. The kit includes a moisture-wicking goalkeeper jersey, padded shorts, and protective gloves.\n\nMiguel is posed in a dynamic stance, slightly bent forward with his hands in front of him, ready to spring into action. The background is a softly blurred soccer field, with goalposts faintly visible, emphasizing his role as a guardian of the goal. The mood of the portrait is intense yet calm, reflecting his current form rating of 7 and the confidence of not being injured, showcasing him as a committed, agile player ready for the challenge ahead."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_13.json b/data/huge-league/players/Yucatan_Force_13.json index b96d39c30d79b8443baabe066fbbfb622d2c9ff8..c76e99fc4c15f36b2517958e3c4e9598f4d1117b 100644 --- a/data/huge-league/players/Yucatan_Force_13.json +++ b/data/huge-league/players/Yucatan_Force_13.json @@ -1 +1 @@ -{"number": 13, "name": "Ricardo Hern\u00e1ndez", "age": 19, "nationality": "Mexico", "shirt_number": 13, "position": "Center Back", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 182, "weight_kg": 75, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Ricardo Hern\u00e1ndez, a towering presence in defense, commands the pitch with his assertive tackling and keen game awareness. Hailing from the vibrant streets of M\u00e9rida, his passion for soccer shines through every match. A true warrior, his relentless spirit and unwavering commitment make him a fan favorite at El Templo del Sol."} \ No newline at end of file +{"number": 13, "name": "Ricardo Hern\u00e1ndez", "age": 19, "nationality": "Mexico", "shirt_number": 13, "position": "Center Back", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 182, "weight_kg": 75, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Ricardo Hern\u00e1ndez, a towering presence in defense, commands the pitch with his assertive tackling and keen game awareness. Hailing from the vibrant streets of M\u00e9rida, his passion for soccer shines through every match. A true warrior, his relentless spirit and unwavering commitment make him a fan favorite at El Templo del Sol.", "profile_pic": "Ricardo Hern\u00e1ndez stands confidently in a press photo, showcasing a strong physical build at 19 years old. He is 182 cm tall and weighs 75 kg, with a robust and athletic frame that reflects his role as a center back. His skin tone is light brown, complemented by short, dark hair that is neatly styled. His facial features are sharp yet approachable, with deep brown eyes that exude determination and focus. A subtle smile hints at his friendly personality, representative of his humble upbringing in M\u00e9rida, Mexico.\n\nHe is dressed in the Yucatan Force team kit, which features vibrant blue and gold colors. The jersey is snug and professionally designed, displaying the number 13 prominently on the back, with the team logo on the left chest. His shorts match the jersey, and he wears matching socks that reach just below his knees. The kit's texture catches the light, adding depth to the overall look.\n\nHern\u00e1ndez strikes a solid pose with one hand akimbo and the other resting on his knee, subtly conveying confidence and readiness. His posture reflects his good form, rated a solid 7, with a focused expression indicating he is prepared for the upcoming match. The background captures the essence of a stadium atmosphere, with blurred fans and vibrant colors, hinting at the electric energy of El Templo del Sol. Overall, the image encapsulates his spirit as a passionate player dedicated to his craft, radiating pride in representing his team and country."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_14.json b/data/huge-league/players/Yucatan_Force_14.json index 0137dc13242f8f4354fe5324f02641c90a0015b7..9d050bb0da11221eae40147ec33cb342f6e3b217 100644 --- a/data/huge-league/players/Yucatan_Force_14.json +++ b/data/huge-league/players/Yucatan_Force_14.json @@ -1 +1 @@ -{"number": 14, "name": "Fernando Flores", "age": 22, "nationality": "Mexico", "shirt_number": 14, "position": "Full Back", "preferred_foot": "Left", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 72, "overall_rating": 75, "is_injured": false, "form": 8, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Fernando Flores, the dynamic full back of Yucat\u00e1n Force, electrifies the pitch with his agile runs and precise crosses. Hailing from the vibrant streets of M\u00e9rida, his tenacity and relentless spirit embody the soul of his team. Known for his tireless work ethic and eye for assists, he\u2019s a player who thrives under pressure, creating pivotal moments in high-stakes games."} \ No newline at end of file +{"number": 14, "name": "Fernando Flores", "age": 22, "nationality": "Mexico", "shirt_number": 14, "position": "Full Back", "preferred_foot": "Left", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 72, "overall_rating": 75, "is_injured": false, "form": 8, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Fernando Flores, the dynamic full back of Yucat\u00e1n Force, electrifies the pitch with his agile runs and precise crosses. Hailing from the vibrant streets of M\u00e9rida, his tenacity and relentless spirit embody the soul of his team. Known for his tireless work ethic and eye for assists, he\u2019s a player who thrives under pressure, creating pivotal moments in high-stakes games.", "profile_pic": "A realistic portrait of Fernando Flores, a 22-year-old Mexican soccer player standing confidently in his team kit for Yucat\u00e1n Force. He is 178 cm tall and weighs 72 kg, showcasing a toned and athletic build. His face reflects determination and intensity, with chiseled cheekbones, a strong jawline, and warm brown skin. His dark hair is styled in a short, slightly tousled manner, complementing his expressive brown eyes that radiate passion for the game.\n\nHe wears the team's home jersey, which features vibrant colors of green and white with the number 14 boldly displayed on the back. The shirt is tight-fitting, accentuating his athletic frame, while the shorts are functional yet stylish to represent his agile playing style. He has soccer cleats that embody both comfort and sleek design.\n\nIn the image, he strikes a dynamic pose, slightly leaning forward with one foot positioned ahead of the other, exuding a sense of readiness and energy, as if poised to sprint down the field. His expression is focused, with a subtle hint of a smile that conveys confidence and enthusiasm. The background is a blurred glimpse of a stadium filled with cheering fans, encapsulating the vibrant atmosphere of match day. The lighting is bright and focused, highlighting his features and the details of his kit, symbolizing his high form and recent contributions on the pitch. There are no indications of injury, showcasing him as a vital asset to his team."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_15.json b/data/huge-league/players/Yucatan_Force_15.json index 00deb67c19cbe1b4e418ff20fa4f3b49f014089d..89776fad2f337ce2a8fc547809876b2b0f5ba34a 100644 --- a/data/huge-league/players/Yucatan_Force_15.json +++ b/data/huge-league/players/Yucatan_Force_15.json @@ -1 +1 @@ -{"number": 15, "name": "Fernando Rodr\u00edguez", "age": 24, "nationality": "Mexico", "shirt_number": 15, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 74, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Fernando Rodr\u00edguez, a dynamic defensive midfielder from Mexico, showcases unmatched tenacity and exceptional vision on the pitch. Renowned for his tactical prowess and precise passing ability, he boasts an unwavering determination to shield his team from opposing threats. Hailing from a rich cultural background in M\u00e9rida, he draws inspiration from the vibrant history of the Yucat\u00e1n, making every match feel like a celebration of his heritage."} \ No newline at end of file +{"number": 15, "name": "Fernando Rodr\u00edguez", "age": 24, "nationality": "Mexico", "shirt_number": 15, "position": "Defensive Mid", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 74, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 3, "assists": 5, "yellow_cards": 2, "red_cards": 0, "bio": "Fernando Rodr\u00edguez, a dynamic defensive midfielder from Mexico, showcases unmatched tenacity and exceptional vision on the pitch. Renowned for his tactical prowess and precise passing ability, he boasts an unwavering determination to shield his team from opposing threats. Hailing from a rich cultural background in M\u00e9rida, he draws inspiration from the vibrant history of the Yucat\u00e1n, making every match feel like a celebration of his heritage.", "profile_pic": "A realistic portrait of Fernando Rodr\u00edguez, a 24-year-old professional soccer player from Mexico. He stands confidently in his team kit for Yucatan Force, which features a vivid turquoise jersey adorned with his shirt number, 15, on the back and the team's logo prominently displayed on the chest. The jersey is fitted, highlighting his athletic build \u2014 standing at 178 cm tall, weighing 74 kg, with a strong yet lean physique indicative of his role as a defensive midfielder.\n\nHis facial features reflect his Mexican heritage, with warm brown skin, dark, piercing eyes that exude determination, and short, wavy black hair neatly styled. His expression is focused and serious but has an underlying hint of approachability, showcasing his vibrant personality. There are subtle signs of his tenacity, such as a slight furrow in his brow, emphasizing his tactical mindset.\n\nThe background illustrates a stadium filled with fans, suggesting a matchday atmosphere. He has a poised stance, arms crossed in front of him, conveying confidence and readiness. In this moment, he displays a serene yet determined demeanor, underscored by his solid form and current strong performance rating of 82. No visible injuries are present, reinforcing his status as fit and prepared for action. The lighting is bright, accentuating the colors of his kit and the dynamic energy of the scene."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_16.json b/data/huge-league/players/Yucatan_Force_16.json index d1b89a8855a4fc69a2e4142412b31716e9962648..9e9e56e392f5a95bfe2f3b94d387a97d586aa413 100644 --- a/data/huge-league/players/Yucatan_Force_16.json +++ b/data/huge-league/players/Yucatan_Force_16.json @@ -1 +1 @@ -{"number": 16, "name": "Alonso Ramos", "age": 21, "nationality": "Mexico", "shirt_number": 16, "position": "Central Mid", "preferred_foot": "Left", "role": "Bench", "team": "Yucatan Force", "height_cm": 175, "weight_kg": 70, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 1, "bio": "Alonso Ramos is a dynamic central midfielder known for his exceptional passing range and vision on the field. With a fierce left foot and an unyielding determination, he brings the spirit of Mexico's soccer legacy to Yucat\u00e1n Force, captivating fans at El Templo del Sol. His ability to orchestrate plays and fuel the attack reflects his roots in the vibrant culture of M\u00e9rida, blending artistry with athleticism."} \ No newline at end of file +{"number": 16, "name": "Alonso Ramos", "age": 21, "nationality": "Mexico", "shirt_number": 16, "position": "Central Mid", "preferred_foot": "Left", "role": "Bench", "team": "Yucatan Force", "height_cm": 175, "weight_kg": 70, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 1, "bio": "Alonso Ramos is a dynamic central midfielder known for his exceptional passing range and vision on the field. With a fierce left foot and an unyielding determination, he brings the spirit of Mexico's soccer legacy to Yucat\u00e1n Force, captivating fans at El Templo del Sol. His ability to orchestrate plays and fuel the attack reflects his roots in the vibrant culture of M\u00e9rida, blending artistry with athleticism.", "profile_pic": "A 21-year-old male soccer player stands confidently, showcasing his athletic build. He is 175 cm tall and weighs 70 kg, with an athletic yet slightly lean physique. His tousled dark hair gives him a youthful and energetic vibe, and his animated facial expression reflects his passionate personality. He has sharp, warm brown eyes and high cheekbones, showcasing a determined yet friendly demeanor, embodying his Mexican heritage.\n\nHe is wearing the Yucatan Force home kit, which features vibrant red and yellow stripes with the team logo prominently displayed on the chest, matching his number 16 on the back. The shirt fits snugly, emphasizing his form while the shorts are tailored to allow for freedom of movement. He has his left foot slightly forward, ready for action, and wears matching vibrant red cleats.\n\nThe background captures the essence of a bustling soccer stadium, with excited fans and colorful flags waiving, conveying the electric atmosphere of a game day. The lighting highlights him in an upward angle, emphasizing his confident pose, while showcasing the focus and skill of a player in good form\u2014he is in peak condition, with no visible signs of injury. His overall expression is one of determination and enthusiasm, embodying the spirit of a young athlete ready to make his mark."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_17.json b/data/huge-league/players/Yucatan_Force_17.json index f251ecf776c6c398342340aea133b54e8346efc2..e17f7ffa3886bbd1c112828754d86ac572521642 100644 --- a/data/huge-league/players/Yucatan_Force_17.json +++ b/data/huge-league/players/Yucatan_Force_17.json @@ -1 +1 @@ -{"number": 17, "name": "Ram\u00f3n Jim\u00e9nez", "age": 17, "nationality": "Mexico", "shirt_number": 17, "position": "Attacking Mid", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 68, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 9, "yellow_cards": 3, "red_cards": 1, "bio": "A prodigy from the vibrant streets of M\u00e9rida, Ram\u00f3n Jim\u00e9nez dazzles with his sharp dribbling and vision. With a flair for threading precise passes and a fire in his belly, he embodies the spirit of the Yucat\u00e1n Force. Fans remember his game-winning free kick that echoed through El Templo del Sol, solidifying his place as a rising star in Mexican soccer."} \ No newline at end of file +{"number": 17, "name": "Ram\u00f3n Jim\u00e9nez", "age": 17, "nationality": "Mexico", "shirt_number": 17, "position": "Attacking Mid", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 68, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 12, "assists": 9, "yellow_cards": 3, "red_cards": 1, "bio": "A prodigy from the vibrant streets of M\u00e9rida, Ram\u00f3n Jim\u00e9nez dazzles with his sharp dribbling and vision. With a flair for threading precise passes and a fire in his belly, he embodies the spirit of the Yucat\u00e1n Force. Fans remember his game-winning free kick that echoed through El Templo del Sol, solidifying his place as a rising star in Mexican soccer.", "profile_pic": "A realistic portrait of Ram\u00f3n Jim\u00e9nez, a 17-year-old Mexican soccer player. He stands at 178 cm tall, weighing 68 kg, showcasing a lean yet athletic build typical of a young attacking midfielder. His face features a youthful countenance with warm brown skin, dark, wavy hair styled in a modern cut, and bright, expressive brown eyes reflecting determination and passion. A hint of a smile hints at his vibrant personality and confidence.\n\nHe is wearing the home kit of Yucatan Force, featuring a striking design with deep green and white colors, his shirt number \"17\" prominently displayed on the back. The team logo is visible on the chest, and his right foot is slightly forward, emphasizing his preferred footing. \n\nThe background captures the electric atmosphere of El Templo del Sol, with blurred, excited fans in the stands, embodying his connection to the vibrant streets of M\u00e9rida. The pose is dynamic, showcasing readiness and energy, reminiscent of a press photo taken just moments before a match. Ram\u00f3n's body language conveys his impressive form (8 out of 10) and the pride he feels representing his team, alongside hints of the skilled play that led to his 12 goals and 9 assists. There are subtle details indicating his youth and potential, all while radiating the spirit of a rising star in Mexican soccer. No injuries are visible, capturing him at his best."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_18.json b/data/huge-league/players/Yucatan_Force_18.json index 6f6f26f8fb71523ba16ba3ebb6400721b3950645..ae6629499b20155a98f9e28bc582111ae584c92b 100644 --- a/data/huge-league/players/Yucatan_Force_18.json +++ b/data/huge-league/players/Yucatan_Force_18.json @@ -1 +1 @@ -{"number": 18, "name": "Emilio Navarro", "age": 24, "nationality": "Mexico", "shirt_number": 18, "position": "Forward/Winger", "preferred_foot": "Left", "role": "Bench", "team": "Yucatan Force", "height_cm": 177, "weight_kg": 72, "overall_rating": 86, "is_injured": false, "form": 8, "goals": 12, "assists": 7, "yellow_cards": 3, "red_cards": 1, "bio": "Emilio Navarro, a dazzling presence on the field, combines blistering pace with a keen eye for goal. Born and raised in the vibrant streets of M\u00e9rida, he showcases his Mexican heritage with every electrifying run. Known for his trademark left-foot curler, Navarro's tenacity and flair make him a fan favorite at El Templo del Sol, where he consistently thrills supporters with his audacious plays."} \ No newline at end of file +{"number": 18, "name": "Emilio Navarro", "age": 24, "nationality": "Mexico", "shirt_number": 18, "position": "Forward/Winger", "preferred_foot": "Left", "role": "Bench", "team": "Yucatan Force", "height_cm": 177, "weight_kg": 72, "overall_rating": 86, "is_injured": false, "form": 8, "goals": 12, "assists": 7, "yellow_cards": 3, "red_cards": 1, "bio": "Emilio Navarro, a dazzling presence on the field, combines blistering pace with a keen eye for goal. Born and raised in the vibrant streets of M\u00e9rida, he showcases his Mexican heritage with every electrifying run. Known for his trademark left-foot curler, Navarro's tenacity and flair make him a fan favorite at El Templo del Sol, where he consistently thrills supporters with his audacious plays.", "profile_pic": "A press photo of Emilio Navarro, 24 years old, standing confidently in front of the Yucatan Force emblem. He stands at 177 cm with a lean, athletic build, weighing 72 kg. His expression is determined yet approachable, showcasing a charming smile that reflects his vibrant personality. Emilio has short, slightly tousled black hair, warm brown eyes, and a hint of stubble, bringing out his youthful energy. \n\nHe's wearing the Yucatan Force home kit, which consists of a vibrant green jersey with the number 18 emblazoned on the back and front in bold white lettering. The kit features intricate patterns that symbolize his Mexican heritage, complemented by matching shorts and green socks. His left foot is slightly forward, demonstrating his preferred side, with one hand resting on his hip and the other casually running through his hair.\n\nThe background is blurred, suggesting the electrifying atmosphere of a matchday at El Templo del Sol, with fans cheering in the distance. The mood is confident and uplifting, as Emilio stands strong and ready, embodying the essence of a forward/winger at the peak of his form, hinting at his impressive overall rating of 86 while underscoring that he is currently injury-free."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_19.json b/data/huge-league/players/Yucatan_Force_19.json index dba26f3770ec2400f55e5bd5cd1b652dc553bd1a..07e9926df311dd0336634f33343b68f6c65da886 100644 --- a/data/huge-league/players/Yucatan_Force_19.json +++ b/data/huge-league/players/Yucatan_Force_19.json @@ -1 +1 @@ -{"number": 19, "name": "Emilio Mart\u00ednez", "age": 24, "nationality": "Mexico", "shirt_number": 19, "position": "Striker", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 15, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Emilio Mart\u00ednez, a dynamic striker from Mexico, combines explosive speed with an uncanny ability to read the game. Known for his powerful right foot, he often finds the back of the net from unexpected angles. Hailing from M\u00e9rida, he wears the number 19 jersey with pride, embodying the spirit of Yucat\u00e1n Force. His relentless determination and flair for dramatic goals have made him a fan favorite."} \ No newline at end of file +{"number": 19, "name": "Emilio Mart\u00ednez", "age": 24, "nationality": "Mexico", "shirt_number": 19, "position": "Striker", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 182, "weight_kg": 78, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 15, "assists": 8, "yellow_cards": 3, "red_cards": 1, "bio": "Emilio Mart\u00ednez, a dynamic striker from Mexico, combines explosive speed with an uncanny ability to read the game. Known for his powerful right foot, he often finds the back of the net from unexpected angles. Hailing from M\u00e9rida, he wears the number 19 jersey with pride, embodying the spirit of Yucat\u00e1n Force. His relentless determination and flair for dramatic goals have made him a fan favorite.", "profile_pic": "A realistic portrait of Emilio Mart\u00ednez, a 24-year-old professional soccer player. He stands at 182 cm tall and weighs 78 kg, showcasing a fit and athletic build. Emilio has a focused, determined expression, reflecting his dynamic and competitive personality. His dark hair is styled neatly, and he sports a light stubble, adding to his youthful yet intense vibe. He is of Mexican descent, with warm brown skin and expressive dark eyes that convey confidence and ambition.\n\nDressed in the Yucat\u00e1n Force team's home kit, Emilio wears a vibrant green jersey adorned with his number, 19, prominently displayed on his chest and back. The jersey features the club emblem on the left side and is paired with matching shorts. He is wearing white socks pulled up, with a hint of green trim at the top, and black cleats designed for agility.\n\nIn the portrait, Emilio is captured in a dynamic pose, with his right foot slightly forward as if he\u2019s ready to take a powerful shot on goal. His stance reflects a blend of poised confidence and energetic readiness. The mood is upbeat and focused, indicative of his strong form rating of 7, and there are no signs of injury. The background is a blurred stadium scene, symbolizing the excitement and anticipation of matchday, while subtly framing him as a key player for his team."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_2.json b/data/huge-league/players/Yucatan_Force_2.json index 9a5a9551e03ccfe35bce7728e65a9882cba4134a..6f4be2bd8fba7ad1ead7ebb225838cdb79652558 100644 --- a/data/huge-league/players/Yucatan_Force_2.json +++ b/data/huge-league/players/Yucatan_Force_2.json @@ -1 +1 @@ -{"number": 2, "name": "C\u00e9sar Navarro", "age": 30, "nationality": "Mexico", "shirt_number": 2, "position": "Left Back", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 3, "assists": 7, "yellow_cards": 2, "red_cards": 0, "bio": "C\u00e9sar Navarro, a formidable left back from Yucat\u00e1n, combines fierce defensive skills with a remarkable ability to support his team's attacking plays. Renowned for his tireless work rate and sharp tactical awareness, C\u00e9sar embodies the spirit of El Templo del Sol. His signature skill is the swift overlap, consistently catching opponents off guard, making him a crucial player for Yucat\u00e1n Force."} \ No newline at end of file +{"number": 2, "name": "C\u00e9sar Navarro", "age": 30, "nationality": "Mexico", "shirt_number": 2, "position": "Left Back", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 3, "assists": 7, "yellow_cards": 2, "red_cards": 0, "bio": "C\u00e9sar Navarro, a formidable left back from Yucat\u00e1n, combines fierce defensive skills with a remarkable ability to support his team's attacking plays. Renowned for his tireless work rate and sharp tactical awareness, C\u00e9sar embodies the spirit of El Templo del Sol. His signature skill is the swift overlap, consistently catching opponents off guard, making him a crucial player for Yucat\u00e1n Force.", "profile_pic": "A portrait of C\u00e9sar Navarro, a 30-year-old Mexican soccer player standing confidently in his Yucatan Force team kit. He is 178 cm tall, weighing 75 kg, with a strong, athletic build reflecting his role as a left back. His head is slightly turned, showcasing his angular face, high cheekbones, and determined hazel eyes that convey focus and intensity.\n\nC\u00e9sar has short, dark hair neatly styled, with a slight wave on top, complementing his tanned complexion. His expression is serious yet approachable, reflecting his fierce competitive nature balanced with camaraderie on the field. He wears the Yucatan Force home jersey, predominantly in vibrant colors, featuring the team's emblem on the chest and the number \"2\" prominently displayed on his left sleeve. The jersey is completed with crisp shorts and matching socks, exuding professionalism and spirit.\n\nHe stands with a slight forward lean, one foot placed firmly on the ground while the other is slightly back, hinting at readiness and motion. The backdrop is a blurred stadium setting, with the crowd faintly visible, evoking anticipation and excitement. The overall mood of the image is energetic and motivational, emphasizing C\u00e9sar's impressive form of 8 and his status as a starter."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_20.json b/data/huge-league/players/Yucatan_Force_20.json index daf99c6139a84f5fa63ffa97ccca186f4e58b7db..d0deed0a6c74f196bc32b64ba3d68ac740ae1ade 100644 --- a/data/huge-league/players/Yucatan_Force_20.json +++ b/data/huge-league/players/Yucatan_Force_20.json @@ -1 +1 @@ -{"number": 20, "name": "Javier Mart\u00ednez", "age": 28, "nationality": "Mexico", "shirt_number": 20, "position": "Left Wing", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Born in the vibrant streets of Guadalajara, Javier Mart\u00ednez is known for his explosive pace and deft dribbling. A true left-wing magician, he dances around defenders with ease, channeling the spirit of Mexico's rich football heritage. His tenacity and flair make him a crowd favorite at El Templo del Sol, where fans roar with every dazzling run he makes."} \ No newline at end of file +{"number": 20, "name": "Javier Mart\u00ednez", "age": 28, "nationality": "Mexico", "shirt_number": 20, "position": "Left Wing", "preferred_foot": "Right", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Born in the vibrant streets of Guadalajara, Javier Mart\u00ednez is known for his explosive pace and deft dribbling. A true left-wing magician, he dances around defenders with ease, channeling the spirit of Mexico's rich football heritage. His tenacity and flair make him a crowd favorite at El Templo del Sol, where fans roar with every dazzling run he makes.", "profile_pic": "A portrait of Javier Mart\u00ednez, a 28-year-old Mexican soccer player standing confidently against a vibrant backdrop of El Templo del Sol stadium. He is 178 cm tall and weighs 75 kg, showcasing a well-built athletic physique. Javier has sun-kissed skin and a confident smile, embodying a charismatic personality. His dark, slightly wavy hair is styled neatly, with a few strands falling across his forehead. His expressive brown eyes shine with determination and passion for the game.\n\nHe is wearing the Yucatan Force team kit, which features a striking combination of deep green and gold. The shirt, with the number 20 prominently displayed on his back, is slightly snug, highlighting his muscular build. The shorts and socks match the shirt's colors, incorporating sleek design elements that reflect modern sports fashion. His right foot is slightly forward, indicating a readiness to sprint, with a slight rotation in his body that showcases his left-wing position on the field.\n\nThe mood conveys confidence and enthusiasm, enhanced by his recent good form rating of 7. A subtle glow of stadium lights adds warmth to the image, and a few blurred fans can be seen in the background, cheering and celebrating the excitement of match day. The portrait exudes energy, perfectly capturing Javier\u2019s explosive pace and vibrant essence without showing any signs of injury, highlighting his present readiness to dazzle on the field."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_21.json b/data/huge-league/players/Yucatan_Force_21.json index b517ddbc209651eabe2baf19afb2ef66e6b04131..7c725dce93a5533ae0d6b6249d5d068a8f7f29ee 100644 --- a/data/huge-league/players/Yucatan_Force_21.json +++ b/data/huge-league/players/Yucatan_Force_21.json @@ -1 +1 @@ -{"number": 21, "name": "Eduardo Castillo", "age": 24, "nationality": "Mexico", "shirt_number": 21, "position": "Right Wing", "preferred_foot": "Left", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Eduardo Castillo, a dazzling right winger from Mexico, is known for his blistering pace and impeccable dribbling skills. His signature move\u2014a feint followed by a curling left-footed shot\u2014often leaves defenders in the dust. With a fierce competitive spirit, Eduardo brings a vibrant energy to Yucat\u00e1n Force, embodying the passion and heritage of the Mayan heartland."} \ No newline at end of file +{"number": 21, "name": "Eduardo Castillo", "age": 24, "nationality": "Mexico", "shirt_number": 21, "position": "Right Wing", "preferred_foot": "Left", "role": "Bench", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 72, "overall_rating": 85, "is_injured": false, "form": 7, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "Eduardo Castillo, a dazzling right winger from Mexico, is known for his blistering pace and impeccable dribbling skills. His signature move\u2014a feint followed by a curling left-footed shot\u2014often leaves defenders in the dust. With a fierce competitive spirit, Eduardo brings a vibrant energy to Yucat\u00e1n Force, embodying the passion and heritage of the Mayan heartland.", "profile_pic": "**Image Prompt:**\n\nA portrait of Eduardo Castillo, a 24-year-old Mexican professional soccer player, exuding a vibrant energy. He stands confidently in a dynamic pose, slightly turned to the right to showcase his athletic build. With a height of 178 cm and weighing 72 kg, he has a toned physique that reflects his active lifestyle. \n\nEduardo has short, dark hair styled casually, accentuating his sharp facial features, including high cheekbones and a warm, engaging smile that reveals his competitive spirit. His almond-shaped eyes shine with determination, and his complexion radiates a healthy glow. \n\nHe is wearing the Yucat\u00e1n Force team kit, which consists of a vibrant green jersey with white accents and his shirt number 21 prominently displayed. The kit is complemented by matching shorts and socks, with the team crest visible on his chest. \n\nThe background features a softly blurred stadium scene, evoking the atmosphere of a matchday, with hints of cheering fans and bright floodlights illuminating the field. Eduardo stands in a confident pose, arms crossed with a slight tilt of his head, conveying both charisma and readiness, undeterred by his role on the bench. His overall demeanor suggests he is in good form, as evidenced by his impressive overall rating of 85, reflected in his expressive gaze and confident posture. The mood is uplifting and inspiring, capturing the essence of a dedicated athlete committed to making his mark."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_22.json b/data/huge-league/players/Yucatan_Force_22.json index 718818d76a15a688b129c0f7cb4bc1828ff0f716..e0d02c7aaac23161035a34f307a39d9f79d385ae 100644 --- a/data/huge-league/players/Yucatan_Force_22.json +++ b/data/huge-league/players/Yucatan_Force_22.json @@ -1 +1 @@ -{"number": 22, "name": "Santiago Jim\u00e9nez", "age": 21, "nationality": "Mexico", "shirt_number": 22, "position": "Various", "preferred_foot": "Left", "role": "Reserve/Prospect", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 15, "assists": 8, "yellow_cards": 3, "red_cards": 0, "bio": "Santiago Jim\u00e9nez, a dynamic left-footed forward, dazzles on the pitch with his agility and precise finishing. Hailing from Mexico, he combines youthful exuberance with a fierce determination to leave an impact each match. Often seen weaving through defenders, his signature move is a deft cut inside, enabling him to unleash powerful shots that resonate in the hearts of Yucat\u00e1n Force fans. His relentless work ethic and passion for the game make him a bright prospect in the world of soccer."} \ No newline at end of file +{"number": 22, "name": "Santiago Jim\u00e9nez", "age": 21, "nationality": "Mexico", "shirt_number": 22, "position": "Various", "preferred_foot": "Left", "role": "Reserve/Prospect", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 7, "goals": 15, "assists": 8, "yellow_cards": 3, "red_cards": 0, "bio": "Santiago Jim\u00e9nez, a dynamic left-footed forward, dazzles on the pitch with his agility and precise finishing. Hailing from Mexico, he combines youthful exuberance with a fierce determination to leave an impact each match. Often seen weaving through defenders, his signature move is a deft cut inside, enabling him to unleash powerful shots that resonate in the hearts of Yucat\u00e1n Force fans. His relentless work ethic and passion for the game make him a bright prospect in the world of soccer.", "profile_pic": "A professional portrait of Santiago Jim\u00e9nez, a 21-year-old Mexican soccer player. He stands confidently in his team's kit, the Yucatan Force, showcasing a striking design in vibrant colors of blue and gold, adorned with the number 22 on the back. Santiago is 178 cm tall, with a muscular build weighing 75 kg, reflecting his athletic prowess. His facial features capture a youthful charisma, with sharp cheekbones, dark expressive eyes, and a determined yet approachable smile. His black hair is styled in a trendy manner, adding to his energetic vibe.\n\nHe is posed in a slight forward lean, with his left foot slightly raised, suggesting readiness and intensity, embodying his role as a dynamic forward. Santiago\u2019s posture conveys confidence and determination, demonstrating his high form with a rating of 82. The background is blurred to focus on him, with subtle hints of the stadium to create a matchday atmosphere. The image radiates an inviting, passionate energy, portraying him as a fierce competitor who is injury-free and ready to shine on the field."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_23.json b/data/huge-league/players/Yucatan_Force_23.json index 13b6b56a38572d19760e15f9cc6de816f3229f19..476fd9e19d05c484e52438adc4e2b256df22c574 100644 --- a/data/huge-league/players/Yucatan_Force_23.json +++ b/data/huge-league/players/Yucatan_Force_23.json @@ -1 +1 @@ -{"number": 23, "name": "Pablo Vargas", "age": 24, "nationality": "Mexico", "shirt_number": 23, "position": "Various", "preferred_foot": "Right", "role": "Reserve/Prospect", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 70, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 12, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Pablo Vargas is a dynamic playmaker known for his quick footwork and creative vision on the pitch. Hailing from the vibrant streets of M\u00e9rida, he embodies the spirit of the Yucat\u00e1n Force, dazzling fans with his unpredictable dribbles and fearless attitude. A product of local talent, his signature move, a swift cut inside followed by a powerful shot, has made him a crowd favorite, leaving defenders bewildered and the stands erupting with excitement."} \ No newline at end of file +{"number": 23, "name": "Pablo Vargas", "age": 24, "nationality": "Mexico", "shirt_number": 23, "position": "Various", "preferred_foot": "Right", "role": "Reserve/Prospect", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 70, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 12, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Pablo Vargas is a dynamic playmaker known for his quick footwork and creative vision on the pitch. Hailing from the vibrant streets of M\u00e9rida, he embodies the spirit of the Yucat\u00e1n Force, dazzling fans with his unpredictable dribbles and fearless attitude. A product of local talent, his signature move, a swift cut inside followed by a powerful shot, has made him a crowd favorite, leaving defenders bewildered and the stands erupting with excitement.", "profile_pic": "A portrait of Pablo Vargas, a 24-year-old Mexican soccer player, standing confidently on a vibrant pitch. He is 178 cm tall, weighing 70 kg, showcasing a dynamic, athletic build. His facial features reflect his Mexican heritage, with warm brown skin, dark, expressive eyes, and shoulder-length black hair tied back, accentuating a focus and determination in his expression.\n\nWearing the Yucatan Force's home team kit, the jersey is a bright green with bold, white accents, featuring his number 23 prominently on the back. He has matching green shorts and socks adorned with the team\u2019s logo, and his right foot is slightly forward, hinting at readiness and agility. \n\nThe background captures a lively stadium filled with cheering fans, hinting at the excitement of a match day. The lighting is bright and warm, casting a pleasant glow on his face, emphasizing his dynamic personality as a playful yet competitive athlete. His stance is relaxed but assertive, embodying his role as a reserve/prospect who is eager to make an impact, with no sign of injury, indicating peak form and vibrant energy."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_3.json b/data/huge-league/players/Yucatan_Force_3.json index 59a50e71033a9c02418b3c8675ed34881be6fd4b..aad330735413ec8099c85b6e210ad22d17417d31 100644 --- a/data/huge-league/players/Yucatan_Force_3.json +++ b/data/huge-league/players/Yucatan_Force_3.json @@ -1 +1 @@ -{"number": 3, "name": "Luis Navarro", "age": 25, "nationality": "Mexico", "shirt_number": 3, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 180, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Luis Navarro, a stalwart at the back, orchestrates the defensive line with a commanding presence. Known for his unyielding tackles and precise aerial ability, he embodies the fighting spirit of his roots in M\u00e9rida. With a fierce determination and a knack for stepping up in crucial moments, Navarro has become a fan favorite, earning respect as a leader both on and off the pitch."} \ No newline at end of file +{"number": 3, "name": "Luis Navarro", "age": 25, "nationality": "Mexico", "shirt_number": 3, "position": "Center Back", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 180, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 2, "assists": 1, "yellow_cards": 3, "red_cards": 0, "bio": "Luis Navarro, a stalwart at the back, orchestrates the defensive line with a commanding presence. Known for his unyielding tackles and precise aerial ability, he embodies the fighting spirit of his roots in M\u00e9rida. With a fierce determination and a knack for stepping up in crucial moments, Navarro has become a fan favorite, earning respect as a leader both on and off the pitch.", "profile_pic": "A realistic portrait of Luis Navarro, a 25-year-old Mexican soccer player. He stands confidently at 180 cm, weighing 75 kg, showcasing a strong athletic build. Navarro has a chiseled jawline, warm brown skin, and is sporting short, neatly styled dark hair. His intense brown eyes convey determination and leadership. He is wearing the Yucatan Force's home team kit, which features a vibrant green shirt with white accents, the team's logo prominently on his left chest, and his shirt number, 3, displayed on the back. The shorts are also green, paired with white socks that have green stripes. \n\nLuis is posed at an angle, slightly turned to the left, giving off an air of readiness and resilience. His strong arms are crossed over his chest, reflecting his role as a center back and starter for the team. The background is a blurred soccer pitch under bright stadium lights, hinting at matchday excitement. His confident demeanor is accentuated by a subtle smile, and he appears in peak form, reflecting his overall rating of 85, without any sign of injury. The mood of the image is one of triumph and anticipation, capturing the essence of a fan favorite and fierce competitor."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_4.json b/data/huge-league/players/Yucatan_Force_4.json index 8af3123e2ecbf6d1199025f7717b24e793849a02..0a38c8608ce17f9fd657d8644f03cd587699acf4 100644 --- a/data/huge-league/players/Yucatan_Force_4.json +++ b/data/huge-league/players/Yucatan_Force_4.json @@ -1 +1 @@ -{"number": 4, "name": "Arturo S\u00e1nchez", "age": 32, "nationality": "Mexico", "shirt_number": 4, "position": "Center Back", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 185, "weight_kg": 80, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 3, "assists": 1, "yellow_cards": 5, "red_cards": 1, "bio": "Arturo S\u00e1nchez is a stalwart center back renowned for his aggressive tackles and aerial prowess. A true warrior on the pitch, he embodies the spirit of Yucat\u00e1n Force, motivating teammates with his tenacity and fierce dedication. Growing up in the vibrant culture of M\u00e9rida, he combines skilled defending with a heart full of passion for his roots."} \ No newline at end of file +{"number": 4, "name": "Arturo S\u00e1nchez", "age": 32, "nationality": "Mexico", "shirt_number": 4, "position": "Center Back", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 185, "weight_kg": 80, "overall_rating": 78, "is_injured": false, "form": 7, "goals": 3, "assists": 1, "yellow_cards": 5, "red_cards": 1, "bio": "Arturo S\u00e1nchez is a stalwart center back renowned for his aggressive tackles and aerial prowess. A true warrior on the pitch, he embodies the spirit of Yucat\u00e1n Force, motivating teammates with his tenacity and fierce dedication. Growing up in the vibrant culture of M\u00e9rida, he combines skilled defending with a heart full of passion for his roots.", "profile_pic": "A realistic portrait of Arturo S\u00e1nchez, a 32-year-old Mexican soccer player standing confidently at 185 cm tall and weighing 80 kg. He has a strong, athletic build, showcasing his muscular frame. His facial features highlight his heritage, with warm brown skin, dark, slightly wavy hair cropped short on the sides and slightly longer on top, and deep-set brown eyes that exude a fierce determination. He has a prominent jawline with a subtle stubble that adds to his rugged demeanor.\n\nArturo is wearing the Yucatan Force home kit, which consists of a vibrant green jersey with the team emblem prominently displayed over his heart, paired with matching shorts and green socks. His left foot is positioned slightly forward, hinting at his preference for playing on that side, while his right foot is planted firmly for stability. \n\nThe background is a blurred stadium scene, suggesting an electrifying match-day atmosphere with cheering fans and bright floodlights. Arturo\u2019s expression is one of intense focus and motivation, conveying his passion for the game and dedication to his team. He stands tall, exuding confidence, with his arms crossed or a subtle hint of a fist clenched to symbolize readiness and strength, embodying the warrior spirit he is known for on the pitch. There are no indications of injury; instead, he appears in peak form, reflecting his current performance rating of 78 with pride."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_5.json b/data/huge-league/players/Yucatan_Force_5.json index 28cf0f69a6168d1560814e8c3668791151fd1c56..ac4484379b08f2560a5c0d235f0e2a93ab7a3eb8 100644 --- a/data/huge-league/players/Yucatan_Force_5.json +++ b/data/huge-league/players/Yucatan_Force_5.json @@ -1 +1 @@ -{"number": 5, "name": "Ram\u00f3n S\u00e1nchez", "age": 31, "nationality": "Mexico", "shirt_number": 5, "position": "Right Back", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 2, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Ram\u00f3n S\u00e1nchez, known for his relentless tackles and precise crosses, embodies the spirit of Yucat\u00e1n Force. His aggressive playing style is matched only by his unwavering determination to defend his territory, making him a fan favorite in El Templo del Sol. A proud Mexican, he combines raw athleticism with strategic vision, earning him respect across the league."} \ No newline at end of file +{"number": 5, "name": "Ram\u00f3n S\u00e1nchez", "age": 31, "nationality": "Mexico", "shirt_number": 5, "position": "Right Back", "preferred_foot": "Right", "role": "Starter", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 2, "assists": 5, "yellow_cards": 3, "red_cards": 1, "bio": "Ram\u00f3n S\u00e1nchez, known for his relentless tackles and precise crosses, embodies the spirit of Yucat\u00e1n Force. His aggressive playing style is matched only by his unwavering determination to defend his territory, making him a fan favorite in El Templo del Sol. A proud Mexican, he combines raw athleticism with strategic vision, earning him respect across the league.", "profile_pic": "A realistic portrait of Ram\u00f3n S\u00e1nchez, a 31-year-old Mexican professional soccer player, standing confidently on the field. He has a medium athletic build, standing at 178 cm tall and weighing 75 kg. His short, dark hair is slightly tousled, and he has a strong jawline and piercing brown eyes that reflect determination. A subtle hint of a smile conveys his passion for the game, while a faint scar above his right eyebrow suggests his tough playing style.\n\nHe is wearing the Yucatan Force team kit, featuring a vibrant blend of deep green and yellow, with the number 5 prominently displayed on his jersey. The shirt fits snugly against his physique, showcasing his muscular arms and toned legs. His right foot is planted firmly on the ground while his left leg is slightly raised, suggesting a readiness to sprint down the field. \n\nThe background depicts the bustling atmosphere of El Templo del Sol, packed with cheering fans, creating a sense of excitement. The stadium lights cast a bright glow, accentuating his focused expression and the sheen of sweat on his skin after an intense match. His overall demeanor is one of confidence and pride in representing his team, with a posture that exudes readiness and resilience, reflecting his excellent form and strong overall rating of 82."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_6.json b/data/huge-league/players/Yucatan_Force_6.json index 8e119d2ec1e4df7e63409c9551b368a1ecf3b07b..dddcaa199be0a23ca5f6e375c09b55342ef7fa99 100644 --- a/data/huge-league/players/Yucatan_Force_6.json +++ b/data/huge-league/players/Yucatan_Force_6.json @@ -1 +1 @@ -{"number": 6, "name": "Miguel Vargas", "age": 31, "nationality": "Mexico", "shirt_number": 6, "position": "Defensive Mid", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 4, "assists": 7, "yellow_cards": 3, "red_cards": 0, "bio": "Miguel Vargas is a tenacious midfielder with an unyielding spirit, known for his precise tackles and uncanny ability to read the game. Hailing from the vibrant streets of M\u00e9rida, he embodies the heart of Yucat\u00e1n Force, making him a fan favorite. With a slick, left-footed shot and an eye for connecting plays, he consistently brings intensity and flair to every match."} \ No newline at end of file +{"number": 6, "name": "Miguel Vargas", "age": 31, "nationality": "Mexico", "shirt_number": 6, "position": "Defensive Mid", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 178, "weight_kg": 75, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 4, "assists": 7, "yellow_cards": 3, "red_cards": 0, "bio": "Miguel Vargas is a tenacious midfielder with an unyielding spirit, known for his precise tackles and uncanny ability to read the game. Hailing from the vibrant streets of M\u00e9rida, he embodies the heart of Yucat\u00e1n Force, making him a fan favorite. With a slick, left-footed shot and an eye for connecting plays, he consistently brings intensity and flair to every match.", "profile_pic": "A realistic portrait of Miguel Vargas, a 31-year-old Mexican professional soccer player standing confidently on a field. He stands at 178 cm tall and weighs 75 kg, with a well-built physique that reflects his athleticism. His skin is a warm tan, and he has short, neatly styled dark hair with a slight wave and a well-groomed beard. His intense dark brown eyes convey determination and focus, embodying his tenacious personality.\n\nHe is wearing the home kit of Yucat\u00e1n Force: a striking jersey dominated by vibrant green and white, featuring the team's logo on the left chest. The shirt is accented with sleek black details and his number \"6\" prominently displayed on the back. He dons matching shorts and tall black socks with green stripes, complemented by flashy black cleats. \n\nMiguel is posed in a slight forward stance, one foot slightly in front of the other, with a subtly confident smile that radiates passion for the game. His hands are placed on his hips, exuding leadership as a starter in his role as a defensive midfielder. The background captures a lively stadium atmosphere, with blurred fans cheering, enhancing the mood of excitement and anticipation for the match. The overall image showcases him in peak form, projecting confidence and readiness to take on the challenges of the game."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_7.json b/data/huge-league/players/Yucatan_Force_7.json index 3968bc18df2a28f5bd3fa513c0c94e8b9b3dcaeb..bd48feb1d4dd76440a497f8228c30b6608dbbee0 100644 --- a/data/huge-league/players/Yucatan_Force_7.json +++ b/data/huge-league/players/Yucatan_Force_7.json @@ -1 +1 @@ -{"number": 7, "name": "Santiago Ortega", "age": 19, "nationality": "Mexico", "shirt_number": 7, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 175, "weight_kg": 68, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 10, "assists": 12, "yellow_cards": 3, "red_cards": 1, "bio": "Santiago Ortega, a 19-year-old dynamo from Mexico, thrives in the midfield with his deft left foot and uncanny ability to orchestrate the game. Known for his aggressive style and vision, he dances deftly past opponents, embodying the spirit of Yucat\u00e1n Force. With a flair for the dramatic, he has quickly become a fan favorite, often leading the charge with his electrifying runs and vital contributions in crucial matches."} \ No newline at end of file +{"number": 7, "name": "Santiago Ortega", "age": 19, "nationality": "Mexico", "shirt_number": 7, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 175, "weight_kg": 68, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 10, "assists": 12, "yellow_cards": 3, "red_cards": 1, "bio": "Santiago Ortega, a 19-year-old dynamo from Mexico, thrives in the midfield with his deft left foot and uncanny ability to orchestrate the game. Known for his aggressive style and vision, he dances deftly past opponents, embodying the spirit of Yucat\u00e1n Force. With a flair for the dramatic, he has quickly become a fan favorite, often leading the charge with his electrifying runs and vital contributions in crucial matches.", "profile_pic": "A realistic portrait of Santiago Ortega, a 19-year-old Mexican soccer player standing confidently in the official kit of Yucatan Force. He is 175 cm tall and weighs 68 kg, exuding energy and dynamism. His left foot is slightly raised, highlighting his role as a Central Midfielder. He has a medium build with well-defined muscles, showcasing athleticism.\n\nSantiago has a youthful face with high cheekbones, dark expressive eyes, and a friendly yet fierce look. His hair is black, styled in a slightly tousled, modern cut that reflects his passionate nature. He sports a confident smile that hints at his charm and charisma, embodying his flair for the dramatic on the field.\n\nThe Yucatan Force kit is vibrant, featuring a bright red jersey adorned with the number 7 prominently displayed. The club logo is embroidered on the left chest, and the sleeves have subtle textures that suggest a high-performance material. He wears matching shorts and high socks, completing the performance-ready look.\n\nIn the background, the stadium is slightly blurred, emphasizing the excitement of matchday with colorful banners and energized fans. The mood is electric, highlighting his strong form and recent achievements, without any signs of injury. Santiago's posture is relaxed yet assertive, capturing his confidence as a starter with an overall rating of 85. The lighting is bright and accentuates his features, conveying a sense of optimism and star potential."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_8.json b/data/huge-league/players/Yucatan_Force_8.json index d0cfd4c197a03fe2467e1f011b67e75bc9d10233..096e77e648e0e6cd99b6a2ec368e260c2d2059fd 100644 --- a/data/huge-league/players/Yucatan_Force_8.json +++ b/data/huge-league/players/Yucatan_Force_8.json @@ -1 +1 @@ -{"number": 8, "name": "Juan Reyes", "age": 29, "nationality": "Mexico", "shirt_number": 8, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 175, "weight_kg": 70, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 0, "bio": "Juan Reyes, a maestro in midfield, weaves his left foot like a craftsman, effortlessly orchestrating play with unparalleled vision and flair. Born and raised in the vibrant heart of Mexico, his tenacity and creativity on the pitch resonate with the rich cultural backdrop of his homeland, making him a beloved figure in Yucat\u00e1n Force\u2019s storied history."} \ No newline at end of file +{"number": 8, "name": "Juan Reyes", "age": 29, "nationality": "Mexico", "shirt_number": 8, "position": "Central Mid", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 175, "weight_kg": 70, "overall_rating": 82, "is_injured": false, "form": 8, "goals": 12, "assists": 15, "yellow_cards": 3, "red_cards": 0, "bio": "Juan Reyes, a maestro in midfield, weaves his left foot like a craftsman, effortlessly orchestrating play with unparalleled vision and flair. Born and raised in the vibrant heart of Mexico, his tenacity and creativity on the pitch resonate with the rich cultural backdrop of his homeland, making him a beloved figure in Yucat\u00e1n Force\u2019s storied history.", "profile_pic": "A dynamic portrait of Juan Reyes, a 29-year-old Mexican soccer player, stands confidently in the Yucatan Force\u2019s home kit. He is 175 cm tall and weighs 70 kg, with an athletic yet lean build that conveys agility and strength. His face features warm, expressive brown eyes, complemented by a friendly smile and slightly tousled dark hair, giving him a charismatic presence. \n\nHe is wearing the team's vibrant red and white striped jersey with his shirt number 8 prominently displayed on the back. His left foot, slightly forward, rests on a soccer ball, illustrating his preferred kicking stance. The atmosphere is energetic, reflecting his positive form rating of 8, with no signs of injury. The background captures a green soccer field under bright stadium lights, bringing focus to him as he stands, exuding confidence and a sense of purpose. The overall mood conveys professionalism, determination, and a touch of flair, characteristic of his playing style."} \ No newline at end of file diff --git a/data/huge-league/players/Yucatan_Force_9.json b/data/huge-league/players/Yucatan_Force_9.json index 4c8e6cefb9ebd2f3ae6c8332d79e0ae449806034..67935c15d70ebae3898403804f2045869a3ac85c 100644 --- a/data/huge-league/players/Yucatan_Force_9.json +++ b/data/huge-league/players/Yucatan_Force_9.json @@ -1 +1 @@ -{"number": 9, "name": "H\u00e9ctor L\u00f3pez", "age": 28, "nationality": "Mexico", "shirt_number": 9, "position": "Left Wing", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 175, "weight_kg": 70, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "H\u00e9ctor L\u00f3pez, hailing from the vibrant streets of M\u00e9rida, is known for his electrifying left foot that dazzles defenders. With a fierce competitive spirit and unmatched agility, he leaves his mark on every match, embodying the heart and soul of Yucat\u00e1n Force. His signature move, a swift cut inside followed by a curling shot, is a crowd favorite, making him a true local hero and a constant threat on the flank."} \ No newline at end of file +{"number": 9, "name": "H\u00e9ctor L\u00f3pez", "age": 28, "nationality": "Mexico", "shirt_number": 9, "position": "Left Wing", "preferred_foot": "Left", "role": "Starter", "team": "Yucatan Force", "height_cm": 175, "weight_kg": 70, "overall_rating": 85, "is_injured": false, "form": 8, "goals": 15, "assists": 10, "yellow_cards": 3, "red_cards": 1, "bio": "H\u00e9ctor L\u00f3pez, hailing from the vibrant streets of M\u00e9rida, is known for his electrifying left foot that dazzles defenders. With a fierce competitive spirit and unmatched agility, he leaves his mark on every match, embodying the heart and soul of Yucat\u00e1n Force. His signature move, a swift cut inside followed by a curling shot, is a crowd favorite, making him a true local hero and a constant threat on the flank.", "profile_pic": "A portrait of H\u00e9ctor L\u00f3pez, a 28-year-old Mexican professional soccer player, stands confidently against a blurred stadium backdrop. He is 175 cm tall, weighing 70 kg, with a lean yet athletic build. His facial features are distinct: warm brown skin, dark hair neatly styled, and deep-set brown eyes radiating focus and determination. There\u2019s a slight smile on his face, reflecting his competitive spirit and charisma. \n\nHe wears the vibrant home kit of the Yucatan Force, which features bold red and yellow colors with dynamic patterns, displaying his shirt number 9 prominently on the front and back. The kit is accented by sleek white shorts and matching red socks, emphasizing his active lifestyle. \n\nH\u00e9ctor is posed with his left foot slightly forward, ready to showcase his signature move, giving a sense of movement and agility. His confident stance, combined with a backdrop of cheering fans, conveys the excitement of matchday. The overall mood is energetic and inspiring, encapsulating the essence of a player in top form, having secured 15 goals this season."} \ No newline at end of file