diff --git a/.env.example b/.env.example deleted file mode 100644 index 3cb34185651befd6e1e4fe3a8ec9ed104737fafa..0000000000000000000000000000000000000000 --- a/.env.example +++ /dev/null @@ -1,11 +0,0 @@ -# OpenAI API credentials -OPENAI_API_KEY="your_openai_api_key_here" -OPENAI_MODEL="gpt-4o" - -# Neo4j Aura database credentials -AURA_CONNECTION_URI="your_neo4j_uri_here" -AURA_USERNAME="your_neo4j_username_here" -AURA_PASSWORD="your_neo4j_password_here" - -# Optional: Zep memory service (if using) -ZEP_API_KEY="your_zep_api_key_here" diff --git a/api/trace_implementation.md b/api/trace_implementation.md new file mode 100644 index 0000000000000000000000000000000000000000..9375044959489d220c6fc13592d434a74161b875 --- /dev/null +++ b/api/trace_implementation.md @@ -0,0 +1,338 @@ +# Freeplay Traces Implementation Plan + +## Overview + +This document outlines the implementation plan for integrating Freeplay Traces into the existing Huge League Soccer application. Traces provide enhanced observability by grouping LLM interactions within a session, allowing us to track input questions, LLM responses, and associated metadata. + +## Current Architecture + +### Existing Freeplay Integration Points + +1. **Session Management** (`api/server_gradio.py`) + - `AppState.ensure_sessions()` - Creates Freeplay session on first user interaction + - Session ID preserved across state changes + +2. **Prompt Management** (`api/workflows/base.py`) + - `call_model()` - Retrieves persona-specific prompts via `get_prompt_by_persona()` + - Uses Freeplay prompt templates (casual_fan_prompt, super_fan_prompt) + +3. **Session Recording** (`api/workflows/base.py`) + - `should_continue()` - Records final LLM responses to Freeplay session + - Uses `record_session()` method + +## Proposed Traces Implementation + +### AppState Enhancement + +The `AppState` class will be enhanced to store the actual Freeplay session object, allowing direct access to `session.create_trace()` as shown in the original documentation. + +### Modified Methods + +```python +# api/utils/freeplay_helpers.py - Modified method +def record_session(self, state, end: Optional[float] = time.time(), + formatted_prompt: Optional[FormattedPrompt] = None, + prompt_vars: Optional[dict] = None, + trace_info: Optional[TraceInfo] = None): # NEW PARAMETER + # ... existing code ... + payload = RecordPayload( + # ... existing fields ... + trace_info=trace_info # NEW FIELD + ) +``` + +## Implementation Flow + +### 1. AppState Enhancement +**Location:** `api/server_gradio.py` - `AppState` class + +```python +class AppState(BaseModel): + # ... existing fields ... + freeplay_session_id: str = "" + freeplay_session: Optional[Any] = None # NEW: Store the actual session object + + def ensure_sessions(self): + if not self.zep_session_id: + self.zep_session_id = ZepClient() \ + .get_or_create_user(self.email, self.first_name, self.last_name) \ + .create_session() \ + .session_id + if not self.freeplay_session_id: + freeplay_client = FreeplayClient() + self.freeplay_session = freeplay_client.create_session() # Store session object + self.freeplay_session_id = self.freeplay_session.session_id +``` + +### 2. User Input & Trace Creation +**Location:** `api/server_gradio.py` - `submit_helper()` + +```python +def submit_helper(state, handler, user_query): + state.ensure_sessions() # Freeplay session already exists + + # Create trace directly on the session object + trace_info = state.freeplay_session.create_trace( + input=user_query, # optional metadata not included + ) + + # Pass trace_info to workflow + workflow_bundle, workflow_state = build_workflow_with_state( + handler=handler, + zep_session_id=state.zep_session_id, + freeplay_session_id=state.freeplay_session_id, + email=state.email, + first_name=state.first_name, + last_name=state.last_name, + persona=state.persona, + messages=state.history, + trace_info=trace_info, # NEW: Pass trace_info to workflow + ) +``` + +### 3. Workflow State Enhancement +**Location:** `api/workflows/base.py` - `AgentState` + +```python +class AgentState(TypedDict): + # ... existing fields ... + trace_info: Optional[TraceInfo] = None # NEW +``` + +### 4. Workflow Builder Enhancement +**Location:** `api/workflows/base.py` - `build_workflow_with_state()` + +```python +def build_workflow_with_state(handler: AsyncCallbackHandler, + zep_session_id: Optional[str] = None, + freeplay_session_id: Optional[str] = None, + email: Optional[str] = None, + first_name: Optional[str] = None, + last_name: Optional[str] = None, + persona: Optional[str] = None, + messages: Optional[List[BaseMessage]] = None, + trace_info: Optional[TraceInfo] = None) -> Tuple[WorkflowBundle, AgentState]: # NEW PARAMETER + """ + Utility to build workflow and initial state in one step. + """ + bundle = build_workflow(handler) + state = { + "zep_session_id": zep_session_id, + "freeplay_session_id": freeplay_session_id, + "email": email, + "first_name": first_name, + "last_name": last_name, + "persona": persona, + "messages": messages or [], + "start_time": time.time(), + "zep_memory": None, + "trace_info": trace_info, # NEW: Populate trace_info in AgentState + } + return bundle, state +``` + +### 5. LLM Processing with Trace Association +**Location:** `api/workflows/base.py` - `call_model()` + +```python +async def call_model(state: AgentState, + handler: AsyncCallbackHandler, + zep_client: ZepClient, + freeplay_client: FreeplayClient) -> dict: + + # ... existing prompt and LLM logic ... + + # Record trace output with LLM response + if state.get("trace_info"): + final_response = response.content if hasattr(response, 'content') else str(response) + state["trace_info"].record_output( + project_id=FREEPLAY_PROJECT_ID, + output=final_response + ) + + return {'messages': [response], 'zep_memory': memory} +``` + +### 6. Session Recording with Trace +**Location:** `api/workflows/base.py` - `should_continue()` + +```python +async def should_continue(state: AgentState, + handler: AsyncCallbackHandler, + zep_client: ZepClient, + freeplay_client: FreeplayClient) -> str: + # ... existing logic ... + + if 'tool_calls' not in last_message.additional_kwargs: + # Record session with trace association + freeplay_client.record_session(state, trace_info=state.get("trace_info")) + return 'end' + return 'continue' +``` + +## Data Flow Diagram + +``` +┌─────────────────┐ ┌──────────────────┐ ┌─────────────────┐ +│ User Input │ │ submit_helper │ │ AppState │ +│ │ │ │ │ │ +│ "Tell me about │───▶│ 1. ensure_sessions│───▶│ freeplay_session│ +│ Ryan Martinez" │ │ 2. create_trace() │ │ .create_trace() │ +└─────────────────┘ │ 3. pass trace_info│ │ │ + └──────────────────┘ └─────────────────┘ + │ │ + ▼ ▼ + ┌──────────────────┐ ┌─────────────────┐ + │ build_workflow_ │ │ Trace Info │ + │ with_state() │ │ │ + │ │ │ - trace_id │ + │ - trace_info │ │ - input │ + │ - user_query │ │ - metadata │ + └──────────────────┘ └─────────────────┘ + │ + ▼ + ┌──────────────────┐ + │ AgentState │ + │ │ + │ - trace_info │ + │ - messages │ + │ - persona │ + └──────────────────┘ + │ + ▼ + ┌──────────────────┐ + │ Workflow │ + │ Execution │ + │ │ + │ call_model() │ + │ - get_prompt() │ + │ - LLM call │ + │ - record_output()│ + └──────────────────┘ + │ + ▼ + ┌──────────────────┐ + │ should_continue()│ + │ │ + │ record_session() │ + │ with trace_info │ + └──────────────────┘ + │ + ▼ + ┌──────────────────┐ + │ Freeplay Session │ + │ Recording │ + │ │ + │ - Session ID │ + │ - Trace Info │ + │ - Input/Output │ + └──────────────────┘ +``` + +## Trace Lifecycle + +### 1. **Creation Phase** +- **Trigger:** User submits question +- **Location:** `submit_helper()` +- **Action:** Create trace with user input and metadata +- **Output:** `TraceInfo` object with `trace_id` + +### 2. **Association Phase** +- **Trigger:** Workflow initialization +- **Location:** `build_workflow_with_state()` +- **Action:** Pass `trace_info` to workflow state +- **Output:** `AgentState` with trace context + +### 3. **Processing Phase** +- **Trigger:** LLM interaction +- **Location:** `call_model()` +- **Action:** Record LLM output to trace +- **Output:** Trace with input/output pair + +### 4. **Recording Phase** +- **Trigger:** Workflow completion +- **Location:** `should_continue()` +- **Action:** Associate trace with session recording +- **Output:** Complete session with trace linkage + +## Benefits + +### Enhanced Observability +- **Input/Output Tracking:** Complete visibility of user questions and LLM responses +- **Metadata Association:** Persona, user info, and interaction context +- **Performance Metrics:** Response times, tool usage, and evaluation results + +### Debugging & Analysis +- **Trace Isolation:** Individual interactions can be analyzed separately +- **Session Context:** Traces maintain session-level context +- **Evaluation Support:** Built-in support for feedback and evaluation metrics + +### Backward Compatibility +- **Optional Implementation:** Traces are opt-in, existing functionality unchanged +- **Graceful Degradation:** System works without traces if disabled +- **Incremental Rollout:** Can be enabled per user or session + +## Implementation Phases + +### Phase 1: AppState Enhancement +1. Add `freeplay_session` property to `AppState` class +2. Modify `ensure_sessions()` to store session object +3. Test session object storage and retrieval + +### Phase 2: Workflow Integration +1. Update `AgentState` to include `trace_info` field +2. Modify `build_workflow_with_state()` to accept `trace_info` parameter +3. Update `call_model()` to record trace outputs +4. Update `should_continue()` to associate traces with sessions + +### Phase 3: Server Integration +1. Update `submit_helper()` to create traces using session object +2. Pass `trace_info` through workflow initialization +3. Test complete trace lifecycle + +### Phase 4: Session Recording Enhancement +1. Modify `record_session()` to accept `trace_info` parameter +2. Update `RecordPayload` to include trace information +3. Test session recording with trace association + +### Phase 5: Testing & Validation +1. Unit tests for trace creation and recording +2. Integration tests for workflow trace integration +3. End-to-end tests for complete trace lifecycle +4. Performance impact assessment + +## Risk Mitigation + +### High Risk Areas +1. **Session State Management** + - **Risk:** Breaking existing session flow + - **Mitigation:** Optional trace parameters, backward compatibility + +2. **Workflow State Changes** + - **Risk:** Breaking existing state structure + - **Mitigation:** Optional fields with defaults, thorough testing + +### Medium Risk Areas +1. **Performance Impact** + - **Risk:** Slowing down workflow execution + - **Mitigation:** Lazy trace creation, optional features + +2. **Data Consistency** + - **Risk:** Trace/recording mismatches + - **Mitigation:** Validation and error handling + +## Success Criteria + +1. **Functionality:** Traces created and recorded for all user interactions +2. **Performance:** No measurable impact on workflow execution time +3. **Compatibility:** All existing functionality continues to work +4. **Observability:** Complete trace data available in Freeplay dashboard +5. **Reliability:** Graceful handling of trace creation/recording failures + +## Next Steps + +1. **User Approval:** Review and approve implementation plan +2. **Phase 1 Implementation:** Begin with core infrastructure +3. **Testing Strategy:** Validate each phase before proceeding +4. **Documentation:** Update API documentation with trace features +5. **Monitoring:** Implement trace-specific logging and metrics \ No newline at end of file diff --git a/components/.gradio/certificate.pem b/components/.gradio/certificate.pem deleted file mode 100644 index b85c8037f6b60976b2546fdbae88312c5246d9a3..0000000000000000000000000000000000000000 --- a/components/.gradio/certificate.pem +++ /dev/null @@ -1,31 +0,0 @@ ------BEGIN CERTIFICATE----- -MIIFazCCA1OgAwIBAgIRAIIQz7DSQONZRGPgu2OCiwAwDQYJKoZIhvcNAQELBQAw -TzELMAkGA1UEBhMCVVMxKTAnBgNVBAoTIEludGVybmV0IFNlY3VyaXR5IFJlc2Vh -cmNoIEdyb3VwMRUwEwYDVQQDEwxJU1JHIFJvb3QgWDEwHhcNMTUwNjA0MTEwNDM4 -WhcNMzUwNjA0MTEwNDM4WjBPMQswCQYDVQQGEwJVUzEpMCcGA1UEChMgSW50ZXJu -ZXQgU2VjdXJpdHkgUmVzZWFyY2ggR3JvdXAxFTATBgNVBAMTDElTUkcgUm9vdCBY -MTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAK3oJHP0FDfzm54rVygc -h77ct984kIxuPOZXoHj3dcKi/vVqbvYATyjb3miGbESTtrFj/RQSa78f0uoxmyF+ -0TM8ukj13Xnfs7j/EvEhmkvBioZxaUpmZmyPfjxwv60pIgbz5MDmgK7iS4+3mX6U -A5/TR5d8mUgjU+g4rk8Kb4Mu0UlXjIB0ttov0DiNewNwIRt18jA8+o+u3dpjq+sW -T8KOEUt+zwvo/7V3LvSye0rgTBIlDHCNAymg4VMk7BPZ7hm/ELNKjD+Jo2FR3qyH -B5T0Y3HsLuJvW5iB4YlcNHlsdu87kGJ55tukmi8mxdAQ4Q7e2RCOFvu396j3x+UC -B5iPNgiV5+I3lg02dZ77DnKxHZu8A/lJBdiB3QW0KtZB6awBdpUKD9jf1b0SHzUv -KBds0pjBqAlkd25HN7rOrFleaJ1/ctaJxQZBKT5ZPt0m9STJEadao0xAH0ahmbWn -OlFuhjuefXKnEgV4We0+UXgVCwOPjdAvBbI+e0ocS3MFEvzG6uBQE3xDk3SzynTn -jh8BCNAw1FtxNrQHusEwMFxIt4I7mKZ9YIqioymCzLq9gwQbooMDQaHWBfEbwrbw -qHyGO0aoSCqI3Haadr8faqU9GY/rOPNk3sgrDQoo//fb4hVC1CLQJ13hef4Y53CI -rU7m2Ys6xt0nUW7/vGT1M0NPAgMBAAGjQjBAMA4GA1UdDwEB/wQEAwIBBjAPBgNV -HRMBAf8EBTADAQH/MB0GA1UdDgQWBBR5tFnme7bl5AFzgAiIyBpY9umbbjANBgkq -hkiG9w0BAQsFAAOCAgEAVR9YqbyyqFDQDLHYGmkgJykIrGF1XIpu+ILlaS/V9lZL -ubhzEFnTIZd+50xx+7LSYK05qAvqFyFWhfFQDlnrzuBZ6brJFe+GnY+EgPbk6ZGQ -3BebYhtF8GaV0nxvwuo77x/Py9auJ/GpsMiu/X1+mvoiBOv/2X/qkSsisRcOj/KK -NFtY2PwByVS5uCbMiogziUwthDyC3+6WVwW6LLv3xLfHTjuCvjHIInNzktHCgKQ5 -ORAzI4JMPJ+GslWYHb4phowim57iaztXOoJwTdwJx4nLCgdNbOhdjsnvzqvHu7Ur -TkXWStAmzOVyyghqpZXjFaH3pO3JLF+l+/+sKAIuvtd7u+Nxe5AW0wdeRlN8NwdC -jNPElpzVmbUq4JUagEiuTDkHzsxHpFKVK7q4+63SM1N95R1NbdWhscdCb+ZAJzVc -oyi3B43njTOQ5yOf+1CceWxG1bQVs5ZufpsMljq4Ui0/1lvh+wjChP4kqKOJ2qxq -4RgqsahDYVvTH9w7jXbyLeiNdd8XM2w9U/t7y0Ff/9yi0GE44Za4rF2LN9d11TPA -mRGunUHBcnWEvgJBQl9nJEiU0Zsnvgc/ubhPgXRR4Xq37Z0j4r7g1SgEEzwxA57d -emyPxgcYxn/eR44/KJ4EBs+lVDR3veyJm+kXQ99b21/+jh5Xos1AnX5iItreGCc= ------END CERTIFICATE----- diff --git a/components/game_recap_component.py b/components/game_recap_component.py deleted file mode 100644 index 485f4b2104b2ee4ec7eaf518efadd0d7b9c5bb8d..0000000000000000000000000000000000000000 --- a/components/game_recap_component.py +++ /dev/null @@ -1,292 +0,0 @@ -import gradio as gr -import pandas as pd -import os -import html - -def create_game_recap_component(game_data=None): - """ - Creates a Gradio component to display game information with a simple table layout. - Args: - game_data (dict, optional): Game data to display. If None, returns an empty component. - Returns: - gr.HTML: A Gradio component displaying the game recap. - """ - try: - # If no game data provided, return an empty component - if game_data is None or not isinstance(game_data, dict): - return gr.HTML("") - - # Extract game details - match_number = game_data.get('match_number', game_data.get('Match Number', 'N/A')) - date = game_data.get('date', 'N/A') - location = game_data.get('location', 'N/A') - - # Handle different column naming conventions between sources - home_team = game_data.get('home_team', game_data.get('Home Team', game_data.get('HomeTeam', 'N/A'))) - away_team = game_data.get('away_team', game_data.get('Away Team', game_data.get('AwayTeam', 'N/A'))) - - # Get team logo URLs - home_logo = game_data.get('home_team_logo_url', '') - away_logo = game_data.get('away_team_logo_url', '') - - # Get result and determine scores - result = game_data.get('result', 'N/A') - home_score = game_data.get('home_score', 'N/A') - away_score = game_data.get('away_score', 'N/A') - - # If we don't have separate scores but have result, try to parse it - if (home_score == 'N/A' or away_score == 'N/A') and result != 'N/A': - scores = result.split('-') - if len(scores) == 2: - home_score = scores[0].strip() - away_score = scores[1].strip() - - # Determine winner for highlighting - winner = game_data.get('winner') - if not winner and result != 'N/A': - try: - home_score_int = int(home_score) - away_score_int = int(away_score) - winner = 'home' if home_score_int > away_score_int else 'away' - except ValueError: - winner = None - - # Get highlight video URL - highlight_video_url = game_data.get('highlight_video_url', '') - - # Create a simple HTML table layout - html_content = f""" - - - - - - - - - - - - -
- -
- {html.escape(away_team.split(' ')[0] if ' ' in away_team else away_team)} - {html.escape(away_team.split(' ', 1)[1] if ' ' in away_team else '')} -
-
- {away_score}{' ' if winner == 'away' else ''} - -
- - VS - -
-
Recap
- {f'Watch Highlights' if highlight_video_url else ''} -
- -
- {html.escape(home_team.split(' ')[0] if ' ' in home_team else home_team)} - {html.escape(home_team.split(' ', 1)[1] if ' ' in home_team else '')} -
-
- {home_score}{' ' if winner == 'home' else ''} -
- """ - - return gr.HTML(html_content) - - except Exception as e: - print(f"Error creating game recap component: {str(e)}") - # Return a simple error message component - return gr.HTML("
⚠️ Error loading game recap. Please try again later.
") - -# Function to process a game recap response from the agent -def process_game_recap_response(response): - """ - Process a response from the agent that may contain game recap data. - - Args: - response (dict): The response from the agent - - Returns: - tuple: (text_output, game_data) - - text_output (str): The text output to display - - game_data (dict or None): Game data for the visual component or None - """ - try: - # Check if the response has game_data directly - if isinstance(response, dict) and "game_data" in response: - return response.get("output", ""), response.get("game_data") - - # Check if game data is in intermediate steps (where LangChain often puts tool outputs) - if isinstance(response, dict) and "intermediate_steps" in response: - steps = response.get("intermediate_steps", []) - for step in steps: - # Check the observation part of the step, which contains the tool output - if isinstance(step, list) and len(step) >= 2: - observation = step[1] # Second element is typically the observation - if isinstance(observation, dict) and "game_data" in observation: - return observation.get("output", response.get("output", "")), observation.get("game_data") - - # Alternative format where step might be a dict with observation key - if isinstance(step, dict) and "observation" in step: - observation = step["observation"] - if isinstance(observation, dict) and "game_data" in observation: - return observation.get("output", response.get("output", "")), observation.get("game_data") - - # If it's just a text response - if isinstance(response, str): - return response, None - - # Default case for other response types - if isinstance(response, dict): - return response.get("output", ""), None - - return str(response), None - - except Exception as e: - print(f"Error processing game recap response: {str(e)}") - import traceback - traceback.print_exc() # Add stack trace for debugging - return "I encountered an error processing the game data. Please try again.", None - -# Test function for running the component directly -if __name__ == "__main__": - # Create sample game data for testing - test_game_data = { - 'game_id': 'test-game-123', - 'date': '10/09/2024', - 'location': "Levi's Stadium", - 'home_team': 'San Francisco 49ers', - 'away_team': 'New York Jets', - 'home_score': '32', - 'away_score': '19', - 'result': '32-19', - 'winner': 'home', - 'home_team_logo_url': 'https://a.espncdn.com/i/teamlogos/nfl/500/sf.png', - 'away_team_logo_url': 'https://a.espncdn.com/i/teamlogos/nfl/500/nyj.png', - 'highlight_video_url': 'https://www.youtube.com/watch?v=igOb4mfV7To' - } - - # Create a test Gradio interface - with gr.Blocks() as demo: - gr.Markdown("# Game Recap Component Test") - - with gr.Row(): - game_recap = create_game_recap_component(test_game_data) - - with gr.Row(): - clear_btn = gr.Button("Clear Component") - show_btn = gr.Button("Show Component") - - clear_btn.click(lambda: None, None, game_recap) - show_btn.click(lambda: test_game_data, None, game_recap) - - demo.launch(share=True) diff --git a/components/player_card_component.py b/components/player_card_component.py deleted file mode 100644 index fba08b0852464ebe39e998804880305d1ab0d479..0000000000000000000000000000000000000000 --- a/components/player_card_component.py +++ /dev/null @@ -1,158 +0,0 @@ -import gradio as gr -import html - -def create_player_card_component(player_data=None): - """ - Creates a Gradio HTML component to display player information based on test.ipynb structure. - - Args: - player_data (dict, optional): Dictionary containing player data. - Expected keys: 'Name', 'Position', 'Jersey_number', - 'headshot_url', 'College', 'Height', 'Weight', - 'Years_in_nfl', 'instagram_url'. Defaults to None. - - Returns: - gr.HTML: A Gradio HTML component displaying the player card, or empty if no data. - """ - print("--- Entered create_player_card_component ---") # DEBUG LOG - if not player_data or not isinstance(player_data, dict): - print("Component received no player data, returning empty.") # DEBUG LOG - return gr.HTML("") - - print(f"Component received player_data: {player_data}") # DEBUG LOG - - try: - # Extract data with defaults, using html.escape - name = html.escape(player_data.get('Name', 'N/A')) - position = html.escape(player_data.get('Position', '')) - number = html.escape(str(player_data.get('Jersey_number', ''))) - headshot_url = html.escape(player_data.get('headshot_url', '')) - college = html.escape(player_data.get('College', 'N/A')) - height = html.escape(player_data.get('Height', 'N/A')) - weight = html.escape(player_data.get('Weight', 'N/A')) - exp = html.escape(str(player_data.get('Years_in_nfl', 'N/A'))) - instagram_url = html.escape(player_data.get('instagram_url', '')) - - # CSS from test.ipynb, adapted slightly for theme integration - css = """ - - """ - - # HTML structure based on test.ipynb - # Using an outer container for better layout control in Gradio - html_content = f""" - {css} -
-
- {name} Headshot -
-

{name} {f'- #{number}' if number else ''} {f'({position})' if position else ''}

-
    -
  • Ht: {height} | Wt: {weight} lbs
  • -
  • College: {college}
  • -
  • Experience: {exp} Years
  • -
- """ - # Add Instagram link conditionally - if instagram_url: - html_content += f""" - - """ - - html_content += """ -
-
-
- """ - - print(f"Component generated HTML (first 100 chars): {html_content[:100]}...") # DEBUG LOG - return gr.HTML(html_content) - - except Exception as e: - print(f"Error creating player card component: {str(e)}") - # Return a simple error message component - return gr.HTML("
⚠️ Error loading player card.
") - -# Example Usage (for testing component independently if needed) -# if __name__ == '__main__': -# example_data = { -# 'Name': 'Brock Purdy', -# 'headshot_url': 'https://a.espncdn.com/i/headshots/nfl/players/full/4433216.png', # Example URL -# 'instagram_url': 'https://www.instagram.com/brock.purdy13/', -# 'Position': 'QB', -# 'Number': '13' -# } -# component = create_player_card_component(example_data) -# -# with gr.Blocks() as demo: -# gr.Markdown("## Player Card Example") -# demo.add(component) -# -# demo.launch() \ No newline at end of file diff --git a/components/team_story_component.py b/components/team_story_component.py deleted file mode 100644 index a3e5ccb1917940b6dc0caf672313af6a39fba8a4..0000000000000000000000000000000000000000 --- a/components/team_story_component.py +++ /dev/null @@ -1,63 +0,0 @@ -""" -Gradio component for displaying Team Story/News search results. -""" - -import gradio as gr - -def create_team_story_component(team_story_data): - """ - Creates a Gradio HTML component to display formatted team news articles. - - Args: - team_story_data (list): A list of dictionaries, where each dictionary - represents an article and contains keys like - 'summary', 'link_to_article', and 'topic'. - - Returns: - gr.HTML: A Gradio HTML component containing the formatted news stories. - Returns None if the input data is empty or invalid. - """ - if not team_story_data or not isinstance(team_story_data, list): - return None # Return None if no data or invalid data - - html_content = """
-

Recent Team News

""" - - for story in team_story_data: - if isinstance(story, dict): - summary = story.get('summary', 'No summary available.') - link = story.get('link_to_article', '#') - topic = story.get('topic', 'General') - - # Sanitize link to prevent basic injection issues - safe_link = link if link.startswith(('http://', 'https://', '#')) else '#' - - # Escape basic HTML characters in text fields - def escape_html(text): - return text.replace("&", "&").replace("<", "<").replace(">", ">") - - safe_summary = escape_html(summary) - safe_topic = escape_html(topic) - - html_content += f"""
-

Topic: {safe_topic}

-

{safe_summary}

- Read Full Article -
""" - else: - print(f"Warning: Skipping invalid item in team_story_data: {story}") - - # Remove the last border-bottom if content was added - if len(team_story_data) > 0: - last_border_pos = html_content.rfind("border-bottom: 1px solid #eee;") - if last_border_pos != -1: - html_content = html_content[:last_border_pos] + html_content[last_border_pos:].replace("border-bottom: 1px solid #eee;", "") - - html_content += "
" - - # Return None if only the initial header was created (e.g., all items were invalid) - if html_content.strip() == """
-

Recent Team News

""".strip(): - return None - - return gr.HTML(html_content) \ No newline at end of file diff --git a/data/.env.example b/data/.env.example deleted file mode 100644 index 3cb34185651befd6e1e4fe3a8ec9ed104737fafa..0000000000000000000000000000000000000000 --- a/data/.env.example +++ /dev/null @@ -1,11 +0,0 @@ -# OpenAI API credentials -OPENAI_API_KEY="your_openai_api_key_here" -OPENAI_MODEL="gpt-4o" - -# Neo4j Aura database credentials -AURA_CONNECTION_URI="your_neo4j_uri_here" -AURA_USERNAME="your_neo4j_username_here" -AURA_PASSWORD="your_neo4j_password_here" - -# Optional: Zep memory service (if using) -ZEP_API_KEY="your_zep_api_key_here" diff --git a/data/49ers roster - Sheet1.csv b/data/49ers roster - Sheet1.csv deleted file mode 100644 index c7a2c466aefc5e100f31f1d3051d833f7af72582..0000000000000000000000000000000000000000 --- a/data/49ers roster - Sheet1.csv +++ /dev/null @@ -1,74 +0,0 @@ -Player,#,Pos,HT,WT,Age,Exp,College,status -Israel Abanikanda,20,RB,5-10,216,22,2,Pittsburgh,Active -Brandon Allen,17,QB,6-2,209,32,8,Arkansas,Active -Evan Anderson,69,DL,6-3,326,23,R,Florida Atlantic,Active -Tre Avery,36,CB,5-11,181,28,3,Rutgers,Active -Robert Beal Jr.,51,DL,6-4,250,25,2,Georgia,Active -Tatum Bethune,48,LB,6-0,299,24,R,Florida State,Active -Nick Bosa,97,DL,6-4,266,27,6,Ohio State,Active -Jake Brendel,64,OL,6-4,299,32,7,UCLA,Active -Ji'Ayir Brown,27,S,5-11,202,25,2,Penn State,Active -Chris Conley,18,WR,6-3,205,32,10,Georgia,Active -Jacob Cowing,19,WR,5-9,171,24,R,Arizona,Active -Kalia Davis,93,DL,6-2,310,26,3,Central Florida,Active -Khalil Davis,50,DL,6-2,315,28,4,Nebraska,Active -Joshua Dobbs,5,QB,6-3,220,30,8,Tennessee,Active -Jordan Elliott,92,DL,6-4,303,27,5,Missouri,Active -Luke Farrell,89,TE,6-5,250,27,4,Ohio State,Active -Tashaun Gipson Sr.,43,S,6-1,212,34,13,Wyoming,Active -Jalen Graham,41,LB,6-3,220,25,2,Purdue,Active -Richie Grant,27,S,6-0,200,27,4,UCF,Active -Renardo Green,0,CB,6-0,186,24,R,Florida State,Active -Yetur Gross-Matos,94,DL,6-5,265,27,5,Penn State,Active -Isaac Guerendo,31,RB,6-0,221,24,R,Louisville,Active -Charlie Heck,75,OL,6-8,311,28,5,North Carolina,Active -Matt Hennessy,61,OL,6-3,315,27,4,Temple,Active -Jauan Jennings,15,WR,6-3,212,27,4,Tennessee,Active -Mac Jones,10,QB,6-3,200,26,4,Alabama,Active -George Kittle,85,TE,6-4,250,31,8,Iowa,Active -Deommodore Lenoir,2,DB,5-10,200,25,4,Oregon,Active -Nick McCloud,35,CB,6-1,193,26,4,Notre Dame,Active -Colton McKivitz,68,OL,6-6,301,28,5,West Virginia,Active -Jake Moody,4,K,6-1,210,25,2,Michigan,Active -Malik Mustapha,6,S,5-10,206,22,R,Wake Forest,Active -Pat O'Donnell,40,P,6-4,220,34,10,Miami,Active -Sam Okuayinonu,91,DL,6-1,269,26,2,Maryland,Active -Ricky Pearsall,14,WR,6-3,192,24,R,Florida,Active -Jason Pinnock,41,CB,6-0,205,25,4,Pittsburgh,Active -Austen Pleasants,62,OT,6-7,328,27,1,Ohio,Active -Dominick Puni,77,OL,6-5,313,25,R,Kansas,Active -Brock Purdy,13,QB,6-1,220,25,3,Iowa State,Active -Demarcus Robinson,14,WR,6-1,203,30,9,Florida,Active -Eric Saubert,82,TE,6-5,248,30,7,Drake,Active -Patrick Taylor Jr.,32,RB,6-2,217,26,4,Memphis,Active -Tre Tomlinson,,CB,5-9,177,25,2,TCU,Active -Jake Tonges,88,TE,6-4,240,25,2,California,Active -Fred Warner,54,LB,6-3,230,28,7,Brigham Young,Active -Jon Weeks,46,LS,5-10,245,39,15,Baylor,Active -Brayden Willis,9,TE,6-4,240,25,2,Oklahoma,Active -Dee Winters,53,LB,5-11,227,24,2,TCU,Active -Rock Ya-Sin,33,CB,5-11,195,28,6,Temple,Active -Isaac Yiadom,22,CB,6-1,232,29,7,Boston College,Active -Nick Zakelj,63,OL,6-6,316,25,3,Fordham,Active -Player,#,Pos,HT,WT,Age,Exp,College,Reserve/Future -Isaac Alarcon,67,OL,6-7,320,26,1,Tecnológico de Monterrey,Reserve/Future -Russell Gage,84,WR,6-0,184,29,7,LSU,Reserve/Future -Isaiah Hodgins,87,WR,6-3,200,26,4,Oregon State,Reserve/Future -Quindell Johnson,,S,6-2,208,25,2,Memphis,Reserve/Future -Jalen McKenzie,76,OT,6-5,315,25,1,USC,Reserve/Future -Brandon Aiyuk,11,WR,6-0,200,27,5,Arizona State,Reserve/Injured -Aaron Banks,65,OL,6-5,325,27,4,Notre Dame,Reserve/Injured -Ben Bartch,78,OL,6-6,315,26,5,St. John's (MN),Reserve/Injured -Tre Brown,22,CB,5-10,185,27,4,Oklahoma,Reserve/Injured -Spencer Burford,74,OL,6-4,300,24,3,Texas-San Antonio,Reserve/Injured -Luke Gifford,57,LB,6-3,243,29,6,Nebraska,Reserve/Injured -Kevin Givens,90,DL,6-1,285,28,5,Penn State,Reserve/Injured -Darrell Luter Jr.,28,CB,6-0,190,24,2,South Alabama,Reserve/Injured -Jordan Mason,24,RB,5-11,223,25,3,Georgia Tech,Reserve/Injured -Christian McCaffrey,23,RB,5-11,210,28,8,Stanford,Reserve/Injured -Elijah Mitchell,25,RB,5-10,200,26,4,Louisiana,Reserve/Injured -Jaylon Moore,76,OL,6-4,311,27,4,Western Michigan,Reserve/Injured -George Odum,30,S,6-1,202,31,7,Central Arkansas,Reserve/Injured -Curtis Robinson,36,LB,6-3,235,26,3,Stanford,Reserve/Injured -Trent Williams,71,T,6-5,320,36,15,Oklahoma,Reserve/Injured -Mitch Wishnowsky,3,P,6-2,220,33,6,Utah,Reserve/Injured \ No newline at end of file diff --git a/data/49ers_fan_communities_clean_GOOD.csv b/data/49ers_fan_communities_clean_GOOD.csv deleted file mode 100644 index c9f42490ceac161b2126fad9ba847942b11f8837..0000000000000000000000000000000000000000 --- a/data/49ers_fan_communities_clean_GOOD.csv +++ /dev/null @@ -1,384 +0,0 @@ -Name,Phone Number,Website,Meeting Location Address (Address),Meeting Location Address (Address2),Meeting Location Address (City),Meeting Location Address (State),Meeting Location Address (Zip),Meeting Location Address (Country),Fan Chapter Name,President First Name,President Last Name,Email Address,City,State,Country,Venue,Venue Location,Total Fans,Facebook,Instagram,X (Twitter),TikTok,WhatsApp,YouTube -,52 4492612712,,,,,,,,49ers Aguascalientes,Cesar,Romo,ninersaguascalientes@gmail.com,Aguascalientes,,Mexico,Vikingo Bar,"Av de la Convención de 1914 Sur 312-A, Las Américas, 20230 Aguascalientes, Ags., Mexico",174.0,https://www.facebook.com/share/1Wa7TPzBMX/,,,,, -,52 (46) 1219 7801,,,,,,,,Bajio Faithful,Hector,Camarena,hectorcamarena@hotmail.com,"Celaya, GTO",,Mexico,California Prime Rib Restaurant,"Av. Constituyentes 1000 A, 3 Guerras, 38080 Celaya, Gto., Mexico",20.0,,,,,, -,52 (96) 1654-1513,,,,,,,,Niner Empire Chiapas,Aroshi,Narvaez,ninerempirechiapas@hotmail.com,Chiapas,,Mexico,Alitas Tuxtla,"Blvd. Belisario Dominguez 1861 Loc K1 Tuxtl Fracc, Bugambilias, 29060 Tuxtla Gutiérrez, Chis., Mexico",250.0,Niner Empire Chiapas,https://www.instagram.com/49erschiapas/?hl=en,Niner Empire Chiapas,,, -,52 (61) 4404-1411,,,,,,,,49ers Faithful Chihuahua Oficial,Jorge,Otamendi,chihuahua49ersfaithful@gmail.com,Chihuahua,,Mexico,El Coliseo Karaoke Sports Bar,"C. Jose Maria Morelos 111, Zona Centro, 31000 Chihuahua, Chih., Mexico",300.0,https://www.facebook.com/share/g/14tnsAwWFc/,https://www.instagram.com/49ersfaithfulchihuahua?igsh=bHE5ZWd6eTUxOWl3,,https://www.tiktok.com/@49ers.faithful.ch?_t=8rv1vcLFfBI&_r=1,, -,52 (61) 41901197,,,,,,,,Gold Rush Chihuahua Spartans,Juan,García,juga49er@gmail.com,Chihuahua,,Mexico,34 Billiards & Drinks,"Av. Tecnológico 4903, Las Granjas 31100",976.0,https://www.facebook.com/groups/170430893136916/,,,,, -,52 (55) 6477-1279,,,,,,,,Club 49ers Mexico,German,Rodriguez,club49ersmexico@hotmail.com,"Ciudad de Mexico, Mexico",,Mexico,Bar 49,16 Septiembre #27 Colonia Centro Historico Ciudad de Mexico,800.0,,club49ersmexico,club49ersmexico,Club49ersmexicooficial,, -,52 (55) 6904-5174,,,,,,,,Club 49ers Durango Oficial,Victor,Arballo,Club49ersdurango@gmail.com,Durango,,Mexico,Restaurante Buffalucas Constitución,"C. Constitución 107B, Zona Centro, 34000 Durango, Dgo., Mexico",170.0,https://www.facebook.com/share/1TaDBVZmx2/?mibextid=LQQJ4d,https://www.instagram.com/49ers_dgo?igsh=ams1dHdibXZmN28w,,,, -,52 (55) 707169,,,,,,,,Niner Empire Edo Mex,Alberto,Velasco,ninerempireedomex@hotmail.com,Estado de Mexico,,Mexico,Beer Garden Satélite,"Cto. Circunvalación Ote. 10-L-4, Cd. Satélite, 53100 Naucalpan de Juárez, Méx., Mexico",250.0,,https://www.instagram.com/ninerempireedomex/,https://x.com/ninerempedomex,,, -,52 (33) 2225-4392,,,,,,,,Club 49ers Jalisco,Marcela,Medina,49ersjalisco@gmail.com,"Guadalajara, Jalisco",,Mexico,Restaurante Modo Avión Zapopan,"Calzada Nte 14, Granja, 45010 Zapopan, Jal., Mexico",40.0,,club49ersjalisco,Club 49ers Jalisco,,, -,52 (33) 1046 3607,,,,,,,,Niner Empire Jalisco,Alonso,Partida,ninerempirejal49@gmail.com,"Guadalajara, Jalisco",,Mexico,SkyGames Sports Bar,"Av. Vallarta 874 entre Camarena y, C. Escorza, Centro, 44100 Guadalajara, Jal., Mexico",200.0,,niner_empire_jalisco,NinerEmpireJal,ninerempirejal,, -,52 (65) 6228-3719,,,,,,,,Niner Empire Juarez Oficial,Hugo,Montero,JuarezFaithful@outlook.com,Juarez,,Mexico,Sport Bar Silver Fox,"Av. Paseo Triunfo de la República 430, Las Fuentes, 32530 Juárez, Chih., Mexico",300.0,,,,,, -,52 (99) 9172-2810,,,,,,,,49ers Merida Oficial,Liliana,Vargas,contacto@49ersmerida.mx,Merida,,Mexico,Taproom Mastache,"Av. Cámara de Comercio 263, San Ramón Nte, 97117 Mérida, Yuc., Mexico",290.0,,,,,, -,52 (686) 243 7235,,,,,,,,Niner Empire Mexicali,Gabriel,Carbajal,ninerempiremxl@outlook.com,Mexicali,,Mexico,La Gambeta Terraza Sports Bar,"Calz. Cuauhtémoc 328, Aviación, 21230 Mexicali, B.C., Mexico",45.0,,,,,, -,52 (81) 1500-4400,,,,,,,,49ers Monterrey Oficial,Luis,González,49ersmonterrey@gmail.com,Monterrey,,Mexico,Buffalo Wild Wings Insurgentes,"Av Insurgentes 3961, Sin Nombre de Col 31, 64620 Monterrey, N.L., Mexico",1200.0,,,,,, -,52 (22) 21914254,,,,,,,,Club 49ers Puebla,Elias,Mendez,club49erspuebla@hotmail.com,Puebla,,Mexico,Bar John Barrigón,"Av. Juárez 2925, La Paz, 72160 Heroica Puebla de Zaragoza, Pue., Mexico",,,,,,, -,52 (84) 4130-0064,,,,,,,,Niners Empire Saltillo,Carlos,Carrizales,Ninerssaltillo21@gmail.com,Saltillo,,Mexico,Cervecería La Huérfana,"Blvd. Venustiano Carranza 7046-Int 9, Los Rodríguez, 25200 Saltillo, Coah., Mexico",,,,,,, -,52 (44) 4257-3609,,,,,,,,San Luis Potosi Oficial,Jose,Robledo,club49erssanluispotosi@hotmail.com,San Luis Potosi,,Mexico,Bar VIC,"Av Nereo Rodríguez Barragán 1399, Fuentes del Bosque, 78220 San Luis Potosí, S.L.P., Mexico",,,,,,, -,52 (66) 4220-6991,,,,,,,,49ers Tijuana Fans Oficial,Anthony,Daniel,ant49ers14@gmail.com,Tijuana,,Mexico,Titan Sports Bar,"J. Gorostiza 1209, Zona Urbana Rio Tijuana, 22320 Tijuana, B.C., Mexico",460.0,https://www.facebook.com/groups/49erstijuanafans/?ref=share&mibextid=NSMWBT,https://www.instagram.com/49erstijuanafansoficial/?igshid=OGQ5ZDc2ODk2ZA%3D%3D&fbclid=IwZXh0bgNhZW0CMTEAAR0SXTcgDss1aAUjjzK6Ge0Uhx9JkNszzeQgTRq94F_5Zzat-arK9kXEqWk_aem_sKUysPZe1NpmFRPlJppOYw&sfnsn=scwspwa,-,-,-,- -,52 (72) 2498-5443,,,,,,,,49ers Club Toluca Oficial,Fernando,Salazar,ninersdealtura@gmail.com,Toluca,,Mexico,Revel Wings Carranza,"Calle Gral. Venustiano Carranza 20 Pte. 905, Residencial Colón y Col Ciprés, 50120 Toluca de Lerdo, Méx., Mexico",,,,,,, -,52 (228) 159-8578,,,,,,,,Cluib de Fans 49ers Veracruz,Luis,Mata,los49ersdexalapa@gmail.com,Veracruz,,Mexico,Wings Army del Urban Center,"C. Lázaro Cárdenas 102, Rafael Lucio, 91110 Xalapa-Enríquez, Ver., Mexico",,,,,,, -,6646124565,,,,,,,,49ersFanZone.net,Clemens,Kaposi,webmaster@49ersfanzone.net,Bad Vigaun,,Austria,,Neuwirtsweg 315,183.0,,,,,, -,33 (0)6 365 269 84,,,,,,,,The Niner Empire France,Gilles,Schlienger,gilles.schlienger@orange.fr,Nousseviller Saint Nabor,,France,4 voie romaine,4 voie romaine,250.0,https://www.facebook.com/groups/295995597696338,,,,, -,1704753958,,,,,,,,Niner Empire Germany-Bavaria Chapter,Mike,Beckmann,beckmannm55@gmail.com,Ismaning,,Germany,49er's Sports & Partybar,Muenchener Strasse 79,35.0,,,,,, -,1735106462,,,,,,,,4T9 Mob Germany Family,Chris,Grawert,chrisgrawert@web.de,Hamburg,,Germany,Jolly Roger,Budapester Str. 44,6.0,https://www.facebook.com/4T9MOBGermany,,,,, -,49 15758229310,,,,,,,,49 Niner Empire,Andra,Theunert,jan.andre77@web.de,Cologne State: NRW,,Germany,Joe Camps Sports Bar,Joe Champs,104.0,,,,,, -,1795908826,,,,,,,,The Niner Empire Germany Berlin Chapter,Jermaine,Benthin,jermaine.benthin@icloud.com,Berlin,,Germany,Sportsbar Tor133,Torstrasse 133,17.0,,,,,, -,1607512643,,,,,,,,,Heltewig,Thorsten,t.heltewig@t-online.de,Bornhöved,,Germany,Comeback,Mühlenstraße 11,20.0,,,,,, -,1738803983,,,,,,,,49ers Fans Bavaria,Thomas,Igerl,thomas.igerl@gmx.de,Ampfing,,Germany,Holzheim 1a/Ampfing,Holzheim 1a,30.0,https://www.facebook.com/49ersfansbavaria,,,,, -,1234567899,http://germany.theninerempire.com/,,,,,,,The Niner Empire Germany - North Rhine-Westphalia Chapter,Timo,Allhoff,timo.allhoff@web.de,Duesseldorf,,Germany,Knoten,Kurze Strasse 1A,62.0,,,,,, -,1708859408,,,,,,,,Niner Empire Germany-NRW Chapter,Hermann,van,vanbebberhermann@yahoo.com,Cologne,,Germany,Joe Champs Sportsbar Cologne,Hohenzollernring 1 -3,27.0,,,,,, -,3.53E+11,,,,,,,,The Irish Faithful,Colly,Mc,49ersire@gmail.com,Dublin 13,,Ireland,Busker On The Ball,13 - 17 Fleet Street,59.0,,,https://twitter.com/49ersIre,,, -,0039 3282181898,,,,,,,,49ers Italian Fan Club,Enzo,Marrocchino,49ers.italian@gmail.com + marrocchino.enxo@gmail.com,Fiorano Modenese,,Italy,The Beer Corner,"Via Roma, 2/A",50.0,https://www.facebook.com/groups/49ersItalianFanClub,,,,, -,649058694,https://laminapodcast.wixsite.com/lamina,,,,,,,Mineros Spanish Faithful,Luis,Miguel,laminapodcast@gmail.com + luismiperez17@gmail.com,Madrid,,Spain,Penalti Lounge Bar,Avenida Reina 15,15.0,,,,,, -,6507841235,http://www.sportssf.com.br,,,,,,,Equipe Sports SF,Alessandro,Marques,alessandro.quiterio@sportssf.com.br,Sao Paulo,,Brazil,"Website, Podcast, Facebook Page, Twitter","Rua Hitoshi Ishibashi, 11 B",14.0,,,,,, -,1197444761,http://www.49ersbrasil.com.br,,,,,,,49ers Brasil,Fabio,Moraes,fbo_krun@live.co.uk,"Campo Limpo, Sao Paulo",,Brazil,Bars and Restaurants in São Paulo - SP,,870.0,,,,,, -,5511992650,,,,,,,,San Francisco 49ers Brasil,Otavio,Alban,otavio.alban@gmail.com,"Sao Bernardo do Campo, Sao Paulo",,Brazil,Multiple locations around south and southeast states of Brazil,,104.0,https://www.facebook.com/groups/49ninersbrasil/,,,,, -,6046266697,http://www.theninerempire.com,,,,,,,"Niner Empire --Vanouver,BC Chapter",Hector,Alvarado/Neil,hector_alvarado21@hotmail.com,"Vancouver, BC",,Canada,"The Sharks Club--Langley, BC",20169 88 Avenue,31.0,,,,,, -,4167796921,,,,,,,,True North Niners,Shawn,Vromman,truenorthniners@gmail.com,"Bolton, Ontario",,Canada,Maguire's Pub,284 Queen st E,25.0,,,,,, -,507 66737171,,,,,,,,Faithful Panama,Ricardo,Vallarino,ricardovallarino@hotmail.com,,,Panama,5inco Panama,8530 NW 72ND ST,249.0,,,,,, -,6493015128,,,,,,,,Niner Empire New Zealand,Karam,Chand,karam.chand@asb.co.nz,Auckland,,New Zealand,The Kingslander,470 New North Road,15.0,https://www.facebook.com/#!/groups/212472585456813/,,,,, -,6768804977,,,,,,,,49er Fans-Tonga,Nusi,Taumoepeau,nusi.taumoepeau@gmail.com,Nuku'alofa,,Tonga,Tali'eva Bar,14 Taufa'ahau Rd,8.0,,,,,, -,7857047023,,,,,,,,49ers Faithful UK,Mike,Palmer,49erfaithfuluk@gmail.com,Greater Manchester,,United Kingdom,the green,Ducie street Manchester Greater Manchester Lancashire m1 United Kingdom,100.0,,,,,, -,7506116581,www.49erfaithfuluk.co.uk,,,,,,,49er Faithful UK,Lee,Gowland,contact@49erfaithfuluk.co.uk,Newcastle,,United Kingdom,Grosvenor Casino,100 St James' Blvd Newcastle Tyne & Wear CA 95054 United Kingdom,3000.0,,,,,, -,8774734977,,,,,,,,49ers of United Kingdom,Nauman,Malik,naumalik@gmail.com,London,,United Kingdom,The Sports Cafe,80 Haymarket London SW1Y 4TE United Kingdom,8.0,,,,,, -,1616553629,,,,,,,,Niner Empire UK,Mike,Palmer,ninerempireuk@gmail.com,Manchester,,United Kingdom,The Green,"Bridge House 26 Ducie Street, Manchester, Manchester M1 2dq United Kingdom",30.0,,,,,, -,6264841085,,,,,,,,"San Francisco 49er Fans of Charleston, SC",Kurtis,Johnson,kajohnson854@yahoo.com,Charleston,SC,United States,Recovery Room Tavern,685 King St,12.0,https://www.facebook.com/profile.php?id=100095655455065,,,,, -,5309536097,,,,,,,,530 Empire,Oscar,Mendoza,ninermendoza@gmail.com,Chico,Ca,United States,Nash's,1717 Esplanade,45.0,,https://www.instagram.com/530empire?igsh=OGQ5ZDc2ODk2ZA%3D%3D&utm_source=qr,,,, -,(720) 345-2580,,,,,,,,303 Denver Chapter Niner Empire,Andy,Martinez,303denverchapter@gmail.com,Aurora,CO,United States,Moes Bbq,2727 s Parker rd,30.0,,,,,, -,3238332262,,,,,,,,40NINERS L.A. CHAPTER,JOSE,DIAZ,40ninerslachapter@att.net,bell,ca,United States,KRAZY WINGS SPORTS & GRILL,7016 ATLANTIC AVE,25.0,,,,,, -,(434) 441-1187,,,,,,,,434 Virginia Niner Empire,Thomas,Hunt,434vaninerempire@gmail.com,Danville,VA,United States,Kickbacks Jacks,140 Crown Dr,20.0,,,,,, -,(925) 457-6175,,,,,,,,480 Gilbert Niner Empire LLC,Betty,OLIVARES,480ninerempire@gmail.com,Gilbert,AZ,United States,The Brass Tap,313 n Gilbert rd,100.0,,,,,, -,8126048419,,,,,,,,Midwest Empire,Travis,Bonnell,49er4life05@gmail.com,Evansville,IN,United States,Hooters Evansville,2112 Bremmerton Dr,6.0,https://www.facebook.com/share/5KGRDSPtyHgFYRSP/?mibextid=K35XfP,,,,, -,7075921442,,,,,,,,49er Booster Club of Vacaville,Josh,Ojeda,49erboostervacaville@gmail.com,Vacaville,CA,United States,Blondies Bar and Grill,555 Main Street,75.0,,,,,, -,7602655202,,,,,,,,49er Empire High Desert,TJ,Hilliard,49erempirehighdesert@gmail.com,Hesperia,California,United States,Whiskey Barrel,12055 Mariposa Rd.,89.0,https://www.facebook.com/groups/49erEmpireHighDesertChapter/,,,,, -,5308239740,,,,,,,,Cool 49er Booster Club,Paul,Jones,49erpaul@comcast.net,Cool,CA,United States,The Cool Beerworks,5020 Ellinghouse Dr Suite H,59.0,,,,,, -,8183269651,,,,,,,,49ersBeachCitiesSoCal,Rick,Mitchell,49ersbeachcitiessocal@gmail.com,Hermosa Beach,CA,United States,American Junkie Sky Light Bar,American Junkie,100.0,,,,,, -,7202278251,,,,,,,,49ers Denver Empire,Miguel,Alaniz,49ersDenverEmpire@gmail.com,Aurora,Co,United States,Moe's Original BBQ Aurora,2727 S Parker Rd,30.0,,,,,, -,3605679487,,,,,,,,49ers Forever Faithfuls,Wayne,Yelloweyes-Ripoyla,49ersforeverfaithfuls@gmail.com,Vancouver,Wa,United States,Hooligan's sports bar and grill,"8220 NE Vancouver Plaza Dr, Vancouver, WA 98662",10.0,,,,,, -,9566600391,,,,,,,,South Texas 49ers Chapter,Patty,Torres,49erslakersfaithful@gmail.com,Harlingen,TX,United States,Wing barn,412 sunny side ln,350.0,https://www.facebook.com/groups/2815298045413319/?ref=share,,,,, -,3109547822,,,,,,,,49ers Los Angeles,Jeff,Cheung,49ersLosAngeles@gmail.com,Hollywood,CA,United States,Dave & Buster's Hollywood,6801 Hollywood Blvd.,27.0,,,,,, -,3234765148,,,,,,,,49ers United Of Frisco TX,Frank,Murillo,49ersunitedoffriscotx@gmail.com,Frisco,TX,United States,The Frisco Bar and Grill,6750 Gaylord Pkwy,1020.0,https://www.facebook.com/groups/49ersunitedoffriscotx/?ref=share&mibextid=hubsqH,,,,, -,6193151122,,,,,,,,619ers San Diego Niner Empire,Ana,Pino,619erssandiego@gmail.com,San Diego,California,United States,Bridges Bar & Grill,4800 Art Street,20.0,,,,,, -,6266742121,,,,,,,,626 FAITHFUL'S,Isaac,C. De La Fuente,626faithfulchapter@gmail.com,City of Industry,California,United States,Hacienda Heights Pizza Co.,15239 E Gale Ave,40.0,,,,,, -,6507438522,,,,,,,,Niner Empire 650 Chapter,Vanessa,Corea,650ninerchapter@gmail.com,Redwood City,CA,United States,5th Quarter,976 Woodside Rd,35.0,,http://www.instagram.com/650ninerempire,,,, -,6199949071,,,,,,,,714 Niner Empire,Daniel,Hernandez,714ninerempire@gmail.com,Oxnard,CA,United States,"Bottoms Up Tavern, 2162 West Lincoln Ave, Anaheim CA 92801",3206 Lisbon Lane,4.0,,,,,, -,9513704443,,,,,,,,9er Elite Niner Empire,Penny,Mapes,9erelite@gmail.com,Lake Elsinore,California,United States,Pin 'n' Pockets,32250 Mission Trail,25.0,,,,,, -,4806780578,,,,,,,,Az 49er Faithful,Kimberly,"""""Kimi"""" Daniel",9rzfan@gmail.com,Gilbert,Az,United States,Fox and Hound!,1017 E Baseline Rd,58.0,,,,,, -,7078896983,,,,,,,,Niners Winers,A.m.,Early,a.m.early@icloud.com,Forestville,Ca,United States,Bars and wineries in sonoma and napa counties,River road,25.0,,,,,, -,2144897300,,,,,,,,a_49er fan,Angel,Barba,a_49erfan@aol.com,wylie,texas,United States,Wylie,922 cedar creek dr.,12.0,,,,,, -,4153206471,,,,,,,,Niner Empire Marin,Aaron,Clark,aaron.clark@ninerempiremarin.com,Novato,CA,United States,Moylan's Brewery & Restaurant,15 Rowland Way,13.0,,,,,, -,2095344459,,,,,,,,4T9 Mob,Angel,Cruz,ac_0779@live.com,Modesto,ca,United States,Jack's pizza cafe,2001 Mchenry ave,30.0,,,,,, -,5708529383,,,,,,,,North Eastern Pennsyvania chapter,Benjamin,Simon,acuraman235@yahoo.com,Larksville,PA,United States,Zlo joes sports bar,234 Nesbitt St,25.0,,,,,, -,5039150229,,,,,,,,PDX Frisco Fanatics,Adam,Hunter,adam@oakbrew.com,Portland,Or,United States,Suki's bar and Grill,2401 sw 4th ave,8.0,,,,,, -,(408) 981-0615,,,,,,,,The 101 Niner Empire,ANDRONICO [Adrian],FERNANDEZ,adriannoel@mail.com,Morgan Hill,CA,United States,Huntington Station restaurant and sports pub,Huntington Station restaurant and sports pub,10.0,https://www.facebook.com/THE101NINEREMPIRE/,,,,, -,8147901621,,,,,,,,Faithful Tri-State Empire,Armando,Holguin,AHolguinJr@gmail.com,Erie,PA,United States,Buffalo Wild Wings,2099 Interchange Rd,10.0,https://www.facebook.com/groups/1145565166387786/,,,,, -,9282100493,,,,,,,,YUMA Faithfuls,Steven,Navarro,airnavarro@yahoo.com,Yuma,AZ,United States,Hooters,1519 S Yuma Palms Pkwy,305.0,Yuma Faithfuls (FaceBook group page),,,,, -,5103146643,,,,,,,,49ER EMPIRE SF Bay Area Core Chapter,AJ,Esperanza,ajay049@yahoo.com,Fremont,california,United States,Jack's Brewery,39176 Argonaut Way,1500.0,,,,,, -,8506982520,,,,,,,,Niner Empire Orlando Chapter,Aaron,Hill,ajhill77@hotmail.com,Orlando,FL,United States,Underground Public House,19 S Orange Ave,50.0,,,,,, -,5805913565,,,,,,,,Niner Artillery Empire,Alicia/Airieus,DeLeon/Ervin,al1c1a3@aol.com,517 E Gore Blvd,OK,United States,Sweet Play/ Mike's Sports Grill,2610 Sw Lee Blvd Suite 3 / 517 E Gore Blvd,25.0,,,,,, -,5104993415,,,,,,,,510 Empire,Alex,Banks,alexjacobbanks@gmail.com,Alameda,CA,United States,McGee's Bar and Grill,1645 Park ST,10.0,,,,,, -,5105082055,,,,,,,,Garlic City Faithful,Abdul,Momeni,amomeni34@gmail.com,Gilroy,CA,United States,Straw Hat Pizza,1053 1st Street,3.0,,,,,, -,2092918080,,,,,,,,Faithful to the Bay,Angel,Alvarez,angel.jalvarez0914@gmail.com,Merced,CA,United States,Home,Mountain mikes pizza,15.0,,,,,, -,5627391639,,,,,,,,O.C. NINER EMPIRE FAITHFUL'S,Angel,Grijalva,angelgrijalva4949@gmail.com,Buena park,CA,United States,Ciro's pizza,6969 la Palma Ave,10.0,,,,,, -,408-209-1677,,,,,,,,408 Faithfuls,Angelina,Arevalo,angelina.arevalo@yahoo.com,Milpitas,CA,United States,Big Al's Silicon Valley,27 Ranch Drive,50.0,IG- @408faithfuls,,,,, -,6507841235,,,,,,,,415 chapter,Angelo,Hernandez,angeloh650@gmail.com,san francisco,California,United States,49er Faithful house,2090 Bryant street,200.0,,,,,, -,3038641585,,,,,,,,HairWorks,Annie,,anniewallace6666@gmail.com,Denver,Co,United States,hairworks,2201 Lafayette at,1.0,,,,,, -,(925) 481-0343,,,,,,,,49ers Room The Next Generation Of Faithfuls,Antonio,Caballero,Anthonycaballero49@gmail.com,Tlalnepantla de Baz,CA,United States,Buffalo Wild Wings Mindo E,Blvd. Manuel Avila Camacho 1007,12.0,,,,,, -,2098182020,,,,,,,,Niner Empire 209 Modesto Chapter,Paul,Marin,apolinarmarin209@gmail.com,Modesto,CA,United States,Rivets American Grill,2307 Oakdale Rd,50.0,https://www.facebook.com/niner.ninjas?ref=bookmarks,,,,, -,2539616009,,,,,,,,Lady Niners of Washington,April,Costello,aprilrichardson24@hotmail.com,Auburn,Wa,United States,Sports Page,2802 Auburn Way N,13.0,,,,,, -,4803290483,,,,,,,,AZ 49ER EMPIRE,GARY,MARTINEZ,az49erempire@gmail.com,Phoenix,AZ,United States,The Native New Yorker (Ahwatukee),5030 E Ray Rd.,130.0,,,,,, -,9096214821,,,,,,,,The Bulls Eye Bar 49ers,Armando,M. Macias,BA1057@blackangus.com,Montclair,California,United States,Black Angus Montclair California,9415 Monte Vista Ave.,20.0,,,,,, -,5404245114,,,,,,,,NoVa Tru9er Empire,Jay,balthrop,balthrop007@gmail.com,Woodbridge,va,United States,Morgan's sports bar & lounge,3081 galansky blvd,40.0,,,,,, -,(951) 691-6631,,,,,,,,Niner Empire 951 Faithfuls,Samuel,Betancourt,betancourtsgb@gmail.com,Hemet,CA,United States,"George's Pizza 2920 E. Florida Ave. Hemet, Ca.",2920 E. Florida Ave.,30.0,https://www.facebook.com/951Faithfuls/,,,,, -,8174956499,,,,,,,,Spartan Niner Empire Texas,Adreana,Corralejo,biga005@gmail.com,Arlington,TX,United States,Bombshells Restaurant & Bar,701 N. Watson Rd.,12.0,,,,,, -,3234720160,,,,,,,,THEE EMPIRE FAITHFUL LOS ANGELES COUNTY,Dennis,Guerrero II,bigd2375@yahoo.com,Los Angeles,CA,United States,Home,1422 Saybrook Ave,25.0,,,,,, -,5103756841,,,,,,,,Niner Empire Richmond 510 Chapter,David,Watkins,bigdave510@gmail.com,San Pablo,Ca,United States,Noya Lounge,14350 Laurie Lane,50.0,,,,,, -,9254810343,,,,,,,,Thee Empire Faithful The Bay Area,Ant,Caballero,biggant23@gmail.com,Oakley,Ca,United States,Sabrina's Pizzeria,2587 Main St,20.0,,,,,, -,8049013890,,,,,,,,The Mid Atlantic Niner Empire Chapter,Jacob,Tyree,BigJ80@msn.com,Mechanicsville,Va,United States,The Ville,7526 Mechanicsville Turnpike,10.0,https://www.facebook.com/#!/groups/290644124347980/,,,,, -,6058683729,,,,,,,,Big Sky SF 49ers,Jo,Poor Bear,bigsky49ers@gmail.com,Billings,MT,United States,Old Chicago - Billings,920 S 24th Street W,10.0,,,,,, -,808-387-7075,,,,,,,,Hawaii Niner Empire,Bryson,Kerston,bjkk808@yahoo.com,Waipahu,HI,United States,The Hale,94-983 kahuailani st,25.0,,,,,, -,5597896991,,,,,,,,Niner Empire Porterville Cen Cal 559,Olivia,"""""bo"""" Ortiz or Patricia Sanchez",boliviaortiz@hotmail.com,Porterville,Ca,United States,Pizza Factory/ Local Bar & Grill,897 W. Henderson,34.0,,,,,, -,4132734010,,,,,,,,W.MA CHAPTER NINER EMPIRE,BECKY,OSORIO,BOSORIO2005@YAHOO.COM,CHICOPEE,MA,United States,MAXIMUM CAPACITY,116 SCHOOL ST,36.0,,,,,, -,(757) 708-0662,,,,,,,,Hampton Roads Niner Empire (Southside Chapter),Braxton,Gaskins,braq2010@gmail.com,Norfolk,VA,United States,Azalea Inn / Timeout Sports Bar,Azalea Inn / Timeout Sports Bar,40.0,,,,,, -,5598042288,,,,,,,,Central Valley Niners,Jesse,moreno,brittsdad319@yahoo.com,Visalia,Ca,United States,Pizza factory,3121 w noble,35.0,,,,,, -,6094038767,,,,,,,,Niner Knights,Bryan,Teel,bryan_teel2002@yahoo.com,Ewing Twp,NJ,United States,Game Room of River Edge Apts,1009 Country Lane,35.0,,,,,, -,3463344898,,,,,,,,Lone Star Niner Empire,Myrna,Martinez,Buttercup2218@hotmail.com,Houston,TX,United States,Post oak ice house,5610 Richmond Ave.,33.0,,,,,, -,8082657452,,,,,,,,Hawaii Faithfuls,Rey,Buzon,buzon.rey@gmail.com,Honolulu,HI,United States,Champions Bar & Grill,1108 Keeaumoku Street,30.0,,,,,, -,9099571468,,,,,,,,49er Faithful of Murrieta,Colleen,Hancock,cammck@verizon.net,Murrieta,CA,United States,Sidelines Bar & Grill,24910 Washington Ave,30.0,,,,,, -,9168221256,,,,,,,,Capitol City 49ers,Erica,Medina,capitolcityshowstoppersee@gmail.com,Sacramento,CA,United States,Tom's Watch Bar DOCO,Tom's Watch Bar 414 K St suite 180,1300.0,https://www.facebook.com/groups/1226671178132767/?ref=share,,,,, -,3103496959,,,,,,,,Huntington Beach Faithfuls,Carlos,Pizarro,carlos@beachfront301.com,Huntington Beach,CA,United States,BEACHFRONT 301,301 Main St. Suite 101,100.0,,,,,, -,(210) 375-6746,,,,,,,,Niner Empire Saltillo,Carlos,Carrizales,carrizalez21@yahoo.com.mx,Saltillo,TX,United States,Cadillac Saltillo Bar,Cadillac Saltillo Bar,116.0,Club 49ers Saltillo @ Facebook,,,,, -,9035527931,,,,,,,,Germantown 49er's Club,CM,Rosenthal,carterrosenthal@gmail.com,Memphis,TN,United States,Mr. P's Sports Bar Hacks Cross Rd.,3284 Hacks Cross Road,103.0,,,,,, -,12093462496,,,,,,,,49ers faithful,Ray,Castillo,castillonicki62@yahoo.com,KEYES,CA,United States,Mt mikes ceres ca,4618 Blanca Ct,8.0,,,,,, -,2094561796,,,,,,,,Ladies Of The Empire,Catherine,Tate,Cat@LadiesOfTheEmpire.com,Manteca,Ca,United States,Central Valley and Bay Area,1660 W. Yosemite Ave,247.0,,,,,, -,7027735380,,,,,,,,Las Vegas Niner Empire 702,blu,villegas,catarinocastanedajr@yahoo.com,Las Vegas,NV,United States,Calico Jack's,8200 W. Charleston rd,300.0,,,,,, -,3107487035,,,,,,,,49ers Faithfuls in DC,Catie,Bailard,catie.bailard@gmail.com,Washington,DC,United States,Town Tavern,2323 18th Street NW,150.0,,,,,, -,6619722639,,,,,,,,49er Booster Club of Roseville,Cece,Moats,cecesupplies@gmail.com,Roseville,CA,United States,Bunz Sports Pub & Grub,311 Judah Street,32.0,,,,,, -,6613033911,,,,,,,,Kern County Niner Empire,Sal,Luna,cellysal08@yahoo.com,Bakersfield,Ca,United States,Firehouse Restaurant,7701 White Lane,100.0,,,,,, -,8315126139,,,,,,,,Central Coast Niner Empire 831,Rafael,Garcia,centralcoastninerempire831@gmail.com,Salinas,CA,United States,Buffalo Wild Wings,1988 North Main St,11.0,Facebook.com/CentralCoastNinerEmpire831,,,,, -,8315126139,,,,,,,,Central Coast Niner Empire 831,Rafael,Garcia,centralcoastninermepire831@gmail.com,Salinas,CA,United States,Pizza Factory,1945 Natividad Rd,22.0,Facebook.com/CentralCoastNinerEmpire831,,,,, -,2817509505,,,,,,,,Houston Niner Empire,Carlos,Duarte,cgduarte21@icloud.com,Houston,TX,United States,Home Plate Bar & Grill,1800 Texas Street,107.0,https://m.facebook.com/HoustonNinerEmpire/,,,,, -,4068535155,,,,,,,,Train Whistle Faithful,Christopher,Gunnare,cgunnare@hotmail.com,Mountain View,CA,United States,Savvy Cellar,750 W. Evelyn Avenue,13.0,,,,,, -,3104659461,,,,,,,,Corpus Christi Chapter Niner Empire,Arturo,Hernandez,champions6@gmail.com,Corpus Christi,TX,United States,Cheers,419 Starr St.,37.0,,,,,, -,3528070372,,,,,,,,Niner Empire Dade City,Fernando,Chavez,chavpuncker82@yahoo.com,Dade City,Florida,United States,Beef O Brady's Sports Bar,14136 7th Street,22.0,,,,,, -,5309536097,,,,,,,,Chico Faithfuls,Oscar,Mendoza,chicofaithfuls@gmail.com,Chico,CA,United States,Mountain Mikes Pizza,1722 Mangrove Ave,32.0,http://facebook.com/chicofaithfuls,,,,, -,8473099909,,,,,,,,Chicago Niners,Chris,Johnston,chris@cpgrestaurants.com,Chicago,IL,United States,Cheesie's Pub & Grub 958 W Belmont Ave Chicago IL 60657,958 W Belmont Ave,75.0,,,,,, -,7076556423,,,,,,,,Niner Empire 916 Sac Town,Lehi,Amado/Anthony Moreno,cindyram83@gmail.com,Sacramento,CA,United States,El Toritos,1598 Arden blvd,40.0,http://www.Facebook.com,,,,, -,7193377546,,,,,,,,49ER EMPIRE COLORADO CHAPTER,CHARLES,M. DUNCAN,cmd9ers5x2000@yahoo.com,Colorado Springs,Co.,United States,FOX & HOUND COLORADO SPRINGS,3101 New Center Pt.,25.0,,,,,, -,3364512567,,,,,,,,49ers NC Triad Chapter,Christopher,Miller,cnnresources06@yahoo.com,Greensboro,NC,United States,Kickback Jack's,1600 Battleground Ave.,10.0,,,,,, -,4588992022,,,,,,,,Central Oregon 49ers Faithful,George,Bravo,CO49ersFaithful@gmail.com,Redmond,OR,United States,Redmond Oregon,495 NW 28th St,1.0,,,,,, -,3108979404,,,,,,,,Westside 9ers,Naimah,Shamsiddeen,coachnai76@gmail.com,Carson,CA,United States,Los Angeles,1462 E Gladwick St,20.0,,,,,, -,2173173725,,,,,,,,Niner Empire Illinois Chapter,Max,Tuttle,crystaltarrant@yahoo.com,Mattoon,Illinois,United States,"residence, for now",6 Apple Drive,6.0,,,,,, -,2089642981,,,,,,,,Treasure Valley 49er Faithful,Curt,Starz,cstarman41@yahoo.com,Star,ID,United States,The Beer Guys Saloon,10937 W State St,50.0,https://www.facebook.com/TV49erFaithful/,,,,, -,2039484616,,,,,,,,Ct faithful chapter,Tim,Maroney,ct49erfaithful@gmail.com,stamford,ct,United States,buffalo wild wings,208 summer st,33.0,,,,,, -,3057780667,,,,,,,,305 FAITHFUL EMPIRE,Damien,Lizano,damien.lizano@yahoo.com,Miami,FL,United States,Walk-On's,9065 SW 162nd Ave,18.0,,,,,, -,1415902100,,,,,,,,Fillmoe SF Niners Nation Chapter,Daniel,Landry,danielb.landry@yahoo.com,San Francisco,CA,United States,Honey Arts Kitchen by Pinot's,1861 Sutter Street,16.0,,,,,, -,6199949071,,,,,,,,49ers So Cal Faithfuls,Daniel,Hernandez,danielth12@yahoo.com,Oxnard,CA,United States,So Cal (Various locations with friends and family),3206 Lisbon Lane,4.0,,,,,, -,(817) 675-7644,,,,,,,,Niner Empire DFW,Danny,Ramirez,dannyramirez@yahoo.com,Arlington,TX,United States,Walk-Ons Bistreaux,Walk-Ons Bistreaux,75.0,www.facebook.com/ninerempiredfw,,,,, -,(505) 480-6101,,,,,,,,Duke City Faithful Niner Empire,Danny,Roybal,dannyroybal505@gmail.com,Albuquerque,NM,United States,Duke City Bar And Grill,6900 Montgomery Blvd NE,93.0,www.facebook.com/@dukecityfaithful505,,,,, -,8089545569,,,,,,,,49ers @ Champions,Davis,Price,daprice80@gmail.com,Honolulu,Hawaii,United States,Champions Bar and Grill,1108 Keeaumoku St,12.0,,,,,, -,870-519-9373,,,,,,,,Natural State Niners Club,Denishio,Blanchett,dblanchett@hotmail.com,Jonesboro,AR,United States,"Buffalo Wild Wings, Jonesboro, AR",Buffalo Wild Wings,18.0,,,,,, -,7706664527,,,,,,,,49er Empire - Georgia Chapter,Brian,Register,Deathfrolic@gmail.com,Marietta,ga,United States,Dave & Busters of Marietta Georgia,2215 D and B Dr SE,23.0,https://www.facebook.com/49erEmpireGeorgiaChapter,,,,, -,(928) 302-6266,,,,,,,,San Francisco 49ers of San Diego,Denise,Hines,denisehines777@gmail.com,San Diego,CA,United States,Moonshine Beach,Moonshine Beach Bar,80.0,,,,,, -,5204147239,,,,,,,,Sonoran Desert Niner Empire,Derek,Yubeta,derek_gnt_floral@yahoo.com,Maricopa,AZ,United States,Cold beers and Cheeseburgers,20350 N John Wayne pkwy,50.0,Facebook Sonoran Desert Niner Empire,,,,, -,315-313-8105,,,,,,,,49ers Empire Syracuse 315 Chapter,Dexter,Grady,Dexgradyjr@gmail.com,Syracuse,NY,United States,Change of pace sports bar,1809 Grant Blvd,233.0,Facebook 49ers Empire Syracuse 315 Chapter,,,,, -,8058901997,,,,,,,,Niner Empire Ventura Chapter,Diego,Rodriguez,diegoin805@msn.com,Ventura,CA,United States,El Rey Cantina,El Rey Cantina,20.0,,,,,, -,(717) 406-4494,,,,,,,,540 Faithfuls of the Niner Empire,Derrick,Lackey Sr,djdlack@gmail.com,Fredericksburg,VA,United States,Home Team Grill,1109 Jefferson Davis Highway,8.0,,,,,, -,8134588746,,,,,,,,Ninerempire Tampafl Chapter,john,downer,downer68@gmail.com,tampa,fl,United States,Ducky's,1719 eest Kennedy blvd,25.0,,,,,, -,5857393739,,,,,,,,Gold Diggers,Drew,Nye,drewnye@me.com,Rochester,New York,United States,The Blossom Road Pub,196 N. Winton Rd,12.0,,,,,, -,2545482581,,,,,,,,Niner Empire Waco Chapter,Dustin,Weins,dustinweins@gmail.com,Waco,TX,United States,Salty Dog,2004 N. Valley Mills,36.0,https://www.facebook.com/groups/Waco49ersFans/,,,,, -,9253823429,,,,,,,,Niner Empire of Brentwood,Elvin,Geronimo,e_geronimo@comcast.net,Brentwood,CA,United States,Buffalo Wild Wings,6051 Lone Tree Way,30.0,,,,,, -,7173301611,,,,,,,,"NinerEmpire of Lancaster, PA",Eli,Jiminez,Eli@GenesisCleans.com,Lancaster,PA,United States,PA Lancaster Niners Den,2917 Marietta Avenue,50.0,https://www.facebook.com/NinerEmpireLancasterPA,,,,, -,9156671234,,,,,,,,Empire Tejas 915- El Paso TX,Jr,& Yanet Esparza,empiretejas915@gmail.com,El Paso,Tx,United States,EL Luchador Taqueria/Bar,1613 n Zaragoza,28.0,,,,,, -,9168221256,,,,,,,,Capitol City 49ers fan club,Erica,medina,Erica.medina916@gmail.com,West Sacramento,CA,United States,Burgers and Brew restaurant,317 3rd St,80.0,,,,,, -,6269276427,,,,,,,,Golden Empire Hollywood,Ernie,Todd Jr,ernietoddjr@gmail.com,Los Angeles,CA,United States,Nova Nightclub,7046 Hollywood Blvd,10.0,,https://www.instagram.com/goldenempire49ers/,,,, -,7202714410,,,,,,,,Spartan Niner Empire Denver,Esley,Sullivan,esulli925@gmail.com,Denver,CO,United States,Downtown Denver,In transition,9.0,Facebook: Spartans of Denver,,,,, -,3244765148,,,,,,,,49er empire of Frisco Texas,Frank,Murillo,f.murillo75@yahoo.com,Frisco,TX,United States,The Irish Rover Pub & Restaurant,8250 Gaylord Pkwy,150.0,,,,,, -,7079804862,,,,,,,,FAIRFIELD CHAPTER,CHARLES,MCCARVER JR,FAIRFIELDCHAPTER49@gmail.com,Fairfield,CA,United States,Legends Sports Bar & Grill,3990 Paradise Valley Rd,24.0,https://www.facebook.com/pages/NINER-Empire-Fairfield-Chapter/124164624589973,,,,, -,5302434949,,,,,,,,Shasta Niners,Ruth,Rhodes,faithful49erfootball@yahoo.com,Redding,CA,United States,Shasta Niners Clubhouse,4830 Cedars Rd,80.0,,,,,, -,4156021439,,,,,,,,NINER EMPIRE FREMONT CHAPTER,Elmer,Urias,fanofniners@gmail.com,Fremont,CA,United States,Buffalo Wild Wings,43821 Pacific Commons Blvd,22.0,,,,,, -,701-200-2001,,,,,,,,Fargo 49ers Faithful,Sara,Wald,Fargo49ersFaithful@gmail.com,Fargo,ND,United States,Herd & Horns,1414 12th Ave N,25.0,,,,,, -,5309022915,,,,,,,,49ER ORIGINALS,Noah,Abbott,flatbillog@gmail.com,Redding,CA,United States,BLEACHERS Sports Bar & Grill,2167 Hilltop Drive,50.0,http://www.facebook.com/49ERORIGINALS,,,,, -,8439910310,,,,,,,,"49er Flowertown Empire of Summerville, SC",Michele,A. McGauvran,FlowertownEmpire@yahoo.com,Summerville,South Carolina,United States,Buffalo Wild Wings,109 Grandview Drive #1,20.0,,,,,, -,(321) 684-1543,,,,,,,,49ers of Brevard County,Anthony,Lambert,football_lambert@yahoo.com,Port St Johns,FL,United States,Beef O'Bradys in Port St. Johns,3745 Curtis Blvd,5.0,,,,,, -,9092227020,,,,,,,,Forever Faithful Clique,Rosalinda,Arvizu,foreverfaithfulclique@gmail.com,San Bernardino,CA,United States,The Study Pub and Grill,5244 University Pkwy Suite L,10.0,,,,,, -,9098090868,,,,,,,,49ERS FOREVER,BOBBY,MENDEZ,FORTY49ERS@GMAIL.COM,REDLANDS,CALIFORNIA,United States,UPPER DECK,1101 N. CALIFORNIA ST.,80.0,,,,,, -,6612050411,,,,,,,,Thee Empire Faithful Bakersfield,Faustino,Gonzales,frgonzales3@hotmail.com,Bakersfield,Ca,United States,Senor Pepe's Mexican Restaurant,8450 Granite Falls Dr,20.0,https://www.facebook.com/Thee-Empire-Faithful-Bakersfield-385021485035078/,,,,, -,3109022071,,,,,,,,Saloon Suad,Gary,Fowler,garymfowler2000@gmail.com,Los Angeles,ca,United States,San Francisco Saloon Bar,11501,20.0,,,,,, -,7028602312,,,,,,,,Troy'a chapter,Gerardo,Villanueva,gerardovillanueva90@gmail.com,Troy,OH,United States,Viva la fiesta restaurant,836 w main st,12.0,,,,,, -,9099130140,,,,,,,,Niner Empire IE Chapter,Gabriel,Arroyo,gfarroyo24@gmail.com,San Bernardino,California,United States,Don Martins Mexican Grill,1970 Ostrems Way,50.0,http://www.facebook.com/#!/ninerempire.iechapter/info,,,,, -,2095701072,,,,,,,,20916 Faithful,Joe,Trujillo,gina.trujillo@blueshieldca.com,Elk Grove,CA,United States,Sky River Casino,1 Sky River Parkway,25.0,,,,,, -,6265396855,,,,,,,,SO. CAL GOLD BLOODED NINER'S,Louie,Gutierrez,goldbloodedniner1949@gmail.com,Hacienda heights,CA,United States,SUNSET ROOM,2029 hacinenda blvd,20.0,Facebook group page/instagram,,,,, -,3053603672,,,,,,,,"South Florida's Faithful, Niner Empire",Dawn,Renae Desborough,golden49ergirl@gmail.com,Homestead,Fl,United States,Chili's in Homestead,2220 NE 8TH St.,10.0,https://www.facebook.com/southfloridafaithfuls,,,,, -,4804527403,,,,,,,,Cesty's 49ers Faithful,Pablo,Machiche,gomez_michelle@hotmail.com,Chandler,AZ,United States,Nando's Mexican Cafe,1890 W Germann Rd,25.0,,,,,, -,(956) 342-2285,,,,,,,,Niner Gang Empire,Marquez,Gonzalez,gonzalezdanny1493@gmail.com,EDINBURG,TX,United States,Danny Bar & Grill,4409 Adriana,2.0,,,,,, -,7852700872,,,,,,,,The Bell Ringers,Gretchen,Gier,gretchengier@gmail.com,Manhattan,KS,United States,Jeff and Josie Schafer's House,1517 Leavenworth St.,10.0,,,,,, -,5627391639,,,,,,,,O.C. NINER EMPIRE FAITHFUL'S,Angel,Grijalva,grijalvaangel7@gmail.com,Buena park,CA,United States,Ciro's pizza,6969 la Palma Ave,10.0,,,,,, -,8176757644,,,,,,,,Niner Empire DFW,Danny,Ramirez,grimlock49@gmail.com,Bedford,TX,United States,Papa G's,2900 HIGHWAY 121,50.0,,,,,, -,2092624468,,,,,,,,Hilmar Empire,Brian,Lopes,Hilmar49Empire@yahoo.com,Hilmar,Ca,United States,Faithful House,7836 Klint dr,10.0,,,,,, -,3045082378,,,,,,,,49ers of West Virginia,Herbert,Moore IV,hmoore11@pierpont.edu,Bridgeport,WV,United States,Buffalo WIld Wings,45 Betten Ct,2.0,,,,,, -,6185593569,,,,,,,,618 Niner Empire,Jared,Holmes,holmesjared77@gmail.com,Carbondale,IL,United States,"Home Basement aka """"The Local Tavern""""",401 N Allyn st,3.0,,,,,, -,808-989-0030,,,,,,,,NINER EMPIRE HAWAII 808,KEVIN,MEWS,HOODLUMSAINT@YAHOO.CM,HONOLULU,HI,United States,DAVE AND BUSTERS,1030 AUAHI ST,40.0,,,,,, -,(808) 989-0030,,,,,,,,NINER EMPIRE HAWAII 808,KEVIN,MEWS,hoodlumsaint@yahoo.com,Honolulu,HI,United States,Buffalo Wild Wings -Pearl City,1644 Young St # E,25.0,,,,,, -,8323734372,,,,,,,,H-Town Empire,Cedric,Robinson,htownempire49@gmail.com,Houston,Tx,United States,Skybox Bar and Grill,11312 Westheimer,30.0,,,,,, -,6015691741,,,,,,,,Hub City Faithful,Alan,Thomas,Hubcityfaithful@gmail.com,Hattiesburg,Mississippi,United States,Mugshots,204 N 40th Ave,12.0,,,,,, -,4043191365,,,,,,,,Spartan Niner Empire Georgia,Idris,Finch,idrisfinch@gmail.com,Duluth,GA,United States,Bermuda Bar,3473 Old Norcross Rd,100.0,,,,,, -,6462357661,,,,,,,,Westchester County New York 49ers Fans,Victor,Delgado aka 49ers Matador,IhateSherman@49ersMatador.com,Yonkers,New York,United States,"We meet at 3 locations, Burkes Bar in Yonkers, Matador's Fan Cave and Finnerty's",14 Troy Lane,46.0,https://www.facebook.com/groups/250571711629937/,,,,, -,8319702480,,,,,,,,Niner Empire 831,Luis,Pavon,info@ninerempire831.com,Salinas,Ca,United States,Straw Hat Pizza,156 E. Laurel Drive,30.0,,,,,, -,5033080127,,,,,,,,Niner Empire Portland,Joshua,F Billups,info@ninerempirepdx.com,Clackamas,Oregon,United States,Various,14682 SE Sunnyside Rd,25.0,,,,,, -,2815464828,,,,,,,,49ers Empire Galveston County Chapter,Terrance,Bell,info@terrancebell.com,Nassau Bay,TX,United States,Office,1322 Space Park Dr.,9.0,,,,,, -,4153707725,,,,,,,,NINER EMPIRE,Joe,Leonor,info@theninerempire.com,Brisbane,Ca,United States,7 Mile House,2800 Bayshore Blvd,8000.0,,,,,, -,6173350380,,,,,,,,Boston San Francisco Bay Area Crew,Isabel,Bourelle,isabou@alumni.stanford.edu,Boston,MA,United States,The Point Boston,147 Hanover Street,50.0,https://www.facebook.com/groups/392222837571990/,,,,, -,6173350380,,,,,,,,49ers Faithful of Boston,Isabel,Bourelle,isabou@mit.edu,Boston,MA,United States,"The Point, Boston, MA",147 Hanover Street,100.0,https://www.facebook.com/49ersfanBoston,,,,, -,9098153880,,,,,,,,Riverside 49ers Booster Club,Gus,Esmerio,ismerio77@gmail.com,Riverside,California,United States,Lake Alice Trading Co Saloon &Eatery,3616 University Ave,20.0,,,,,, -,3187893452,,,,,,,,318 Niner Empire,Dwane,Johnson (Jayrock),jayrock640@yahoo.com,Monroe,La.,United States,318 Niner Empire HQ,400 Stone Ave.,35.0,,,,,, -,5127872407,,,,,,,,The Austin Faithful,Jeffrey,Cerda,jeffcerda12@gmail.com,Austin,TX,United States,8 Track,2805 Manor Rd,100.0,,,,,, -,5599677071,,,,,,,,Niner Empire San Antonio,Jesus,Archuleta,jesusarchuleta@hotmail.com,San Antonio,TX,United States,Sir Winston's Pub,2522 Nacogdoches Rd.,150.0,,,,,, -,5097684738,,,,,,,,NINER EMPIRE OF THE 509,JESUS,MACIAS,jesusmaciasusarmy@yahoo.com,Spokane,WA,United States,Mac daddy's,"808 W Main Ave #106, Spokane, WA 99201",25.0,,,,,, -,19496329301,,,,,,,,SOCAL OC 49ERS,James,Di Cesare Jr,jjandadice@gmail.com,Newport Beach,CA,United States,The Blue Beet,107 21st Place,25.0,,,,,, -,7027692152,,,,,,,,Sin City Niner Empire,Jay,Patrick Bryant-Chavez,jly4bby@yahoo.com,Henderson,NV,United States,Hi Scores Bar-Arcade,65 S Stephanie St.,10.0,,,,,, -,2093862570,,,,,,,,Central Valley 9er Faithful,Jenn,Palacio,jm_palacio32@yahoo.com,Turlock,CA,United States,Mountain Mike's,409 S Orange St.,12.0,,,,,, -,4089104105,,,,,,,,Niner Squad,Joseph,Perez,joeperez408@gmail.com,San Jose,CA,United States,"4171 Gion Ave San Jose,Ca",4171 Gion Ave,25.0,,,,,, -,2094897540,,,,,,,,merced niner empire,john,candelaria sr,johncandelariasr@gmail.com,merced,ca,United States,round table pizza,1728 w olive ave,12.0,,,,,, -,7604120919,,,,,,,,NINERS ROLLIN HARD IMPERIAL VALLEY CHAPTER,Juan,Vallejo,johnnyboy49.jv@gmail.com,Brawley,CA,United States,SPOT 805,550 main Street,45.0,,,,,, -,3856257232,,,,,,,,Tooele County 49ers,Jon,Proctor,jonproctor1@msn.com,TOOELE,UT,United States,"Pins and Ales - 1111 N 200 W, Tooele, UT 84074",1111 N 200 W,30.0,https://www.facebook.com/groups/173040274865599,,,,, -,3165194699,,,,,,,,49ers united of wichita ks,Josh,Henke,Josh.Henke@pioneerks.com,Wichita,KS,United States,Hurricane sports grill,8641 w 13th st suite 111,206.0,Facebook 49ers united of wichita ks,,,,, -,8282919599,,,,,,,,828 NCNINERS,Jovan,Hoover,Jovan.hoover@yahoo.com,Hickory,NC,United States,Coaches Neighborhood Bar and Grill,2049 Catawba Valley Blvd SE,10.0,,,,,, -,3207749300,,,,,,,,Chicago 49ers Club,Jonathan,West,jswest33@yahoo.com,Chicago,IL,United States,The Globe Pub,1934 West Irving Park Road,12.0,,,,,, -,5033174024,,,,,,,,Niner Empire Vancouver,Justin,Downs,justin.downs25@yahoo.com,Vancouver,WA,United States,Heathen feral public house,1109 Washington St,567.0,,,,,, -,7572565334,,,,,,,,Hampton Roads Niners Fanatics,Steve,Mead,kam9294@gmail.com,Hampton,VA,United States,Nascar Grille,1996 Power Plant Parkway,65.0,,,,,, -,(859) 991-8185,,,,,,,,Cincy Faithful,Joshua,Karcher,karch03@gmail.com,Newport,KY,United States,Buffalo Wild Wings,83 Carothers Rd,4.0,,,,,, -,4058028979,,,,,,,,Southside OKC Faithful Niners,Gary,Calton,kat1031@hotmail.com,Oklahoma City,Oklahoma,United States,CrosseEyed Moose,10601 Sout Western Ave,6.0,,,,,, -,7078899236,,,,,,,,707 FAITHFULS,Enrique,Licea,keakslicea@yahoo.com,Wine country,CA,United States,Wine country,"Breweries, restaurant's, wineries, private locations",1000.0,,707 faithfuls ( INSTAGRAM),,,, -,6623134320,,,,,,,,NINER EMPIRE MEMPHIS CHAPTER,Kenita,Miller,kenitamiller@hotmail.com,Memphis,Tennessee,United States,360 Sports Bar & Grill,3896 Lamar Avenue,40.0,,,,,, -,(843) 437-3101,,,,,,,,Chucktown Empire 49ers of Charleston,Kentaroe,Jenkins,KENTAROEJENKINS@gmail.com,North Charleston,SC,United States,Chill n' Grill Sports bar,"2810 Ashley Phosphate Rd A1, North Charleston, SC 29418",20.0,https://m.facebook.com/groups/1546441202286398?ref=bookmarks,,,,, -,7278359840,,,,,,,,Spartans Niner Empire Florida,Ram,Keomek,keomekfamily@yahoo.com,Tampa,FL,United States,Ducky's Sports Bar,1719 Kennedy Blvd,12.0,Spartans Empire Florida (Facebook),,,,, -,4159871795,,,,,,,,Palm Springs Area 49er Club,Kevin,Casey,kevincasey61@gmail.com,Palm Springs,CA,United States,The Draughtsmen,1501 N Palm Canyon,15.0,,,,,, -,907351-8367,,,,,,,,49th State Faithful,James,Knudson,knudson73@gmail.com,Anchorage,AK,United States,Al's Alaskan Inn,7830 Old Seward Hwy,202.0,Facebook 49th State Faithful,,,,, -,6232241316,,,,,,,,49er faithful of Arizona ( of the West Valley ),Koni,Raes,koniraes@hotmail.com,Surprise,Az,United States,"Booty's Wings, Burgers and Beer Bar and Grill",15557 W. Bell Rd. Suite 405,10.0,,,,,, -,19096849033,,,,,,,,NINER CORE,Mike,Fortunato,Krazymyk909@gmail.com,Bloomington,CA,United States,Traveling chapter,18972 Grove pl,30.0,,,,,, -,9168380550,,,,,,,,Forever Faithful RGV (Rio Grande Valley),Karen,Schmidt,ktschmidt@sbcglobal.net,McAllen,TX,United States,My Place,410 N 17th St,1.0,,,,,, -,9166065299,,,,,,,,49ers Sacramento Faithfuls,Leo,Placencia lll,leoplacencia3@yahoo.com,West Sacramento,CA,United States,Kick N Mule Restaurant and Sports Bar,2901 W Capitol Ave,250.0,,Instagram page 49erssacramentofaithfuls,,,, -,9098964162,,,,,,,,SO. CAL GOLDBLOOED NINERS,Louie,Gutierrez,Lglakers@aol.com,Industry,CA,United States,Hacienda nights pizza co.,15239 Gale ave,20.0,,,,,, -,5105867089,,,,,,,,Niner Empire Hayward chapter,Raul,Sosa,lidiagonzales2001@comcast.net,Hayward,Ca,United States,Strawhat pizza,1163 industrial pkwy W,30.0,,,,,, -,6412033285,,,,,,,,49ers Empire Iowa Chapter,Lisa,Wertz,lisemo73@yahoo.com,Chariton,Iowa,United States,Shoemakers Steak House,2130 Court Ave,194.0,https://www.facebook.com/groups/247559578738411/,,,,, -,5598923919,,,,,,,,Niner Empire of Fresno,Luis,Lozano,llozano_316@hotmail.com,Fresno,CA,United States,Round Table Pizza,5702 N. First st,215.0,Http://facebook.com/theninerempireoffresno,,,,, -,8602057937,,,,,,,,Connecticut Spartan Niner Empire,Maria,Ortiz,Lollie_pop_style@yahoo.com,East Hartford,Connecticut,United States,Silver Lanes Lounge,748 Silverlane,13.0,,,,,, -,2814602274,,,,,,,,"Niner Empire Houston, TX Chapter",Lorenzo,Puentes,Lorenzo@squadrally.com,Houston,Texas,United States,Little J's Bar,5306 Washington Ave,175.0,https://www.facebook.com/NinerEmpireHTX,,,,, -,2814085420,,,,,,,,"Niner Empire Houston, TX",lorenzo,puentes,lorenzoflores88@gmail.com,Houston,Texas,United States,coaches I-10,17754 Katy Fwy #1,150.0,https://m.facebook.com/NinersFaithfulHTX,,,,, -,6265396855,,,,,,,,SO. CAL GOLD BLOODED NINER'S,Louie,Gutierrez,louchekush13@gmail.com,Industry,CA,United States,Hacienda heights Pizza Co,15239 Gale Ave,25.0,Facebook group page/instagram,,,,, -,5593597047,,,,,,,,the 559 ers,jose,Ascencio,luey559@gmail.com,porterville,CA,United States,landing 13,landing 13,10.0,,,,,, -,3105705415,,,,,,,,Billings Niners Faithful,Lukas,Seely,lukas_seely@hotmail.com,Billings,MT,United States,Craft B&B,2658 Grand ave,42.0,https://www.facebook.com/groups/402680873209435,,,,, -,9016909484,,,,,,,,901 9ers,Darrick,Pate,lydellpate@yahoo.com,Memphis,Tn,United States,Prohibition,4855 American Way,50.0,,,,,, -,5127738511,,,,,,,,Tulsa 49ers Faithful,Marcus,Bell,marcusbw82@hotmail.com,Tulsa,OK,United States,Buffalo Wild Wings,6222 E 41st St,140.0,https://www.facebook.com/groups/313885131283800/,,,,, -,4086853231,,,,,,,,The Niner Empire - 405 Faithfuls - Oklahoma City,Maria,Ward,mariaward.jd@gmail.com,Oklahoma City,OK,United States,The Side Chick 115 E. California Ave,5911 Yale Drive,50.0,https://www.facebook.com/share/FZGC9mVjz3BrHGxf/?mibextid=K35XfP,,,,, -,7605404093,,,,,,,,Niner Empire Imperial Valley,Mario,A Garcia Jr,mario_g51@hotmail.com,Brawley,Ca,United States,Waves Restaurant & Saloon,621 S Brawley Ave,7.0,,,,,, -,6234519863,,,,,,,,East Valley Faithful,Mark,Arellano,markatb3@aol.com,Gilbert,AZ,United States,TBD,5106 South Almond CT,20.0,,,,,, -,(360) 970-4784,,,,,,,,360 Niner Empire,Marcus,Dela Cruz,markofetti@yahoo.com,Lacey,WA,United States,Dela Cruz Residence,1118 Villanova St NE,20.0,,,,,, -,8042106332,,,,,,,,49ers Booster Club of Virginia,Chris,Marshall,marshalchris@yahoo.com,Mechanicsville,Virginia,United States,Sports Page Bar & Grill,8319 Bell Creek Rd,10.0,,,,,, -,3605931626,,,,,,,,Niner Empire Tampa,Matthew,Pascual,matthew.pascual@gmail.com,Tampa,FL,United States,The Bad Monkey,1717 East 7th Avenue,18.0,https://www.facebook.com/NinerEmpireTampa,,,,, -,4062441820,,,,,,,,49ers Faithful Montana State,Melissa,Kirkham,Melissared72@hotmail.com,Missoula,MT,United States,Not yet determined,415 Coloma Way,40.0,https://www.facebook.com/groups/2370742863189848/,,,,, -,3615632198,,,,,,,,49ers Fan club,Jess,Mendez,mendez0947@sbcglobal.net,Corpus Christi,Texas,United States,Click Paradise Billiards,5141 Oakhurst Dr.,25.0,,,,,, -,6613438275,,,,,,,,Niner Empire Delano,mike,uranday,michaeluranday@yahoo.com,Delano,ca,United States,Aviator casino,1225 Airport dr,20.0,,,,,, -,6159537124,,,,,,,,Mid South Niner Empire,Tyrone,J Taylor,midsouthninerempire@gmail.com,Nashville,TN,United States,Winners Bar and Grill,1913 Division St,12.0,,,,,, -,6465429352,,,,,,,,49ers Empire New York City,Miguel,Ramirez,miguel.ramirez4@aol.com,New York,New York,United States,Off The Wagon,109 MacDougal Street,15.0,,,,,, -,7605879798,,,,,,,,49er Empire High Desert,Mike,Kidwell (president),mikekid23@gmail.com,hesperia,California,United States,Thorny's,1330 Ranchero rd.,100.0,,,,,, -,3038425017,,,,,,,,Mile High 49ers,Howard,Gibian,milehigh49ers@gmail.com,Denver,Colorado,United States,IceHouse Tavern,1801 Wynkoop St,15.0,,,,,, -,(323) 440-3129,,,,,,,,NOCO 49ers,Ryan,Fregosi,milehigh49ersnoco@gmail.com,Windsor,CO,United States,The Summit Windsor,4455 N Fairgrounds Ave,677.0,,,,,, -,4142429903,,,,,,,,Milwaukee Spartans of the Niner Empire,Brandon,Rayls,Milwaukeespartan@gmail.com,Wauwatosa,WI,United States,jacksons blue ribbon pub,11302 w bluemound rd,5.0,,,,,, -,3257165662,,,,,,,,SAN ANGELO NINER EMPIRE,pablo,barrientod,mireyapablo@yahoo.com,san angelo,tx,United States,buffalo wild wings,4251 sherwoodway,15.0,,,,,, -,5802848928,,,,,,,,580 FAITHFUL,Lowell,Mitchusson,Mitchussonld44@gmail.com,Devol,OK,United States,APACHE LONE STAR CASUNO,"Devol, Oklahoma",10.0,,,,,, -,9373974225,,,,,,,,49ers of Ohio,Monica,Leslie,mleslie7671@yahoo.com,Xenia,Ohio,United States,Cafe Ole',131 North Allison Ave,15.0,,,,,, -,3073653179,,,,,,,,307 FAITHFUL,Michael,Mason,mmason123169@gmail.com,Cheyenne,WY,United States,"4013 Golden Ct, Cheyenne, Wyoming",4013 Golden Ct,2.0,,,,,, -,7609277246,,,,,,,,Mojave Desert 49er Faithfuls,Nicole,Ortega,mojavedesert49erfaithfuls@gmail.com,Apple Valley,CA,United States,Gator's Sports Bar and Grill - Apple Valley,21041 Bear Valley Rd,40.0,,,,,, -,9153463686,,,,,,,,The Dusty Faithful,Alejandro,Montero,monterophoto@aol.com,Socorro,TX,United States,The Dusty Tap Bar,10297 Socorro Rd,45.0,,,,,, -,5055451180,,,,,,,,The Duke City Faithful,David,Young,mr49ers16@gmail.com,Albuquerque,N.M.,United States,Buffalo wild wings,6001 iliff rd.,20.0,,,,,, -,5203719925,,,,,,,,Emilio,Bustos,,mraztecacg520@hotmail.com,Casa grande,Arizona(AZ),United States,Liquor factory bar and deli,930 E Florence,30.0,,,,,, -,5054894879,,,,,,,,New Mexico Niner Empire,Charles,Montano,mrchunky1@live.com,Albuquerque,New Mexico,United States,Ojos Locos Sports Cantina,"Park Square,2105 Louisiana Blvd N.E",250.0,,,,,, -,5626593944,,,,,,,,So Cal Niner Empire,Ras,Curtis Shepperd,mrrascurt@att.net,Long Beach,Ca,United States,Gallaghers Irish Pub and Grill,2751 E. Broadway,30.0,,,,,, -,9802000224,,,,,,,,49er Faithful of Charlotte,Ryan,Lutz,mrryanlutz@yahoo.com,Charlotte,North Carolina,United States,Strike City Charlotte,210 E. Trade St.,353.0,,,,,, -,6126365232,,,,,,,,MSP Niner Faithful,Xp,Lee,mspniners@gmail.com,Saint Paul,MN,United States,Firebox BBQ,1585 Marshall Ave,5.0,Www.fb.me/mspniners,,,,, -,6019187982,,,,,,,,Mississippi Niner Empire Chapter-Jackson,Nicholas,Jones,mssajson@gmail.com,Jackson,Ms.,United States,M-Bar Sports Grill,6340 Ridgewood Ct.,69.0,,,,,, -,9256982330,,,,,,,,BayArea Faithfuls,Jon,Punla,myrapunla@att.net,Pleasant Hill,California,United States,Damo Sushi,508 Contra Costa Blvd,100.0,,,,,, -,4803525459,,,,,,,,AZ49erFaithful,Ignacio,Cordova,nachocordova73@gmail.com,mesa,az,United States,Boulders on Southern,1010 w Southern ave suite 1,120.0,,,,,, -,2103164674,,,,,,,,Pluckers Alamo Ranch,Naomi,Robles,naomiaranda@yahoo.com,San Antonio,TX,United States,Pluckers Wong Bar,202 Meadow Bend Dr,45.0,,,,,, -,870-519-9373,,,,,,,,Natural State Niners,Denishio,Blanchett,naturalstateniners@gmail.com,Jonesboro,AR,United States,Buffalo Wild Wings,1503 Red Wolf Blvd,105.0,www.facebook.com/NSNiners,,,,, -,5614050582,,,,,,,,North Carolina Gold Blooded Empire,ncgoldblooded@gmail.com,,ncgoldblooded@gmail.com,Raleigh,North Carolina,United States,Tobacco Road - Raleigh,222 Glenwood Avenue,40.0,,,,,, -,3365588525,,,,,,,,Spartan Empire of North Carolina,Karlton,Green,ncspartans5@gmail.com,Greensboro,NC,United States,World of Beer,1310 westover terr,8.0,,,,,, -,(559) 380-5061,,,,,,,,Niner Empire Kings County,Javier,Cuevas,NEKC559@YAHOO.COM,Hanford,CA,United States,Fatte Albert's pizza co,110 E 7th St,10.0,,,,,, -,5053216498,,,,,,,,New Mexico Gold Rush,Larry,Urbina,NewMexicoGoldRush@aol.com,Rio Rancho,NM,United States,Applebee's,4100 Ridge Rock Rd,25.0,,,,,, -,650-333-6117,,,,,,,,Niner 408 Squad,Tracey,Anthony,niner408squad@yahoo.com,San Jose,CA,United States,Personal home,3189 Apperson Ridge Court,25.0,,,,,, -,9518670172,,,,,,,,NINER ALLEY,junior,ambriz,nineralley@gmail.com,moreno valley,ca,United States,home,13944 grant st,15.0,,,,,, -,5599677071,,,,,,,,Niner Empire San Antonio,Jesus,Archuleta,ninerempire_sanantonio@yahoo.com,San Antonio,Texas,United States,Fatso's,1704 Bandera Road,25.0,https://www.facebook.com/ninerempire.antonio,,,,, -,5209711614,,,,,,,,NinerEmpire520,Joseph,(Bubba) Avalos,ninerempire520@gmail.com,Tucson,AZ,United States,Maloney's,213 North 4th Ave,100.0,,,,,, -,6024594333,,,,,,,,49er Empire Desert West,Daniel,Enriquez,ninerempiredw@yahoo.com,Glendale,Arizona,United States,McFadden's Glendale,9425 West Coyotes Blvd,60.0,,,,,, -,9155026670,,,,,,,,Niner Empire EPT,Pete,Chavez,ninerempireept@gmail.com,el paso,tx,United States,knockout pizza,10110 mccombs,12.0,http://www.facebook.com/groups/ninerempireept,,,,, -,7027692152,,,,,,,,"Niner Empire Henderson, NV",Jay,Bryant-Chavez,NinerEmpireHenderson@yahoo.com,Henderson,Nevada,United States,Hi Scores Bar-Arcade,65 S Stephanie St,11.0,http://www.facebook.com/ninerempirehenderson,,,,, -,9712184734,,,,,,,,Niner Empire Salem,Timothy,Stevens,ninerempiresalem2018@gmail.com,Salem,OR,United States,IWingz,IWingz,200.0,,,,,, -,5599677071,,,,,,,,Niner Empire San Antonio,Jesus,Archuleta,NinerEmpireSanAntoni0@oulook.com,San Antonio,Texas,United States,Fatsos,1704 Bandera Rd,30.0,,,,,, -,5419440558,,,,,,,,Niner Empire Southern Oregon,Patricia,Alvarez,NinerEmpireSoOr@gmail.com,Medford,OR,United States,The Zone Sports Bar & Grill,1250 Biddle Rd.,12.0,,,,,, -,4199171537,,,,,,,,niner empire faithfuls of toledo,Darren,Sims,ninerempiretoledo@yahoo.com,Toledo,Ohio,United States,Legendz sports pub and grill,519 S. Reynolds RD,27.0,,,,,, -,7023033434,,,,,,,,Las Vegas Niner EmpireNorth,Susan,Larsen,Ninerfolife@yahoo.com,Las Vegas,NV,United States,Timbers Bar & Grill,7240 West Azure Drive,50.0,,,,,, -,7023715898,,,,,,,,NINER FRONTIER,Tyson,white,ninerfrontier@gmail.com,las vegas,NV,United States,Luckys Lounge,7345 S Jones Blvd,8.0,,,,,, -,7604120919,,,,,,,,NINERS ROLLIN HARD IMPERIAL VALLEY,Juan,Vallejo,ninerrollinhard49@yahoo.com,Brawley,CA,United States,SPOT 805 Bar and Grill,550 Main St,40.0,,,,,, -,8282228545,,,,,,,,Niners Rollin Hard EL Valle C.V. Chapter,Joshua,Garcia,Niners49rollinhardcvchapter@yahoo.com,La Quinta,CA,United States,The Beer Hunters,78483 Highway 111,40.0,,,,,, -,4088576983,,,,,,,,Niners United,Eli,Soque,ninersunited@gmail.com,Santa Clara,CA,United States,"Levi's Stadium Section 201, Section 110, Section 235 (8 of the 18 members are Season Ticket Holders)",4900 Marie P DeBartolo Way,18.0,,,,,, -,3125904783,,,,,,,,San Francisco 49ers Fans of Chicago,Nathan,Israileff,nisraileff@gmail.com,Chicago,IL,United States,"Gracie O'Malley's (Wicker Park location), 1635 N Milwaukee Ave, Chicago, IL 60647",Gracie O'Malley's,1990.0,https://www.facebook.com/Chicago49ersFans,,,,, -,2017022055,,,,,,,,NJ Niner Empire Faithful Warriors,Joe,Aguiluz,nj_ninerempire@yahoo.com,Jersey City,New Jersey,United States,O'Haras Downtown,172 1st Street,20.0,https://m.facebook.com/njninerempire,,,,, -,2017057762,,,,,,,,NJ9ers,Arron,Rodriguez,nj9ers2023@gmail.com,Bayonne,NJ,United States,Mr. Cee's Bar & Grill,17 E 21st Street,35.0,,,,,, -,2088183104,,,,,,,,North Idaho 49ers Faithful,Josh,Foshee,northid49erfaithful@gmail.com,Coeur d'Alene,ID,United States,Iron Horse Bar and Grille,407 Sherman Ave,700.0,,,,,, -,5093069273,,,,,,,,Northwest Niner Empire,David,Hartless,northwestninerempire@gmail.com,Ellensburg,WA,United States,Armies Horseshoe Sports Bar,106 W 3rd,145.0,https://www.facebook.com/groups/northwestninerempire/,,,,, -,7039691435,,,,,,,,NOVA Niners,Matt,Gaffey,novaniners@gmail.com,Herndon,VA,United States,Finnegan's Sports Bar & Grill,2310 Woodland Crossing Dr,80.0,http://www.facebook.com/nova.niners1,,,,, -,8303870501,,,,,,,,Austin Niner Empire,Amber,Williams,nuthinlika9er@gmail.com,Austin,Texas,United States,Mister Tramps Pub & Sports Bar,8565 Research Blvd,13.0,http://www.Facebook.com/AustinNinerEmpire,,,,, -,6462677844,,,,,,,,New York 49ers Club,Joey,Greener,nycredandgold@gmail.com,new york,ny,United States,Finnerty's Sports Bar,221 2nd Avenue,300.0,,,,,, -,559-664-2446,,,,,,,,Mad-town chapter,Francisco,Velasquez,onejavi481@gmail.com,Madera,CA,United States,Madera ranch,28423 Oregon Ave,15.0,,,,,, -,5129491183,,,,,,,,Gold Rush Army of Austin,Emmanuel,Salgado,osheavue@gmail.com,Austin,TX,United States,Midway Field House,2015 E Riverside Dr,180.0,https://www.facebook.com/GoldRushArmyofAustin,,,,, -,(951) 867-0172,,,,,,,,niner alley,pedro,ambriz,pambriz@mvusd.net,MORENO VALLEY,CA,United States,papa joes sports bar,12220 frederick ave,25.0,,,,,, -,(413)361-9818,,,,,,,,413 Spartans,Ricky Pnut,Ruiz,papanut150@yahoo.com,Chicopee,MA,United States,Bullseye,Bullseye,17.0,,,,,, -,503-550-9738,,,,,,,,Clementine's Faithful,Paula,Hylland,paula@themulebar.com,Portland,OR,United States,The Mule Bar,4915 NE Fremont Street,10.0,,,,,, -,5852592796,,,,,,,,585faithful,patterson,,paulfiref@gmail.com,dansville,NY,United States,dansville ny,108 main st,1.0,,,,,, -,5599203535,,,,,,,,Niner Empire Cen Cal 559,Pauline,Castro,PAULINECASTRO87@MSN.COM,PORTERVILLE,CA,United States,BRICKHOUSE BAR AND GRILL,152 North Hockett Street,30.0,,,,,, -,9254514477,,,,,,,,Booze & Niner Football,Mike,Parker,peterparker61925@yahoo.com,Solana Beach,CA,United States,Saddle Bar,123 W Plaza St,10.0,,,,,, -,6262024448,,,,,,,,Westside Niners Nation,Leo,Gonzalez,pibe444@hotmail.com,Culver City,CA,United States,Buffalo Wings and Pizza,5571 Sepulveda Blvd.,16.0,,,,,, -,5203719925,,,,,,,,Pinal county niner empire,Emilio,Bustos,pinalninerempire@gmail.com,Casa grande,Arizona(AZ),United States,Liquor factory bar and deli,930 E Florence,30.0,,,,,, -,4252561925,,,,,,,,"Prescott, AZ 49ers faithful",Pam,Marquardt,pmarquardt2011@gmail.com,Prescott,AZ,United States,Prescott Office Resturant,128 N. Cortez St.,28.0,,,,,, -,8082585120,,,,,,,,San Francisco 49'ers Hawaii Fan Club,Randy,Miyamoto,promoto1@hawaiiantel.net,Honolulu,Hawaii,United States,To be determined,To be determined,50.0,,,,,, -,(503) 544-3640,,,,,,,,Niner Empire Portland,Pedro,Urzua,purzua76@gmail.com,Portland,OR,United States,KingPins Portland,3550 SE 92nd ave,100.0,,,,,, -,9253054704,,,,,,,,QueensandKings Bay Area Empire Chapter,Queen,,queensandkings49@gmail.com,Antioch,Ca,United States,Tailgaters,4605 Golf Course Rd,15.0,,,,,, -,4086671847,,,,,,,,Club 49 Tailgate Crew,Alex,Chavez,raiderhater@club49.org,Pleasanton,California,United States,Sunshine Saloon Sports Bar,1807 Santa Rita Rd #K,15.0,,,,,, -,6465429352,,,,,,,,49ers Nyc Chapter,Miguel,Ramirez,ram4449ers@aol.com,New York,New York,United States,Off the Wagon,"109 Macdougal St,",35.0,https://www.facebook.com/niner.nychapter,,,,, -,5093076839,,,,,,,,"49er faithfuls Yakima,Wa",Olivia,Salazar,Ramirez14148@gmail.com,Yakima,Wa,United States,TheEndzone,1023 N 1st,35.0,,,,,, -,7209080304,,,,,,,,49er's Faithful Aurora Co Chapter,Fito,Cantu',raton76.fc@gmail.com,Aurora,CO,United States,17307 E Flora Place,17307 E Flora Place,10.0,,,,,, -,5626404112,,,,,,,,49er F8thfuls,Ray,Casper,ray@rdnetwrks.com,Gardena,Ca,United States,Paradise,889 w 190th,50.0,,,,,, -,562-322-8833,,,,,,,,westside9ers,Ray,Casper,raycasper5@yahoo.com,Downey,CA,United States,Bar Louie,8860 Apollo Way,75.0,,,,,, -,8609951926,,,,,,,,Spartan 9er Empire Connecticut,Raymond,Dogans,Raymonddogans224@gmail.com,EastHartford,CO,United States,Red Room,1543 Main St,20.0,,,,,, -,6786322673,,,,,,,,Red & Gold Empire,Stephen,Box,RednGoldEmpire@gmail.com,Sandy Springs,GA,United States,Hudson Grille Sandy Springs,6317 Roswell Rd NE,25.0,https://www.facebook.com/RGEmpire,,,,, -,7755606361,,,,,,,,RENO NINEREMPIRE,Walter,Gudiel,reno9erempire@gmail.com,Reno,Nv,United States,Semenza's Pizzeria,4380 Neil rd.,35.0,,,,,, -,6502711535,,,,,,,,650 Niner Empire peninsula chapter,Jose,Reyes Raquel Ortiz,reyesj650@gmail.com,South San Francisco,Ca,United States,7mile house or standby,1201 bayshore blvd,27.0,,,,,, -,6508346624,,,,,,,,Spartan Niner Empire California,Jose,Reyes,reyesj650empire@gmail.com,Colma,CA,United States,Molloys Tavern,Molloys tavern,19.0,,,,,, -,(951) 390-6832,,,,,,,,Riverside county TEF (Thee Empire Faithful),Sean,Flynn,riversidecountytef@gmail.com,Winchester,CA,United States,Pizza factory,30676 Bentod Rd,20.0,,,,,, -,9098153880,,,,,,,,Riverside 49ers Booster Club,Gus,Esmerio,riversidefortyniners@gmail.com,Riverside,California,United States,Lake Alice Trading Co Saloon &Eatery,3616 University Ave,20.0,,,,,, -,5156643526,,,,,,,,49ers Strong Iowa - Des Moines Chapter,Rob,Boehringer,robert_boehringer@yahoo.com,Ankeny,IA,United States,Benchwarmers,705 S Ankeny Blvd,8.0,,,,,, -,6159537124,,,,,,,,Mid South Niner Nation,Tyrone,Taylor,roniram@hotmail.com,Nashville,TN,United States,Kay Bob's,1602 21st Ave S,12.0,,,,,, -,8165898717,,,,,,,,Kansas City 49ers Faithful,Ronnie,Tilman,ronnietilman@yahoo.com,Leavenworth,KS,United States,"Fox and hound. 10428 metcalf Ave. Overland Park, ks",22425,245.0,,,,,, -,9169965326,,,,,,,,49er Booster Club Carmichael Ca,Ramona,Hall,rotten7583@comcast.net,Fair Oaks,Ca,United States,Fair Oaks,7587 Pineridge Lane,38.0,,,,,, -,2252419900,,,,,,,,Rouge & Gold Niner Empire,Derek,Wells,rougeandgold@gmail.com,Baton Rouge,LA,United States,Sporting News Grill,4848 Constitution Avenue,32.0,,,,,, -,5592029388,,,,,,,,Niner Empire Tulare County,Rita,Murillo,rt_murillo@yahoo.com,Visalia,Ca,United States,5th Quarter,3360 S. Fairway,25.0,,,,,, -,3234403129,,,,,,,,Mile High 49ers NOCO Booster Club,Ryan,Fregosi,Ryan.fregosi@gmail.com,Greeley,co,United States,Old Chicago Greeley,2349 W. 29th St,176.0,http://www.facebook.com/milehigh49ersnocoboosterclub,,,,, -,4086220996,,,,,,,,NINERFANS.COM,Ryan,Sakamoto,ryan@ninerfans.com,Cupertino,California,United States,Islands Bar And Grill (Cupertino),20750 Stevens Creek Blvd.,22.0,,,,,, -,6198203631,,,,,,,,San Diego Gold Rush,Robert,Zubiate,rzavsd@gmail.com,San Diego,CA,United States,Bootleggers,804 market st.,20.0,,,,,, -,6026264006,,,,,,,,East Valley Niner Empire,Selvin,Cardona,salcard49@yahoo.com,Apache Junction,AZ,United States,Tumbleweed Bar & Grill,725 W Apache Trail,30.0,,,,,, -,7076949476,,,,,,,,Santa Rosa Niner Empire,Joaquin,Kingo Saucedo,saucedo1981@live.com,Windsor,CA,United States,Santa Rosa,140 3rd St,15.0,,,,,, -,3305180874,,,,,,,,Youngstown Faithful,Scott,West,scottwest1@zoominternet.net,Canfield,OH,United States,The Cave,369 Timber Run Drive,10.0,,,,,, -,6502469641,,,,,,,,Seattle Niners Faithful,Brittany,Carpenter,SeattleNinersFaithful@gmail.com,Everett,WA,United States,Great American Casino,12715 4th Ave W,300.0,,,,,, -,9194511624,,,,,,,,"San Francisco 49ers Faithful - Greater Triangle Area, NC",Lora,Edgar,SF49ersFaithful.TriangleAreaNC@gmail.com,Durham,North Carolina,United States,Tobacco Road Sports Cafe,280 S. Mangum St. #100,24.0,https://www.facebook.com/groups/474297662683684/,,,,, -,5103948854,,,,,,,,South Florida Gold Blooded Empire,Michelle,"""""Meme"""" Jackson",sff49ers@gmail.com,Boynton Beach,Florida,United States,Miller's Ale House,2212 N. Congress Avenue,23.0,,,,,, -,5305264764,,,,,,,,Red Rock's Local 49 Club,Shane,Keffer,shanekeffer19@gmail.com,Red Bluff,CA,United States,Tips Bar,501 walnut St.,40.0,,,,,, -,5098451845,,,,,,,,Columbia Basin Niners Faithful,Christina,Feldman,shanora28@yahoo.com,Finley,Washington,United States,Shooters,214711 e SR 397 314711 wa397,30.0,,,,,, -,(951) 816-8801,,,,,,,,9er Elite,Harmony,Shaw,shawharmony@yahoo.com,Lake Elsinore,CA,United States,Pins N Pockets,32250 Mission Trail,20.0,,,,,, -,6093396596,,,,,,,,Shore Faithful,Edward,Griffin Jr,shorefaithfulempire@gmail.com,Barnegat,NJ,United States,603 East Bay Ave Barnegat NJ 08005 - Due to covid 19 we no longer have a meeting location besides my residence. I truly hope this is acceptable - Thank you,603 East Bay Ave,6.0,,,,,, -,5054708144,,,,,,,,Santa Fe Faithfuls,Anthony,Apodaca,sic.apodaca1@gmail.com,Santa Fe,New Mexico,United States,Blue Corn Brewery,4056 Cerrilos Rd.,10.0,,,,,, -,5204147239,,,,,,,,Sonoran Desert Niner Empire,Derek,Yubeta,sonorandesertninerempire@yahoo.com,Maricopa,AZ,United States,Cold beers and cheeseburgers,20350 N John Wayne Pkwy,48.0,,,,,, -,3054953136,,,,,,,,9549ERS faithful,Nelson,Tobar,soyyonell@yahoo.com,Davie,FL,United States,Twin peaks,Twin peaks,30.0,,,,,, -,8062929172,,,,,,,,806 Niner Empire West Texas Chapter,Joe,Frank Rodriquez,state_champ_27@hotmail.com,Lubbock,Texas,United States,Buffalo Wild Wings,6320 19th st,20.0,,,,,, -,8082283453,,,,,,,,Ohana Niner Empire,Nathan,Sterling,sterling.nathan@aol.com,Honolulu,HI,United States,TBD,1234 TBD,20.0,,,,,, -,9167470720,,,,,,,,Westside Portland 49er Fan Club,Steven,Englund,stevenenglund@hotmail.com,Portland,OR,United States,The Cheerful Tortoise,1939 SW 6th Ave,20.0,,,,,, -,7542235678,,,,,,,,49ersGold,Tim,OCONNELL,stoutbarandgrill3419@gmail.com,Oakland Park,FL,United States,stout bar and grill,Stout Bar and Grill,12.0,,,,,, -,2096409543,,,,,,,,4T9 MOB TRACY FAMILY,Jenese,Borges Soto,superrednece@comcast.net,Tracy,Ca,United States,Buffalo wild wings,2796 Naglee road,20.0,,,,,, -,5413015005,,,,,,,,Niner Empire Southern Oregon Chapter,Susana,Perez,susana.perez541@gmail.com,medford,or,United States,imperial event center,41 north Front Street,15.0,,,,,, -,(530) 315-9467,,,,,,,,SacFaithful,Gregory,Mcconkey,synfulpleasurestattoos@gmail.com,Cameron park,CA,United States,Presidents home,3266 Cimmarron rd,20.0,,,,,, -,9374189628,,,,,,,,Niner Faithful Of Southern Ohio,Tara,Farrell,tarafarrell86@gmail.com,piqua,OH,United States,My House,410 Camp St,10.0,,,,,, -,7609783736,,,,,,,,NinerGangFaithfuls,Andrew,Siliga,tattguy760@gmail.com,Oceanside,ca,United States,my house,4020 Thomas st,20.0,,,,,, -,6099544424,,,,,,,,Jersey 49ers riders,terry,jackson,terryjackson93@aol.com,Trenton,New Jersey,United States,sticky wecket,2465 S.broad st,30.0,,,,,, -,(703) 401-0212,,,,,,,,Life Free or Die Faithfuls,Thang,Vo,thangvo@gmail.com,Concord,NH,United States,Buffalo Wild Wings,8 Loudon Rd,3.0,https://www.facebook.com/groups/876812822713709/,,,,, -,3105929214,,,,,,,,The 909 Niner Faithfuls,Joe,Del Rio,The909NinerFaithfuls@gmail.com,Fontana,Ca,United States,Boston's Sports Bar and Grill,16927 Sierra Lakes Pkwy.,30.0,http://www.facebook.com/The909NinerFaithfuls,,,,, -,6264459623,,,,,,,,Arcadia Chapter,Allyson,Martin,Thebittavern@gmail.com,Arcadia,CA,United States,4167 e live oak Ave,4167 e live oak Ave,25.0,,,,,, -,5592897293,,,,,,,,Thee Empire Faithful,Joe,Rocha,theeempirefaithfulfc@live.com,Fresno,California,United States,Buffalo Wild Wings,3065 E Shaw Ave,50.0,,,,,, -,5412063142,,,,,,,,The Oregon Faithful,Jeff,Sutton,theoregonfaithful@gmail.com,Eugene,OR,United States,The Side Bar,Side Bar,12.0,,,oregonfaithful on Twitter,,, -,9082475788,,,,,,,,The ORIGINAL Niner Empire-New Jersey Chapter,Charlie,Murphy,theoriginalninernjchapter@gmail.com,Linden,NJ,United States,Nuno's Pavilion,300 Roselle ave,35.0,,,,,, -,5852788246,,,,,,,,What a Rush (gold),Paul,Smith,thescotchhouse@gmail.com,Rochester,NY,United States,The Scotch House Pub,373 south Goodman street,15.0,,,,,, -,9519029955,,,,,,,,Moreno Valley 49er Empire,Tibor,Belt,tibor.belt@yahoo.com,Moreno Vallay,CA,United States,S Bar and Grill,23579 Sunnymead Ranch Pkwy,15.0,https://www.facebook.com/pages/Moreno-Valley-49er-Empire/220528134738022,,,,, -,14054370161,,,,,,,,"The Niner Empire, 405 Faithfuls, Oklahoma City",Maria,Ward,tne405faithfuls@gmail.com,Oklahoma city,OK,United States,Hooters NW Expressway OKC,3025 NW EXPRESSWAY,25.0,https://www.facebook.com/share/g/4RVmqumg1MQNtMSi/?mibextid=K35XfP,,,,, -,7072971945,,,,,,,,707 EMPIRE VALLEY,Tony,Ruiz,tonyruiz49@gmail.com,napa,California,United States,Ruiz Home,696a stonehouse drive,10.0,,,,,, -,208-964-2981,,,,,,,,Treasure Valley 49er Faithful,Curt,Starz,treasurevalley49erfaithful@gmail.com,Star,ID,United States,The Beer Guys Saloon,10937 W. State Street,100.0,https://www.facebook.com/TV49erFaithful,,,,, -,(804) 313-1137,,,,,,,,Hampton Roads Niner Empire,Nick,Farmer,Trickynick89@aol.com,Newport news,VA,United States,Boathouse Live,11800 Merchants Walk #100,300.0,https://m.facebook.com/groups/441340355910833?ref=bookmarks,,,,, -,(971) 218-4734,,,,,,,,Niner Empire Salem,Timothy,Stevens,tstevens1989@gmail.com,Salem,OR,United States,AMF Firebird Lanes,4303 Center St NE,218.0,,,,,, -,3234590567,,,,,,,,Forty Niners LA chapter,Tony,,tvaladez49ers@gmail.com,Bell,Ca,United States,Krazy Wings,7016 Atlantic Blvd,15.0,,,,,, -,(318) 268-9657,,,,,,,,Red River Niner Empire,Tyra,Kinsey,tylkinsey@gmail.com,Bossier City,LA,United States,Walk On's Bossier City,3010 Airline Dr,15.0,www.facebook.com/RedRiverNinerEmpire,,,,, -,3058965471,,,,,,,,Ultimate 49er Empire,Nadieshda,Nadie Lizabe,Ultimateninerempire@gmail.com,Pembroke pines,Florida,United States,Pines alehouse,11795 pine island blvd,14.0,,,,,, -,8014140109,,,,,,,,Utah Niner Empire,Travis,Vallejo,utahninerempire@gmail.com,Salt Lake City,UT,United States,Legends Sports Pub,677 South 200 West,25.0,https://www.facebook.com/UtahNinerEmpire,,,,, -,(480) 493-9526,,,,,,,,Phoenix602Faithful,Vincent,Price,vprice068@yahoo.com,Phoenix,AZ,United States,Galaghers,3220 E Baseline Rd,20.0,,,,,, -,3108979404,,,,,,,,WESTSIDE 9ERS,Naimah,Williams,Westside9ers@gmail.com,Carson,CA,United States,Buffalo Wild Wings,736 E Del Amo Blvd,20.0,,,,,, -,4696009701,,,,,,,,Addison Point 49ner's Fans,William,Kuhn,wkpoint@gmail.com,Addison,Texas,United States,Addison Point Sports Grill,4578 Beltline Road,288.0,,,,,, -,3605679487,,,,,,,,49er Forever Faithfuls,Wayne,Yelloweyes-Ripoyla,wolfhawk9506@aol.com,Vancouver,Wa,United States,Hooligans bar and grill,"8220 NE Vancouver Plaza Dr, Vancouver, WA 98662",11.0,,,,,, -,5309086004,,,,,,,,Woodland Faithful,Oscar,Ruiz,woodlandfaithful22@gmail.com,Woodland,CA,United States,Mountain Mikes Pizza,171 W. Main St,30.0,,,,,, -,3159448662,,,,,,,,Niner Empire Central New York,Michal,,ykeoneil@gmail.com,Cicero,New York,United States,Tully's Good Times,7838 Brewerton Rd,6.0,,,,,, -,(970) 442-1932,,,,,,,,4 Corners Faithful,Anthony,Green,yourprince24@yahoo.com,Durango,CO,United States,Sporting News Grill,21636 Highway 160,10.0,https://www.facebook.com/groups/363488474141493/,,,,, -,(480) 708-0838,,,,,,,,480 Gilbert Niner Empire,Elle,Lopez,zepolelle@gmail.com,Gilbert,AZ,United States,Panda Libre,748 N Gilbert Rd,30.0,,,,,, -,(331) 387-0752,,,,,,,,Niner Empire Jalisco 49ers Guadalajara,Sergio,Hernandez,zhekografico1@gmail.com,Guadalajara,TX,United States,Bar Cheleros,Bar CHELEROS,190.0,https://www.facebook.com/NinerEmpireJalisco49ersGuadalajara/?modal=admin_todo_tour,,,,, -,3045457327,,,,,,,,49ERS Faithful of West Virginia,Zachary,Meadows,zmeads@live.com,Charleston,WV,United States,The Pitch,5711 MacCorkle Ave SE,12.0,,,,,, -,2016971994,,,,,,,,49 Migos Chapter,Manny,Duarte,Yaman053@yahoo.com,Saddle Brook,NJ,United States,Midland Brewhouse,374 N Midland Ave,10.0,,,,,, -,408-892-5315,,,,,,,,49ers Bay Area Faithful Social Club,Sarah,Wallace,49ersbayareafaithful@gmail.com,Sunnyvale,CA,United States,Giovanni's New York Pizzeria,1127 Lawrence Expy,65.0,,,,,, -,5404245114,,,,,,,,Niner Empire Of Indy,Jay,Balthrop,Indyninerfaithful@yahoo.com,Indianapolis,IN,United States,The Bulldog Bar and Lounge,5380 N College Ave,30.0,,,,,, diff --git a/data/april_11_multimedia_data_collect/49ers_2024_column_definitions.csv b/data/april_11_multimedia_data_collect/49ers_2024_column_definitions.csv deleted file mode 100644 index 3ae518197d8837d5b2aadf7d06811870c1faca2d..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/49ers_2024_column_definitions.csv +++ /dev/null @@ -1,62 +0,0 @@ -column_name,definition -game_id,Unique identifier for each game (format: YYYY_WK_HOME_AWAY) -player_id,Unique identifier for each player -player_name,Player name (Last.First format) -posteam,Team the player was on for this play -position,"Player position (QB, RB, WR, TE, OL, DL, LB, DB, etc.)" -team,Team the player was on for the season -passing_yards,Total passing yards -passing_tds,Total passing touchdowns -air_yards,Total air yards (distance ball traveled in the air) -yards_after_catch,Total yards after catch (YAC) -cpoe,Completion Percentage Over Expected (average) -qb_epa,Expected Points Added by quarterback -pass_attempts,Number of pass attempts -complete_passes,Number of completed passes -avg_air_yards,Average air yards per pass attempt -avg_yac,Average yards after catch per reception -pass_location_left,Number of passes thrown to the left side of the field -pass_location_middle,Number of passes thrown to the middle of the field -pass_location_right,Number of passes thrown to the right side of the field -pass_length_short,Number of short passes (0-9 yards) -pass_length_medium,Number of medium passes (10-19 yards) -pass_length_deep,Number of deep passes (20+ yards) -rushing_yards,Total rushing yards -rushing_tds,Total rushing touchdowns -rush_attempts,Number of rush attempts -first_downs_rush,Number of first downs achieved by rushing -xyac_mean,Expected Yards After Contact (mean) -xyac_median,Expected Yards After Contact (median) -xyac_success_rate,Expected Yards After Contact success rate -rush_epa,Expected Points Added by rushing plays -run_location_left,Number of rushes to the left side of the field -run_location_middle,Number of rushes to the middle of the field -run_location_right,Number of rushes to the right side of the field -run_gap_guard,Number of rushes through the guard gap -run_gap_tackle,Number of rushes through the tackle gap -run_gap_end,Number of rushes through the end gap -receiving_yards,Total receiving yards -receiving_tds,Total receiving touchdowns -receiving_attempts,Number of pass attempts targeting this player -first_downs_receiving,Number of first downs achieved by receiving -receiving_epa,Expected Points Added by receiving plays -avg_yac_y,Average yards after catch per reception -avg_air_yards_y,Average air yards per target -solo_tackles,Number of solo tackles -assisted_tackles,Number of assisted tackles -tackles_for_loss,Number of tackles for loss -qb_hits,Number of quarterback hits -sacks,Number of sacks (including half sacks) -interceptions,Number of interceptions -forced_fumbles,Number of forced fumbles -fumble_recoveries,Number of fumble recoveries -pass_defenses,Number of pass defenses (passes defended) -total_plays,Total number of plays -third_down_attempts,Number of third down attempts -third_down_conversions,Number of third down conversions -fourth_down_attempts,Number of fourth down attempts -fourth_down_conversions,Number of fourth down conversions -red_zone_attempts,Number of plays in the red zone (inside 20-yard line) -red_zone_touchdowns,Number of touchdowns scored in the red zone -avg_field_position,Average field position (yard line) -total_epa,Total Expected Points Added diff --git a/data/april_11_multimedia_data_collect/49ers_2024_enhanced_stats.csv b/data/april_11_multimedia_data_collect/49ers_2024_enhanced_stats.csv deleted file mode 100644 index fe1c1aeaf4a40b48d917bf3f8e141e40cd12e95b..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/49ers_2024_enhanced_stats.csv +++ /dev/null @@ -1,478 +0,0 @@ -game_id,player_id,player_name,posteam,air_yards,yards_after_catch,cpoe,qb_epa,pass_attempts,complete_passes,avg_air_yards_x,avg_yac_x,pass_location_left,pass_location_middle,pass_location_right,pass_length_short,pass_length_medium,pass_length_deep,rush_attempts,first_downs_rush,xyac_mean,xyac_median,xyac_success_rate,rush_epa,run_location_left,run_location_middle,run_location_right,run_gap_guard,run_gap_tackle,run_gap_end,receiving_attempts,first_downs_receiving,receiving_epa,avg_yac_y,avg_air_yards_y,solo_tackles,assisted_tackles,tackles_for_loss,qb_hits,sacks,interceptions,forced_fumbles,fumble_recoveries,pass_defenses,position,team -2024_01_NYJ_SF,00-0035719,D.Samuel,SF,0.0,0.0,0.0,-2.089832,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,8.0,1.0,0.0,0.0,0.0,-0.67271006,2.0,1.0,5.0,2.0,1.0,4.0,9.0,3.0,-1.2348499,7.0,9.222222,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_01_NYJ_SF,00-0037834,B.Purdy,SF,282.0,65.0,1.223947,6.501399,31.0,19.0,9.724138,3.4210527,11.0,4.0,14.0,23.0,0.0,6.0,1.0,1.0,0.0,0.0,0.0,0.66162306,1.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_02_SF_MIN,00-0037834,B.Purdy,SF,307.0,88.0,8.449785,0.5646054,42.0,28.0,8.527778,3.142857,18.0,9.0,9.0,28.0,0.0,8.0,2.0,1.0,0.0,0.0,0.0,-1.5915335,0.0,0.0,2.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_03_SF_LA,00-0037834,B.Purdy,SF,328.0,42.0,8.3491335,14.322098,31.0,22.0,10.933333,1.9090909,15.0,7.0,8.0,23.0,0.0,7.0,10.0,4.0,0.0,0.0,0.0,1.5727233,3.0,4.0,3.0,0.0,1.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_04_NE_SF,00-0037834,B.Purdy,SF,382.0,91.0,2.7807364,6.9550357,28.0,15.0,14.148149,6.0666666,13.0,8.0,6.0,18.0,0.0,9.0,5.0,2.0,0.0,0.0,0.0,-0.6365359,2.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_05_ARI_SF,00-0037834,B.Purdy,SF,301.0,103.0,-2.797041,-0.8968394,37.0,19.0,8.6,5.4210525,10.0,10.0,15.0,29.0,0.0,6.0,4.0,3.0,0.0,0.0,0.0,2.6440792,2.0,1.0,1.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_06_SF_SEA,00-0037834,B.Purdy,SF,208.0,127.0,1.1455575,11.726026,28.0,18.0,7.428571,7.0555553,11.0,8.0,9.0,24.0,0.0,4.0,4.0,2.0,0.0,0.0,0.0,2.269924,1.0,2.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_07_KC_SF,00-0037834,B.Purdy,SF,288.0,77.0,-9.561323,-10.695416,33.0,17.0,9.290322,4.529412,9.0,9.0,13.0,23.0,0.0,8.0,8.0,4.0,0.0,0.0,0.0,3.2783353,2.0,3.0,3.0,1.0,1.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_08_DAL_SF,00-0037834,B.Purdy,SF,193.0,146.0,2.902199,7.3219767,28.0,18.0,7.423077,8.111111,8.0,6.0,12.0,20.0,0.0,6.0,8.0,5.0,0.0,0.0,0.0,0.6738467,4.0,2.0,1.0,0.0,2.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_10_SF_TB,00-0037834,B.Purdy,SF,252.0,172.0,8.745182,17.42039,39.0,25.0,7.0,6.88,13.0,12.0,10.0,32.0,0.0,3.0,4.0,1.0,0.0,0.0,0.0,1.200601,1.0,1.0,1.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_11_SEA_SF,00-0037834,B.Purdy,SF,153.0,53.0,1.9846971,0.76701754,30.0,21.0,5.464286,2.5238094,11.0,10.0,7.0,27.0,0.0,1.0,5.0,3.0,0.0,0.0,0.0,4.637245,2.0,0.0,3.0,1.0,2.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_12_SF_GB,00-0032434,B.Allen,SF,214.0,116.0,-3.8751414,-10.667564,31.0,17.0,7.37931,6.8235292,9.0,8.0,12.0,24.0,0.0,5.0,2.0,0.0,0.0,0.0,0.0,-0.9902776,1.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,QB,SF -2024_13_SF_BUF,00-0037834,B.Purdy,SF,91.0,63.0,-8.119931,-6.686323,20.0,11.0,5.0555553,5.7272725,7.0,4.0,6.0,14.0,0.0,3.0,2.0,0.0,0.0,0.0,0.0,-1.0874774,2.0,0.0,0.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_14_CHI_SF,00-0032434,B.Allen,SF,27.0,0.0,-33.222153,-1.6866125,1.0,0.0,27.0,0.0,1.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_14_CHI_SF,00-0037834,B.Purdy,SF,237.0,158.0,16.902557,22.780807,26.0,20.0,9.48,7.9,9.0,7.0,9.0,18.0,0.0,7.0,5.0,2.0,0.0,0.0,0.0,0.060688794,2.0,2.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_15_LA_SF,00-0037834,B.Purdy,SF,372.0,71.0,-19.976582,-10.5665455,34.0,14.0,12.0,5.071429,13.0,11.0,7.0,22.0,0.0,9.0,1.0,1.0,0.0,0.0,0.0,0.5765568,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_16_SF_MIA,00-0037834,B.Purdy,SF,185.0,202.0,-1.383752,4.943433,43.0,26.0,4.625,7.769231,14.0,12.0,12.0,34.0,0.0,4.0,4.0,2.0,0.0,0.0,0.0,1.2696196,1.0,3.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_17_DET_SF,00-0033949,J.Dobbs,SF,38.0,4.0,22.256256,2.7755704,4.0,3.0,9.5,1.3333334,1.0,1.0,2.0,4.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,2.3457837,0.0,0.0,1.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_17_DET_SF,00-0037834,B.Purdy,SF,325.0,164.0,17.51682,13.325008,37.0,27.0,9.285714,6.0740743,16.0,7.0,11.0,26.0,0.0,8.0,3.0,2.0,0.0,0.0,0.0,3.6949568,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_17_DET_SF,00-0039916,R.Pearsall,SF,10.0,0.0,0.0,-0.5309751,1.0,0.0,10.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,-0.7377343,2.0,0.0,0.0,0.0,0.0,2.0,10.0,7.0,1.7088872,4.625,13.4,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_18_SF_ARI,00-0033949,J.Dobbs,SF,335.0,97.0,-0.3269558,2.7819095,45.0,29.0,7.7906976,3.3448277,19.0,9.0,14.0,35.0,0.0,7.0,8.0,1.0,0.0,0.0,0.0,-5.1400976,2.0,2.0,3.0,0.0,1.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_01_NYJ_SF,00-0032434,B.Allen,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,QB,SF -2024_01_NYJ_SF,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,28.0,8.0,0.0,0.0,0.0,2.5408611,7.0,8.0,13.0,7.0,7.0,6.0,1.0,1.0,1.1211888,0.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_02_SF_MIN,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,-3.7653537,0.0,0.0,2.0,0.0,0.0,2.0,10.0,6.0,3.89057,2.375,10.4,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_02_SF_MIN,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,20.0,4.0,0.0,0.0,0.0,0.38534558,8.0,4.0,8.0,4.0,4.0,8.0,1.0,1.0,0.7218728,1.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,RB,SF -2024_02_SF_MIN,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,-0.5834937,1.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_03_SF_LA,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,19.0,4.0,0.0,0.0,0.0,-2.745393,7.0,8.0,4.0,2.0,7.0,2.0,2.0,1.0,0.30088514,2.5,2.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_03_SF_LA,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,0.0,0.0,0.0,0.0,-0.12907702,2.0,2.0,1.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_04_NE_SF,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.9227302,1.0,0.0,1.0,0.0,1.0,1.0,5.0,1.0,-0.034093976,4.3333335,12.6,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_04_NE_SF,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,24.0,4.0,0.0,0.0,0.0,-0.36055934,12.0,1.0,11.0,8.0,8.0,7.0,3.0,2.0,2.3305106,12.5,9.333333,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,RB,SF -2024_04_NE_SF,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,-0.42413026,1.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_05_ARI_SF,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,-0.45684302,1.0,0.0,2.0,0.0,2.0,1.0,3.0,1.0,-0.42246145,14.0,7.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_05_ARI_SF,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,14.0,5.0,0.0,0.0,0.0,-4.023312,6.0,6.0,2.0,3.0,3.0,2.0,1.0,0.0,0.8489289,5.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_05_ARI_SF,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,1.0,0.0,0.0,0.0,0.10141504,2.0,2.0,1.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_06_SF_SEA,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,2.3673804,0.0,0.0,1.0,1.0,0.0,0.0,4.0,0.0,-0.67413783,3.0,0.25,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_06_SF_SEA,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,0.0,0.0,0.0,0.0,-0.1996569,3.0,0.0,1.0,1.0,0.0,3.0,5.0,2.0,5.667431,24.333334,8.2,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_06_SF_SEA,00-0035973,P.Taylor,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,1.0,0.0,0.0,0.0,-1.9803748,1.0,3.0,1.0,1.0,0.0,1.0,1.0,1.0,0.8642729,9.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_06_SF_SEA,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,9.0,2.0,0.0,0.0,0.0,2.4182563,3.0,4.0,2.0,4.0,0.0,1.0,2.0,0.0,0.1447174,7.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_06_SF_SEA,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,10.0,3.0,0.0,0.0,0.0,4.1687727,4.0,0.0,6.0,5.0,3.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_07_KC_SF,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.25666967,0.0,1.0,0.0,0.0,0.0,0.0,3.0,0.0,-1.8011339,0.0,7.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_07_KC_SF,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,14.0,3.0,0.0,0.0,0.0,-2.60446,8.0,4.0,2.0,6.0,2.0,2.0,2.0,0.0,0.4728176,6.5,-1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_07_KC_SF,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,-0.4941254,1.0,0.0,0.0,0.0,0.0,1.0,1.0,1.0,0.39284694,4.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_08_DAL_SF,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,-0.60379195,0.0,1.0,0.0,0.0,0.0,0.0,1.0,0.0,-0.8074182,3.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_08_DAL_SF,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,0.0,0.0,0.0,0.0,-0.28057802,2.0,0.0,2.0,0.0,0.0,4.0,7.0,2.0,2.6091933,12.25,7.285714,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_08_DAL_SF,00-0035973,P.Taylor,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.15753521,1.0,0.0,1.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_08_DAL_SF,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,0.0,0.0,0.0,0.0,-3.8694394,3.0,2.0,1.0,1.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_08_DAL_SF,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,14.0,4.0,0.0,0.0,0.0,4.1675467,5.0,4.0,5.0,4.0,3.0,3.0,4.0,1.0,-0.31071395,5.3333335,1.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_08_DAL_SF,00-0039916,R.Pearsall,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,2.9439166,1.0,0.0,0.0,0.0,0.0,1.0,4.0,1.0,3.149541,1.75,7.75,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_10_SF_TB,00-0033280,C.McCaffrey,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,13.0,1.0,0.0,0.0,0.0,-3.2786186,7.0,1.0,5.0,2.0,4.0,6.0,7.0,3.0,4.5970345,5.1666665,5.285714,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_10_SF_TB,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,0.0,0.0,0.0,-0.083067596,3.0,0.0,0.0,0.0,0.0,3.0,6.0,3.0,3.8740122,7.4,5.3333335,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_10_SF_TB,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.07866124,1.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_10_SF_TB,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,-0.576378,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_11_SEA_SF,00-0033280,C.McCaffrey,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,19.0,5.0,0.0,0.0,0.0,0.9068694,8.0,3.0,8.0,5.0,4.0,7.0,5.0,1.0,-4.6035123,2.75,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_11_SEA_SF,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,-1.2686515,1.0,0.0,0.0,0.0,0.0,1.0,7.0,2.0,-1.8586897,4.25,4.142857,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_11_SEA_SF,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.8261764,1.0,1.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_12_SF_GB,00-0033280,C.McCaffrey,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,11.0,2.0,0.0,0.0,0.0,-3.215815,7.0,2.0,2.0,1.0,2.0,6.0,4.0,1.0,-5.015009,11.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_12_SF_GB,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,0.0,0.0,0.0,0.6415378,2.0,1.0,0.0,1.0,1.0,0.0,2.0,0.0,-1.3124305,2.0,1.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_13_SF_BUF,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,-8.842431,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_13_SF_BUF,00-0033280,C.McCaffrey,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,7.0,4.0,0.0,0.0,0.0,2.6957345,2.0,3.0,2.0,3.0,0.0,1.0,3.0,1.0,-0.75998765,11.5,-1.6666666,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_13_SF_BUF,00-0037525,J.Mason,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,13.0,5.0,0.0,0.0,0.0,1.2699263,5.0,5.0,3.0,6.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_13_SF_BUF,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,0.0,0.0,0.0,1.0754507,4.0,0.0,0.0,2.0,1.0,1.0,1.0,0.0,-0.8692365,2.0,-5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_14_CHI_SF,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,1.0,0.0,0.0,0.0,-0.9218336,2.0,1.0,2.0,0.0,3.0,1.0,3.0,1.0,-0.57113814,2.0,3.3333333,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_14_CHI_SF,00-0035973,P.Taylor,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,7.0,2.0,0.0,0.0,0.0,2.869411,2.0,1.0,4.0,1.0,4.0,1.0,1.0,0.0,-1.252887,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_14_CHI_SF,00-0036450,K.Vaughn,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,-0.63253444,1.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_14_CHI_SF,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,15.0,3.0,0.0,0.0,0.0,1.9505161,5.0,5.0,5.0,5.0,2.0,3.0,2.0,2.0,4.9476438,12.0,13.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_15_LA_SF,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,-2.365286,0.0,1.0,1.0,1.0,0.0,0.0,7.0,0.0,-3.6206276,5.0,8.142858,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_15_LA_SF,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,16.0,3.0,0.0,0.0,0.0,-2.7465308,7.0,4.0,5.0,4.0,6.0,2.0,4.0,1.0,-0.17864746,5.25,-0.75,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_16_SF_MIA,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,-0.46787792,0.0,1.0,0.0,0.0,0.0,0.0,3.0,1.0,-0.064133644,21.0,1.3333334,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_16_SF_MIA,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,1.0,0.0,0.0,0.0,-0.508863,1.0,2.0,2.0,1.0,1.0,1.0,9.0,5.0,9.981165,13.285714,2.3333333,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_16_SF_MIA,00-0035973,P.Taylor,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,8.0,0.0,0.0,0.0,0.0,-2.4529104,2.0,2.0,4.0,3.0,2.0,1.0,5.0,0.0,-5.7453537,3.0,2.4,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_17_DET_SF,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,0.0,0.0,0.0,0.51918215,1.0,0.0,2.0,1.0,0.0,2.0,1.0,1.0,1.4846148,9.0,-4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_17_DET_SF,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,9.0,3.0,0.0,0.0,0.0,-1.1639796,2.0,3.0,4.0,1.0,3.0,2.0,4.0,2.0,2.5526319,10.0,6.25,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_18_SF_ARI,00-0035973,P.Taylor,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,17.0,8.0,0.0,0.0,0.0,2.5992072,6.0,7.0,4.0,0.0,8.0,2.0,4.0,1.0,-4.022974,7.0,6.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,RB,SF -2024_18_SF_ARI,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,-0.49391884,1.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_18_SF_ARI,00-0039365,J.Cowing,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.38061914,0.0,0.0,1.0,0.0,0.0,1.0,2.0,2.0,2.851562,5.0,10.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_01_NYJ_SF,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,2.1537273,5.0,11.666667,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_01_NYJ_SF,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,1.0,1.2682899,2.25,5.2,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_01_NYJ_SF,00-0033576,E.Saubert,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,-2.4288409,0.0,21.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_01_NYJ_SF,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,4.0,5.70921,2.0,10.8,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_01_NYJ_SF,00-0036261,B.Aiyuk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,2.0,2.2746978,0.5,11.6,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_02_SF_MIN,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,1.0,-5.143916,0.33333334,5.2,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_02_SF_MIN,00-0032128,C.Conley,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,-0.1795147,0.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_02_SF_MIN,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,8.0,4.0,7.117309,6.428571,7.25,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_02_SF_MIN,00-0033576,E.Saubert,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,1.4695836,5.5,7.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_02_SF_MIN,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,0.10221434,3.0,13.75,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_02_SF_MIN,00-0036261,B.Aiyuk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,2.0,3.87371,1.25,8.4,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_03_SF_LA,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.26004398,1.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_03_SF_LA,00-0033576,E.Saubert,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,1.5957016,1.5,10.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_03_SF_LA,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,12.0,7.0,15.495835,2.3636363,12.416667,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_03_SF_LA,00-0036261,B.Aiyuk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,10.0,4.0,0.91654116,2.0,9.9,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_03_SF_LA,00-0038647,R.Bell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,-1.1611729,-3.0,16.333334,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_04_NE_SF,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.051612,7.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_04_NE_SF,00-0032128,C.Conley,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,-1.3718414,0.0,30.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_04_NE_SF,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,3.0,6.8057404,1.5,9.75,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_04_NE_SF,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,3.0,2.8351827,6.6666665,14.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_04_NE_SF,00-0036261,B.Aiyuk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,2.0,-2.654686,10.0,18.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_05_ARI_SF,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,12.0,5.0,-5.5725317,2.75,6.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_05_ARI_SF,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,0.4055177,8.0,9.75,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_05_ARI_SF,00-0036261,B.Aiyuk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,12.0,6.0,9.87623,6.75,11.916667,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_06_SF_SEA,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,3.0,6.554491,3.0,8.666667,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_06_SF_SEA,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,2.0,-1.4030272,2.6666667,5.4,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_06_SF_SEA,00-0036261,B.Aiyuk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,1.9441535,3.0,15.75,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_07_KC_SF,00-0032128,C.Conley,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,-5.7187457,0.0,15.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_07_KC_SF,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,7.0,3.0,0.39054453,4.3333335,11.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_07_KC_SF,00-0036261,B.Aiyuk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,1.0,-3.4162493,3.0,10.166667,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_07_KC_SF,00-0038647,R.Bell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,-1.5810671,5.0,9.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_07_KC_SF,00-0039365,J.Cowing,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,3.090322,8.0,13.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_07_KC_SF,00-0039916,R.Pearsall,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,1.0,-1.5082994,2.3333333,8.6,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_08_DAL_SF,00-0032128,C.Conley,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,-0.5324731,0.0,18.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_08_DAL_SF,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,7.0,5.0,8.1000395,11.833333,11.571428,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_08_DAL_SF,00-0038647,R.Bell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,-1.5641463,0.0,-2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_10_SF_TB,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,3.0,5.8553314,11.0,8.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_10_SF_TB,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,11.0,5.0,3.9533834,5.142857,7.6363635,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,WR,SF -2024_10_SF_TB,00-0039916,R.Pearsall,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,3.0,2.362729,8.75,10.333333,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_11_SEA_SF,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.38041437,1.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_11_SEA_SF,00-0033576,E.Saubert,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.6058445,0.0,7.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_11_SEA_SF,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,11.0,7.0,9.135282,2.3,6.4545455,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_11_SEA_SF,00-0039916,R.Pearsall,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,-0.715209,0.0,8.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_12_SF_GB,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.98711085,8.0,6.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_12_SF_GB,00-0032128,C.Conley,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,-0.5757112,0.0,41.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,WR,SF -2024_12_SF_GB,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,4.0,8.527831,5.1666665,8.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_12_SF_GB,00-0033576,E.Saubert,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,-1.151492,0.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_12_SF_GB,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,-5.896618,25.0,9.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_12_SF_GB,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,7.0,1.0,-1.8789022,3.4,6.428571,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_13_SF_BUF,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,-0.7227036,1.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_13_SF_BUF,00-0035719,D.Samuel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,0.0,-2.7973228,4.5,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_13_SF_BUF,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,3.0,6.1596694,6.3333335,13.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_13_SF_BUF,00-0039916,R.Pearsall,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,-0.884316,0.0,26.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_14_CHI_SF,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,-0.67687297,0.0,15.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_14_CHI_SF,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,6.0,13.389875,17.166666,8.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_14_CHI_SF,00-0033576,E.Saubert,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.7066627,1.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_14_CHI_SF,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,8.0,4.0,7.949817,3.7142856,10.25,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_14_CHI_SF,00-0039365,J.Cowing,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,-1.6866125,0.0,27.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_14_CHI_SF,00-0039916,R.Pearsall,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,-1.48657,0.0,19.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_15_LA_SF,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,7.0,3.0,1.2262753,5.5,17.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_15_LA_SF,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,9.0,2.0,-5.1531568,5.0,13.444445,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_15_LA_SF,00-0039916,R.Pearsall,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,0.47602475,3.0,19.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_16_SF_MIA,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,9.0,4.0,6.949933,9.0,4.111111,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_16_SF_MIA,00-0033576,E.Saubert,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.194619,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_16_SF_MIA,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,3.0,-2.0195067,0.5,13.333333,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_16_SF_MIA,00-0039916,R.Pearsall,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,0.86943173,2.75,6.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_17_DET_SF,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.7815255,10.0,8.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_17_DET_SF,00-0032128,C.Conley,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.23506,7.0,6.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_17_DET_SF,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,8.0,5.0,7.7626567,6.75,7.25,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_17_DET_SF,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,10.0,2.0,3.5207326,1.5714285,10.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_18_SF_ARI,00-0029892,K.Juszczyk,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,2.0,3.468422,10.5,10.333333,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_18_SF_ARI,00-0032128,C.Conley,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,5.2493095,3.0,11.75,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_18_SF_ARI,00-0033288,G.Kittle,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,0.2918446,6.0,12.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_18_SF_ARI,00-0033292,T.Taylor,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.504246,2.0,9.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_18_SF_ARI,00-0033576,E.Saubert,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,2.0,-1.0858461,0.75,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_18_SF_ARI,00-0036259,J.Jennings,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,10.0,2.0,-1.5724446,2.2857144,6.3,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_18_SF_ARI,00-0038643,B.Willis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,-1.446141,0.0,5.5,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_18_SF_ARI,00-0039916,R.Pearsall,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,8.0,4.0,3.549455,2.3333333,9.25,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_01_NYJ_SF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_01_NYJ_SF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,2.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,LB,SF -2024_01_NYJ_SF,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,DL,SF -2024_01_NYJ_SF,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_01_NYJ_SF,00-0034091,G.Odum,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_01_NYJ_SF,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_01_NYJ_SF,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_01_NYJ_SF,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_01_NYJ_SF,00-0038603,R.Beal,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_01_NYJ_SF,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_01_NYJ_SF,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_01_NYJ_SF,00-0037003,C.Surratt,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,NYJ -2024_01_NYJ_SF,00-0033109,J.Hargrave,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_01_NYJ_SF,00-0036500,J.Sherwood,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,NYJ -2024_01_NYJ_SF,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_01_NYJ_SF,00-0035020,D.Flannigan-Fowles,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,1.0,LB,SF -2024_01_NYJ_SF,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_02_SF_MIN,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,2.0,2.0,2.0,0.0,0.0,0.0,0.0,DL,SF -2024_02_SF_MIN,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_02_SF_MIN,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_02_SF_MIN,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_02_SF_MIN,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,2.0,1.0,1.0,1.0,1.0,2.0,0.0,2.0,LB,SF -2024_02_SF_MIN,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_02_SF_MIN,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_02_SF_MIN,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_02_SF_MIN,00-0034091,G.Odum,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,DB,SF -2024_02_SF_MIN,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,DB,SF -2024_02_SF_MIN,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_02_SF_MIN,00-0035026,K.Givens,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.0,2.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_03_SF_LA,00-0036564,T.Hufanga,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_03_SF_LA,00-0039076,N.Hampton,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,LA -2024_03_SF_LA,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_03_SF_LA,00-0033109,J.Hargrave,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_03_SF_LA,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_03_SF_LA,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,DB,SF -2024_03_SF_LA,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_03_SF_LA,00-0032128,C.Conley,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SF -2024_03_SF_LA,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_03_SF_LA,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_03_SF_LA,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_03_SF_LA,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_03_SF_LA,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_03_SF_LA,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_03_SF_LA,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_04_NE_SF,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_04_NE_SF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,3.0,0.0,0.0,0.0,1.0,0.0,0.0,1.0,LB,SF -2024_04_NE_SF,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,1.0,1.0,0.0,0.0,1.0,0.0,0.0,DL,SF -2024_04_NE_SF,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_04_NE_SF,00-0039697,J.Mahoney,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_04_NE_SF,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_04_NE_SF,00-0035026,K.Givens,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,1.0,3.0,2.5,0.0,0.0,0.0,0.0,DL,SF -2024_04_NE_SF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,3.0,2.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_04_NE_SF,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_04_NE_SF,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,3.0,0.0,0.0,1.0,0.0,0.0,DL,SF -2024_04_NE_SF,00-0037205,B.Schooler,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,NE -2024_04_NE_SF,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,1.0,2.0,1.5,0.0,0.0,1.0,0.0,DL,SF -2024_04_NE_SF,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,1.0,1.0,1.0,0.0,1.0,1.0,0.0,DL,SF -2024_04_NE_SF,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_04_NE_SF,00-0036813,C.Elliss,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,LB,NE -2024_04_NE_SF,00-0036288,Y.Gross-Matos,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_04_NE_SF,00-0035020,D.Flannigan-Fowles,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_04_NE_SF,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.0,0.0,1.0,0.0,1.0,0.0,0.0,DL,SF -2024_05_ARI_SF,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,7.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_05_ARI_SF,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_05_ARI_SF,00-0035026,K.Givens,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_05_ARI_SF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,5.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_05_ARI_SF,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_05_ARI_SF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_05_ARI_SF,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,DB,SF -2024_05_ARI_SF,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,2.0,0.0,0.0,1.0,0.0,0.0,1.0,DL,SF -2024_05_ARI_SF,00-0034091,G.Odum,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_05_ARI_SF,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,1.0,2.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_05_ARI_SF,00-0035973,P.Taylor,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_05_ARI_SF,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,DB,SF -2024_05_ARI_SF,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_06_SF_SEA,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_06_SF_SEA,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,0.0,0.0,0.0,1.0,0.0,0.0,2.0,DB,SF -2024_06_SF_SEA,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_06_SF_SEA,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,1.0,0.0,0.0,1.0,0.0,0.0,1.0,DB,SF -2024_06_SF_SEA,00-0038922,D.Thomas,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SEA -2024_06_SF_SEA,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,5.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,LB,SF -2024_06_SF_SEA,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_06_SF_SEA,00-0038603,R.Beal,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_06_SF_SEA,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_06_SF_SEA,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_06_SF_SEA,00-0034091,G.Odum,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,DB,SF -2024_06_SF_SEA,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_06_SF_SEA,00-0039306,D.Williams,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,NYG -2024_06_SF_SEA,00-0035644,N.Fant,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SEA -2024_06_SF_SEA,00-0035637,R.Ya-Sin,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_06_SF_SEA,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_06_SF_SEA,00-0037832,K.Davis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_06_SF_SEA,00-0035189,M.Wright,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,K,TEN -2024_07_KC_SF,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_07_KC_SF,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,2.0,0.5,0.0,0.0,0.0,0.0,DL,SF -2024_07_KC_SF,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,2.0,0.0,0.0,0.0,1.0,0.0,0.0,1.0,DB,SF -2024_07_KC_SF,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_07_KC_SF,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_07_KC_SF,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_07_KC_SF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_07_KC_SF,00-0035237,J.Taylor,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,OL,KC -2024_07_KC_SF,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,6.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_07_KC_SF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_07_KC_SF,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,3.0,0.5,0.0,0.0,0.0,0.0,DL,SF -2024_07_KC_SF,00-0039825,J.Hicks,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,1.0,DB,KC -2024_07_KC_SF,00-0038981,W.Morris,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,OL,KC -2024_07_KC_SF,00-0038603,R.Beal,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_07_KC_SF,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_07_KC_SF,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_07_KC_SF,00-0037832,K.Davis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,1.0,DL,SF -2024_07_KC_SF,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,4.0,1.0,2.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_08_DAL_SF,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,1.0,3.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_08_DAL_SF,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_08_DAL_SF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,0.0,0.0,0.0,1.0,0.0,0.0,1.0,DB,SF -2024_08_DAL_SF,00-0039410,R.Flournoy,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,DAL -2024_08_DAL_SF,00-0035020,D.Flannigan-Fowles,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_08_DAL_SF,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_08_DAL_SF,00-0037801,K.Turpin,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,DAL -2024_08_DAL_SF,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,1.0,0.0,0.0,0.0,1.0,1.0,0.0,1.0,DB,SF -2024_08_DAL_SF,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_08_DAL_SF,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_08_DAL_SF,00-0038603,R.Beal,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_08_DAL_SF,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,DB,SF -2024_08_DAL_SF,00-0036358,C.Lamb,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,DAL -2024_08_DAL_SF,00-0038594,D.Luter,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_08_DAL_SF,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,3.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_08_DAL_SF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,4.0,1.0,1.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_08_DAL_SF,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_10_SF_TB,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_10_SF_TB,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_10_SF_TB,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,DB,SF -2024_10_SF_TB,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_10_SF_TB,00-0038824,R.Miller,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,TB -2024_10_SF_TB,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_10_SF_TB,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_10_SF_TB,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_10_SF_TB,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_10_SF_TB,00-0038603,R.Beal,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_10_SF_TB,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_10_SF_TB,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_10_SF_TB,00-0037832,Ka.Davis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_10_SF_TB,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DL,SF -2024_10_SF_TB,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_10_SF_TB,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_11_SEA_SF,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,8.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_11_SEA_SF,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,7.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_11_SEA_SF,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_11_SEA_SF,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_11_SEA_SF,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_11_SEA_SF,00-0036288,Y.Gross-Matos,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,LB,SF -2024_11_SEA_SF,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,2.0,2.0,1.5,0.0,0.0,0.0,0.0,DL,SF -2024_11_SEA_SF,00-0034974,J.Love,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,7.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SEA -2024_11_SEA_SF,00-0038643,B.Willis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_11_SEA_SF,00-0038543,J.Smith-Njigba,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,SEA -2024_11_SEA_SF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_11_SEA_SF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_11_SEA_SF,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,1.0,0.0,0.0,1.0,DB,SF -2024_11_SEA_SF,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_11_SEA_SF,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,1.0,3.0,1.5,0.0,0.0,0.0,0.0,DL,SF -2024_11_SEA_SF,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_12_SF_GB,00-0034091,G.Odum,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_12_SF_GB,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_12_SF_GB,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_12_SF_GB,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_12_SF_GB,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_12_SF_GB,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_12_SF_GB,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_12_SF_GB,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,6.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_12_SF_GB,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,0.0,2.0,2.0,2.0,0.0,0.0,0.0,0.0,DL,SF -2024_12_SF_GB,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_12_SF_GB,00-0037364,A.Mosby,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,GB -2024_12_SF_GB,00-0039112,L.Van Ness,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,1.0,1.0,0.0,1.0,0.0,0.0,DL,GB -2024_12_SF_GB,00-0036288,Y.Gross-Matos,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_12_SF_GB,00-0036658,I.McDuffie,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,GB -2024_12_SF_GB,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_12_SF_GB,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_12_SF_GB,00-0038603,R.Beal,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_12_SF_GB,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_12_SF_GB,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,4.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_12_SF_GB,00-0035637,R.Ya-Sin,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_13_SF_BUF,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_13_SF_BUF,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_13_SF_BUF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_13_SF_BUF,00-0038557,Do.Williams,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,BUF -2024_13_SF_BUF,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_13_SF_BUF,00-0035026,K.Givens,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_13_SF_BUF,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_13_SF_BUF,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_13_SF_BUF,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_13_SF_BUF,00-0036589,N.McCloud,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_13_SF_BUF,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_13_SF_BUF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_13_SF_BUF,00-0034091,G.Odum,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_13_SF_BUF,00-0035357,C.Lewis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,BUF -2024_13_SF_BUF,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_13_SF_BUF,00-0036288,Y.Gross-Matos,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_13_SF_BUF,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_13_SF_BUF,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_14_CHI_SF,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_14_CHI_SF,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_14_CHI_SF,00-0032401,D.Campbell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_14_CHI_SF,00-0036288,Y.Gross-Matos,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,0.0,3.0,3.0,3.0,0.0,0.0,0.0,0.0,LB,SF -2024_14_CHI_SF,00-0037129,J.Blackwell,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,CHI -2024_14_CHI_SF,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,2.0,2.0,2.0,0.0,0.0,0.0,0.0,DL,SF -2024_14_CHI_SF,00-0037843,D.Hardy,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,CHI -2024_14_CHI_SF,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,2.0,1.0,0.0,0.0,0.0,0.0,DL,SF -2024_14_CHI_SF,00-0034263,T.Moore,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,CHI -2024_14_CHI_SF,00-0034485,J.Owens,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,2.0,0.0,0.0,0.0,1.0,0.0,0.0,1.0,DB,CHI -2024_14_CHI_SF,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_14_CHI_SF,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_14_CHI_SF,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DL,SF -2024_14_CHI_SF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_14_CHI_SF,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,DL,SF -2024_14_CHI_SF,00-0036564,T.Hufanga,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_14_CHI_SF,00-0036430,Kh.Davis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_14_CHI_SF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_14_CHI_SF,00-0038603,R.Beal,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_14_CHI_SF,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_14_CHI_SF,00-0038648,J.Graham,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_15_LA_SF,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_15_LA_SF,00-0038359,X.Smith,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,LA -2024_15_LA_SF,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_15_LA_SF,00-0034982,D.Greenlaw,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_15_LA_SF,00-0039751,J.Whittington,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,WR,LA -2024_15_LA_SF,00-0038603,R.Beal,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_15_LA_SF,00-0036564,T.Hufanga,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,6.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_15_LA_SF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,7.0,7.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_15_LA_SF,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_15_LA_SF,00-0037832,Ka.Davis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_15_LA_SF,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_15_LA_SF,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_15_LA_SF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_15_LA_SF,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,DB,SF -2024_15_LA_SF,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_15_LA_SF,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_15_LA_SF,00-0028924,T.Gipson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_15_LA_SF,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,2.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_16_SF_MIA,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_16_SF_MIA,00-0036266,J.Elliott,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_16_SF_MIA,00-0038720,J.Hill,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,MIA -2024_16_SF_MIA,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_16_SF_MIA,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_16_SF_MIA,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_16_SF_MIA,00-0033746,A.Barrett,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_16_SF_MIA,00-0036564,T.Hufanga,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_16_SF_MIA,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_16_SF_MIA,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_16_SF_MIA,00-0036288,Y.Gross-Matos,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_16_SF_MIA,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_16_SF_MIA,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_16_SF_MIA,00-0035020,D.Flannigan-Fowles,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_17_DET_SF,00-0033576,E.Saubert,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_17_DET_SF,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,6.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_17_DET_SF,00-0036564,T.Hufanga,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_17_DET_SF,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_17_DET_SF,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_17_DET_SF,00-0036563,D.Lenoir,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,4.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_17_DET_SF,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_17_DET_SF,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_17_DET_SF,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,3.0,4.0,4.0,2.0,0.0,0.0,0.0,0.0,DL,SF -2024_17_DET_SF,00-0036288,Y.Gross-Matos,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_17_DET_SF,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_17_DET_SF,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_17_DET_SF,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_17_DET_SF,00-0039435,T.Bethune,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,LB,SF -2024_17_DET_SF,00-0035020,D.Flannigan-Fowles,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_17_DET_SF,00-0033746,A.Barrett,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_18_SF_ARI,00-0034815,F.Warner,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,3.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_18_SF_ARI,00-0036564,T.Hufanga,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,4.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_18_SF_ARI,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,DB,SF -2024_18_SF_ARI,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_18_SF_ARI,00-0037602,S.Okuayinonu,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_18_SF_ARI,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_18_SF_ARI,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,DB,SF -2024_18_SF_ARI,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_18_SF_ARI,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_18_SF_ARI,00-0036589,N.McCloud,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_18_SF_ARI,00-0038554,J.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_18_SF_ARI,00-0028924,T.Gipson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_18_SF_ARI,00-0037832,Ka.Davis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_18_SF_ARI,00-0038648,J.Graham,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_18_SF_ARI,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_01_NYJ_SF,00-0039363,I.Guerendo,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,RB,SF -2024_02_SF_MIN,00-0036616,C.Darrisaw,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,OL,MIN -2024_02_SF_MIN,00-0033109,J.Hargrave,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_03_SF_LA,00-0039345,R.Green,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_03_SF_LA,00-0035026,K.Givens,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_04_NE_SF,00-0032228,J.Cardona,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LS,NE -2024_05_ARI_SF,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_05_ARI_SF,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_05_ARI_SF,00-0034495,E.Brown,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,OL,ARI -2024_05_ARI_SF,00-0032162,T.McGill,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,CLE -2024_06_SF_SEA,00-0038594,D.Luter,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,DB,SF -2024_06_SF_SEA,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_06_SF_SEA,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_06_SF_SEA,00-0039697,J.Mahoney,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_06_SF_SEA,00-0035026,K.Givens,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_06_SF_SEA,00-0035717,N.Bosa,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_07_KC_SF,00-0035020,D.Flannigan-Fowles,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_07_KC_SF,00-0035026,K.Givens,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_08_DAL_SF,00-0033131,M.Collins,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_08_DAL_SF,00-0039360,M.Mustapha,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,5.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_08_DAL_SF,00-0033072,L.Floyd,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_08_DAL_SF,00-0034198,T.Sieg,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LS,DAL -2024_08_DAL_SF,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_10_SF_TB,00-0037097,T.Gill,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,P,TB -2024_13_SF_BUF,00-0036430,Kh.Davis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_13_SF_BUF,00-0037832,Ka.Davis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,2.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_14_CHI_SF,00-0036589,N.McCloud,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,SF -2024_15_LA_SF,00-0038643,B.Willis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,TE,SF -2024_15_LA_SF,00-0037633,J.Hummel,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,LA -2024_16_SF_MIA,00-0037832,Ka.Davis,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_16_SF_MIA,00-0039696,E.Anderson,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DL,SF -2024_18_SF_ARI,00-0039435,T.Bethune,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,3.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,LB,SF -2024_18_SF_ARI,00-0034623,A.Chachere,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,DB,ARI -2024_06_SF_SEA,00-0039435,T.Bethune,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,LB,SF -2024_08_DAL_SF,00-0036551,A.Banks,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,OL,SF -2024_12_SF_GB,00-0036272,B.Bartch,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,OL,SF -2024_18_SF_ARI,00-0037831,N.Zakelj,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,OL,SF -2024_04_NE_SF,00-0034780,I.Yiadom,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_10_SF_TB,00-0035637,R.Ya-Sin,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_11_SEA_SF,00-0038625,D.Winters,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,LB,SF -2024_16_SF_MIA,00-0034573,C.Ward,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF -2024_18_SF_ARI,00-0035637,R.Ya-Sin,SF,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,1.0,DB,SF diff --git a/data/april_11_multimedia_data_collect/game_stats.py b/data/april_11_multimedia_data_collect/game_stats.py deleted file mode 100644 index fb10664a7ded55b92d67b6217a93aef5b57bb0dc..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/game_stats.py +++ /dev/null @@ -1,392 +0,0 @@ -import pandas as pd -import nfl_data_py as nfl -import warnings -warnings.filterwarnings("ignore") - -# ============================================= -# SECTION 1: BASIC STATS (ORIGINAL CODE) -# ============================================= - -# 1. Setup -season = 2024 -team_abbr = "SF" - -# 2. Load play-by-play data for the 2024 season -print("Loading play-by-play data...") -pbp_df = nfl.import_pbp_data(years=[season], downcast=True) - -# 3. Filter for games involving the San Francisco 49ers -sf_games = pbp_df[(pbp_df['home_team'] == team_abbr) | (pbp_df['away_team'] == team_abbr)] - -# 4. Get unique game IDs -game_ids = sf_games['game_id'].unique() - -# 5. Create separate dataframes for passing, rushing, and receiving stats -# Passing stats -passing_stats = sf_games[sf_games['passer_player_id'].notna()].groupby(['game_id', 'passer_player_id', 'passer_player_name', 'posteam']).agg( - passing_yards=('passing_yards', 'sum'), - passing_tds=('pass_touchdown', 'sum'), - interceptions=('interception', 'sum') -).reset_index() - -# Rushing stats -rushing_stats = sf_games[sf_games['rusher_player_id'].notna()].groupby(['game_id', 'rusher_player_id', 'rusher_player_name', 'posteam']).agg( - rushing_yards=('rushing_yards', 'sum'), - rushing_tds=('rush_touchdown', 'sum') -).reset_index() - -# Receiving stats - we need to identify receiving touchdowns from the touchdown column -# First, create a flag for receiving touchdowns -sf_games['receiving_td'] = (sf_games['touchdown'] == 1) & (sf_games['play_type'] == 'pass') & (sf_games['receiver_player_id'].notna()) - -# Then group by receiver -receiving_stats = sf_games[sf_games['receiver_player_id'].notna()].groupby(['game_id', 'receiver_player_id', 'receiver_player_name', 'posteam']).agg( - receiving_yards=('receiving_yards', 'sum'), - receiving_tds=('receiving_td', 'sum') -).reset_index() - -# 6. Rename columns for consistency -passing_stats = passing_stats.rename(columns={'passer_player_id': 'player_id', 'passer_player_name': 'player_name'}) -rushing_stats = rushing_stats.rename(columns={'rusher_player_id': 'player_id', 'rusher_player_name': 'player_name'}) -receiving_stats = receiving_stats.rename(columns={'receiver_player_id': 'player_id', 'receiver_player_name': 'player_name'}) - -# 7. Merge all stats together -player_stats = pd.merge(passing_stats, rushing_stats, on=['game_id', 'player_id', 'player_name', 'posteam'], how='outer') -player_stats = pd.merge(player_stats, receiving_stats, on=['game_id', 'player_id', 'player_name', 'posteam'], how='outer') - -# 8. Fill NaN values with 0 -player_stats = player_stats.fillna(0) - -# 9. Filter to only San Francisco 49ers players (on offense) -player_stats = player_stats[player_stats['posteam'] == team_abbr] - -# 10. Load roster info to enrich with player position -roster_df = nfl.import_seasonal_rosters(years=[season]) -player_stats = player_stats.merge( - roster_df[['player_id', 'position', 'team']], - on='player_id', - how='left' -) - -# 11. Export to CSV -output_path = "49ers_2024_player_box_scores.csv" -player_stats.to_csv(output_path, index=False) -print(f"Saved basic player box scores to {output_path}") - -# 12. Preview results -print("\nBasic Stats Preview:") -print(player_stats.head()) - -# ============================================= -# SECTION 2: ENHANCED STATS -# ============================================= - -print("\nGenerating enhanced statistics...") - -# 1. Advanced Passing Stats -advanced_passing = sf_games[sf_games['passer_player_id'].notna()].groupby(['game_id', 'passer_player_id', 'passer_player_name', 'posteam']).agg( - air_yards=('air_yards', 'sum'), - yards_after_catch=('yards_after_catch', 'sum'), - cpoe=('cpoe', 'mean'), # Completion Percentage Over Expected - qb_epa=('qb_epa', 'sum'), # QB-specific EPA - pass_attempts=('pass_attempt', 'sum'), - complete_passes=('complete_pass', 'sum'), - avg_air_yards=('air_yards', 'mean'), - avg_yac=('yards_after_catch', 'mean'), - pass_location_left=('pass_location', lambda x: (x == 'left').sum()), - pass_location_middle=('pass_location', lambda x: (x == 'middle').sum()), - pass_location_right=('pass_location', lambda x: (x == 'right').sum()), - pass_length_short=('pass_length', lambda x: (x == 'short').sum()), - pass_length_medium=('pass_length', lambda x: (x == 'medium').sum()), - pass_length_deep=('pass_length', lambda x: (x == 'deep').sum()) -).reset_index() - -# 2. Advanced Rushing/Receiving Stats -advanced_rushing = sf_games[sf_games['rusher_player_id'].notna()].groupby(['game_id', 'rusher_player_id', 'rusher_player_name', 'posteam']).agg( - rush_attempts=('rush_attempt', 'sum'), - first_downs_rush=('first_down_rush', 'sum'), - xyac_mean=('xyac_mean_yardage', 'mean'), - xyac_median=('xyac_median_yardage', 'mean'), - xyac_success_rate=('xyac_success', 'mean'), - rush_epa=('epa', 'sum'), - run_location_left=('run_location', lambda x: (x == 'left').sum()), - run_location_middle=('run_location', lambda x: (x == 'middle').sum()), - run_location_right=('run_location', lambda x: (x == 'right').sum()), - run_gap_guard=('run_gap', lambda x: (x == 'guard').sum()), - run_gap_tackle=('run_gap', lambda x: (x == 'tackle').sum()), - run_gap_end=('run_gap', lambda x: (x == 'end').sum()) -).reset_index() - -advanced_receiving = sf_games[sf_games['receiver_player_id'].notna()].groupby(['game_id', 'receiver_player_id', 'receiver_player_name', 'posteam']).agg( - receiving_attempts=('pass_attempt', 'sum'), - first_downs_receiving=('first_down_pass', 'sum'), - receiving_epa=('epa', 'sum'), - avg_yac=('yards_after_catch', 'mean'), - avg_air_yards=('air_yards', 'mean') -).reset_index() - -# 3. Defensive Player Stats -# Create a list of all defensive player IDs from various defensive play columns -defensive_player_ids = [] -defensive_player_names = [] - -# Solo tackles -solo_tackle_players = sf_games[sf_games['solo_tackle_1_player_id'].notna()][['game_id', 'solo_tackle_1_player_id', 'solo_tackle_1_player_name', 'defteam']] -solo_tackle_players = solo_tackle_players.rename(columns={'solo_tackle_1_player_id': 'player_id', 'solo_tackle_1_player_name': 'player_name'}) -defensive_player_ids.append(solo_tackle_players) - -# Assisted tackles -assist_tackle_players = sf_games[sf_games['assist_tackle_1_player_id'].notna()][['game_id', 'assist_tackle_1_player_id', 'assist_tackle_1_player_name', 'defteam']] -assist_tackle_players = assist_tackle_players.rename(columns={'assist_tackle_1_player_id': 'player_id', 'assist_tackle_1_player_name': 'player_name'}) -defensive_player_ids.append(assist_tackle_players) - -# Sacks -sack_players = sf_games[sf_games['sack_player_id'].notna()][['game_id', 'sack_player_id', 'sack_player_name', 'defteam']] -sack_players = sack_players.rename(columns={'sack_player_id': 'player_id', 'sack_player_name': 'player_name'}) -defensive_player_ids.append(sack_players) - -# Interceptions -int_players = sf_games[sf_games['interception_player_id'].notna()][['game_id', 'interception_player_id', 'interception_player_name', 'defteam']] -int_players = int_players.rename(columns={'interception_player_id': 'player_id', 'interception_player_name': 'player_name'}) -defensive_player_ids.append(int_players) - -# Forced fumbles -ff_players = sf_games[sf_games['forced_fumble_player_1_player_id'].notna()][['game_id', 'forced_fumble_player_1_player_id', 'forced_fumble_player_1_player_name', 'forced_fumble_player_1_team']] -ff_players = ff_players.rename(columns={'forced_fumble_player_1_player_id': 'player_id', 'forced_fumble_player_1_player_name': 'player_name', 'forced_fumble_player_1_team': 'defteam'}) -defensive_player_ids.append(ff_players) - -# Fumble recoveries -fr_players = sf_games[sf_games['fumble_recovery_1_player_id'].notna()][['game_id', 'fumble_recovery_1_player_id', 'fumble_recovery_1_player_name', 'fumble_recovery_1_team']] -fr_players = fr_players.rename(columns={'fumble_recovery_1_player_id': 'player_id', 'fumble_recovery_1_player_name': 'player_name', 'fumble_recovery_1_team': 'defteam'}) -defensive_player_ids.append(fr_players) - -# Pass defenses -pd_players = sf_games[sf_games['pass_defense_1_player_id'].notna()][['game_id', 'pass_defense_1_player_id', 'pass_defense_1_player_name', 'defteam']] -pd_players = pd_players.rename(columns={'pass_defense_1_player_id': 'player_id', 'pass_defense_1_player_name': 'player_name'}) -defensive_player_ids.append(pd_players) - -# Combine all defensive player dataframes -defensive_players = pd.concat(defensive_player_ids, ignore_index=True) -defensive_players = defensive_players.drop_duplicates() - -# Now calculate defensive stats for each player -defensive_stats = sf_games.groupby(['game_id', 'defteam']).agg( - solo_tackles=('solo_tackle', 'sum'), - assisted_tackles=('assist_tackle', 'sum'), - tackles_for_loss=('tackled_for_loss', 'sum'), - qb_hits=('qb_hit', 'sum'), - sacks=('sack', 'sum'), - interceptions=('interception', 'sum'), - forced_fumbles=('fumble_forced', 'sum'), - fumble_recoveries=('fumble_recovery_1_yards', lambda x: (x > 0).sum()), - pass_defenses=('pass_defense_1_player_id', lambda x: x.notna().sum()) -).reset_index() - -# Create a function to calculate individual defensive player stats -def calculate_defensive_player_stats(player_id, player_name, game_id, team): - player_games = sf_games[sf_games['game_id'] == game_id] - - # Solo tackles - solo_tackles = player_games[player_games['solo_tackle_1_player_id'] == player_id].shape[0] - solo_tackles += player_games[player_games['solo_tackle_2_player_id'] == player_id].shape[0] - - # Assisted tackles - assist_tackles = player_games[player_games['assist_tackle_1_player_id'] == player_id].shape[0] - assist_tackles += player_games[player_games['assist_tackle_2_player_id'] == player_id].shape[0] - assist_tackles += player_games[player_games['assist_tackle_3_player_id'] == player_id].shape[0] - assist_tackles += player_games[player_games['assist_tackle_4_player_id'] == player_id].shape[0] - - # Sacks - sacks = player_games[player_games['sack_player_id'] == player_id].shape[0] - sacks += player_games[player_games['half_sack_1_player_id'] == player_id].shape[0] * 0.5 - sacks += player_games[player_games['half_sack_2_player_id'] == player_id].shape[0] * 0.5 - - # Interceptions - interceptions = player_games[player_games['interception_player_id'] == player_id].shape[0] - - # Forced fumbles - forced_fumbles = player_games[player_games['forced_fumble_player_1_player_id'] == player_id].shape[0] - forced_fumbles += player_games[player_games['forced_fumble_player_2_player_id'] == player_id].shape[0] - - # Fumble recoveries - fumble_recoveries = player_games[player_games['fumble_recovery_1_player_id'] == player_id].shape[0] - fumble_recoveries += player_games[player_games['fumble_recovery_2_player_id'] == player_id].shape[0] - - # Pass defenses - pass_defenses = player_games[player_games['pass_defense_1_player_id'] == player_id].shape[0] - pass_defenses += player_games[player_games['pass_defense_2_player_id'] == player_id].shape[0] - - # Tackles for loss - tackles_for_loss = player_games[player_games['tackle_for_loss_1_player_id'] == player_id].shape[0] - tackles_for_loss += player_games[player_games['tackle_for_loss_2_player_id'] == player_id].shape[0] - - # QB hits - qb_hits = player_games[player_games['qb_hit_1_player_id'] == player_id].shape[0] - qb_hits += player_games[player_games['qb_hit_2_player_id'] == player_id].shape[0] - - return pd.Series({ - 'solo_tackles': solo_tackles, - 'assisted_tackles': assist_tackles, - 'tackles_for_loss': tackles_for_loss, - 'qb_hits': qb_hits, - 'sacks': sacks, - 'interceptions': interceptions, - 'forced_fumbles': forced_fumbles, - 'fumble_recoveries': fumble_recoveries, - 'pass_defenses': pass_defenses - }) - -# Apply the function to each defensive player -defensive_player_stats = [] -for _, row in defensive_players.iterrows(): - stats = calculate_defensive_player_stats(row['player_id'], row['player_name'], row['game_id'], row['defteam']) - stats['game_id'] = row['game_id'] - stats['player_id'] = row['player_id'] - stats['player_name'] = row['player_name'] - stats['posteam'] = row['defteam'] # Use defteam as posteam for consistency - defensive_player_stats.append(stats) - -# Convert to DataFrame -defensive_player_stats_df = pd.DataFrame(defensive_player_stats) - -# 4. Additional Context Stats -context_stats = sf_games.groupby(['game_id', 'posteam']).agg( - total_plays=('play_id', 'count'), - third_down_attempts=('down', lambda x: (x == 3).sum()), - third_down_conversions=('third_down_converted', 'sum'), - fourth_down_attempts=('down', lambda x: (x == 4).sum()), - fourth_down_conversions=('fourth_down_converted', 'sum'), - red_zone_attempts=('yardline_100', lambda x: (x <= 20).sum()), - red_zone_touchdowns=('touchdown', lambda x: ((x == 1) & (sf_games['yardline_100'] <= 20)).sum()), - avg_field_position=('yardline_100', 'mean'), - total_epa=('epa', 'sum') -).reset_index() - -# Rename columns for consistency -advanced_passing = advanced_passing.rename(columns={'passer_player_id': 'player_id', 'passer_player_name': 'player_name'}) -advanced_rushing = advanced_rushing.rename(columns={'rusher_player_id': 'player_id', 'rusher_player_name': 'player_name'}) -advanced_receiving = advanced_receiving.rename(columns={'receiver_player_id': 'player_id', 'receiver_player_name': 'player_name'}) - -# Merge all enhanced stats -enhanced_stats = pd.merge(advanced_passing, advanced_rushing, on=['game_id', 'player_id', 'player_name', 'posteam'], how='outer') -enhanced_stats = pd.merge(enhanced_stats, advanced_receiving, on=['game_id', 'player_id', 'player_name', 'posteam'], how='outer') - -# Add defensive player stats -enhanced_stats = pd.merge(enhanced_stats, defensive_player_stats_df, on=['game_id', 'player_id', 'player_name', 'posteam'], how='outer') - -# Add roster information -enhanced_stats = enhanced_stats.merge( - roster_df[['player_id', 'position', 'team']], - on='player_id', - how='left' -) - -# Fill NaN values with 0 -enhanced_stats = enhanced_stats.fillna(0) - -# Filter to only San Francisco 49ers players -enhanced_stats = enhanced_stats[enhanced_stats['posteam'] == team_abbr] - -# Export enhanced stats -enhanced_output_path = "49ers_2024_enhanced_stats.csv" -enhanced_stats.to_csv(enhanced_output_path, index=False) -print(f"Saved enhanced player statistics to {enhanced_output_path}") - -# Preview enhanced stats -print("\nEnhanced Stats Preview:") -print(enhanced_stats.head()) - -# ============================================= -# SECTION 3: COLUMN DEFINITIONS -# ============================================= - -print("\nGenerating column definitions...") - -# Create a dictionary of column definitions -column_definitions = { - # Basic identifiers - 'game_id': 'Unique identifier for each game (format: YYYY_WK_HOME_AWAY)', - 'player_id': 'Unique identifier for each player', - 'player_name': 'Player name (Last.First format)', - 'posteam': 'Team the player was on for this play', - 'position': 'Player position (QB, RB, WR, TE, OL, DL, LB, DB, etc.)', - 'team': 'Team the player was on for the season', - - # Passing stats - 'passing_yards': 'Total passing yards', - 'passing_tds': 'Total passing touchdowns', - 'air_yards': 'Total air yards (distance ball traveled in the air)', - 'yards_after_catch': 'Total yards after catch (YAC)', - 'cpoe': 'Completion Percentage Over Expected (average)', - 'qb_epa': 'Expected Points Added by quarterback', - 'pass_attempts': 'Number of pass attempts', - 'complete_passes': 'Number of completed passes', - 'avg_air_yards': 'Average air yards per pass attempt', - 'avg_yac': 'Average yards after catch per reception', - 'pass_location_left': 'Number of passes thrown to the left side of the field', - 'pass_location_middle': 'Number of passes thrown to the middle of the field', - 'pass_location_right': 'Number of passes thrown to the right side of the field', - 'pass_length_short': 'Number of short passes (0-9 yards)', - 'pass_length_medium': 'Number of medium passes (10-19 yards)', - 'pass_length_deep': 'Number of deep passes (20+ yards)', - - # Rushing stats - 'rushing_yards': 'Total rushing yards', - 'rushing_tds': 'Total rushing touchdowns', - 'rush_attempts': 'Number of rush attempts', - 'first_downs_rush': 'Number of first downs achieved by rushing', - 'xyac_mean': 'Expected Yards After Contact (mean)', - 'xyac_median': 'Expected Yards After Contact (median)', - 'xyac_success_rate': 'Expected Yards After Contact success rate', - 'rush_epa': 'Expected Points Added by rushing plays', - 'run_location_left': 'Number of rushes to the left side of the field', - 'run_location_middle': 'Number of rushes to the middle of the field', - 'run_location_right': 'Number of rushes to the right side of the field', - 'run_gap_guard': 'Number of rushes through the guard gap', - 'run_gap_tackle': 'Number of rushes through the tackle gap', - 'run_gap_end': 'Number of rushes through the end gap', - - # Receiving stats - 'receiving_yards': 'Total receiving yards', - 'receiving_tds': 'Total receiving touchdowns', - 'receiving_attempts': 'Number of pass attempts targeting this player', - 'first_downs_receiving': 'Number of first downs achieved by receiving', - 'receiving_epa': 'Expected Points Added by receiving plays', - 'avg_yac_y': 'Average yards after catch per reception', - 'avg_air_yards_y': 'Average air yards per target', - - # Defensive stats - 'solo_tackles': 'Number of solo tackles', - 'assisted_tackles': 'Number of assisted tackles', - 'tackles_for_loss': 'Number of tackles for loss', - 'qb_hits': 'Number of quarterback hits', - 'sacks': 'Number of sacks (including half sacks)', - 'interceptions': 'Number of interceptions', - 'forced_fumbles': 'Number of forced fumbles', - 'fumble_recoveries': 'Number of fumble recoveries', - 'pass_defenses': 'Number of pass defenses (passes defended)', - - # Context stats - 'total_plays': 'Total number of plays', - 'third_down_attempts': 'Number of third down attempts', - 'third_down_conversions': 'Number of third down conversions', - 'fourth_down_attempts': 'Number of fourth down attempts', - 'fourth_down_conversions': 'Number of fourth down conversions', - 'red_zone_attempts': 'Number of plays in the red zone (inside 20-yard line)', - 'red_zone_touchdowns': 'Number of touchdowns scored in the red zone', - 'avg_field_position': 'Average field position (yard line)', - 'total_epa': 'Total Expected Points Added' -} - -# Create a DataFrame from the dictionary -column_definitions_df = pd.DataFrame({ - 'column_name': list(column_definitions.keys()), - 'definition': list(column_definitions.values()) -}) - -# Export column definitions -column_definitions_path = "49ers_2024_column_definitions.csv" -column_definitions_df.to_csv(column_definitions_path, index=False) -print(f"Saved column definitions to {column_definitions_path}") - -print("\nScript completed successfully!") diff --git a/data/april_11_multimedia_data_collect/get_player_socials.py b/data/april_11_multimedia_data_collect/get_player_socials.py deleted file mode 100644 index d691156ad72ab27f9bb43aa2b15765bef6830cc0..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/get_player_socials.py +++ /dev/null @@ -1,239 +0,0 @@ -import requests -import csv -import os -import time -import sys -from dotenv import load_dotenv -from pathlib import Path - -# Load environment variables from .env file (for API key) -load_dotenv() - -# Get the directory where this script is located -SCRIPT_DIR = Path(os.path.dirname(os.path.abspath(__file__))) - -SERP_API_KEY = os.getenv("SERP_API_KEY") # Or just hardcode for testing, not recommended - -def get_instagram_handle(query, timeout=10, retries=3, delay_between_retries=2): - """ - Uses SerpAPI to search for query: e.g. 'Brock Purdy Instagram' - Returns the best guess at Instagram handle/page URL if found, else empty string. - - Args: - query: Search query string - timeout: Request timeout in seconds - retries: Number of retries if request fails - delay_between_retries: Seconds to wait between retries - """ - if not SERP_API_KEY: - raise ValueError("SERP_API_KEY environment variable not set or provided!") - - url = "https://serpapi.com/search" - params = { - "engine": "google", - "q": query, - "api_key": SERP_API_KEY, - } - - for attempt in range(retries): - try: - print(f"[DEBUG] Sending API request for: {query}") - response = requests.get(url, params=params, timeout=timeout) - response.raise_for_status() - data = response.json() - - # Check if we have organic results - if "organic_results" not in data: - print(f"[WARNING] No organic_results found in API response for {query}") - print(f"[DEBUG] Response keys: {list(data.keys())}") - return "" - - # Typical structure: data['organic_results'] - parse each for relevant domain - results = data.get("organic_results", []) - print(f"[DEBUG] Found {len(results)} organic results") - - for r in results: - link = r.get("link", "") - # If it has 'instagram.com', let's assume it's correct - if "instagram.com" in link.lower(): - print(f"[DEBUG] Found Instagram link: {link}") - return link - - print(f"[WARNING] No Instagram links found for {query}") - return "" - - except requests.exceptions.Timeout: - print(f"[ERROR] Request timed out for {query} (attempt {attempt+1}/{retries})") - if attempt < retries - 1: - print(f"[INFO] Retrying in {delay_between_retries} seconds...") - time.sleep(delay_between_retries) - else: - print(f"[ERROR] All retries failed for {query}") - return "" - - except requests.exceptions.RequestException as e: - print(f"[ERROR] Request failed for {query}: {str(e)} (attempt {attempt+1}/{retries})") - if attempt < retries - 1: - print(f"[INFO] Retrying in {delay_between_retries} seconds...") - time.sleep(delay_between_retries) - else: - print(f"[ERROR] All retries failed for {query}") - return "" - - except Exception as e: - print(f"[ERROR] Unexpected error for {query}: {str(e)}") - return "" - -def enrich_niners_socials(input_csv='niners_players_headshots.csv', - output_csv='niners_players_headshots_with_socials.csv', - delay_between_requests=1, - start_player=None, - max_players=None): - """ - Reads the roster CSV, queries Instagram for each player's best match, - then writes the results to a new CSV. - - Args: - input_csv: Path to input CSV file - output_csv: Path to output CSV file - delay_between_requests: Seconds to wait between API requests to avoid rate limiting - start_player: Player number to start processing from (1-indexed) - max_players: Maximum number of players to process (None for all) - """ - # Convert relative paths to absolute paths based on script directory - if not os.path.isabs(input_csv): - input_csv = os.path.join(SCRIPT_DIR, input_csv) - if not os.path.isabs(output_csv): - output_csv = os.path.join(SCRIPT_DIR, output_csv) - - print(f"[INFO] Input CSV path: {input_csv}") - print(f"[INFO] Output CSV path: {output_csv}") - if not SERP_API_KEY: - print("[ERROR] SERP_API_KEY not set. Please set your environment variable or update the script.") - return - - # Check if input file exists - if not os.path.exists(input_csv): - print(f"[ERROR] Input file not found: {input_csv}") - return - - try: - # Read existing output CSV if it exists to continue from where we left off - existing_data = [] - if os.path.exists(output_csv): - with open(output_csv, 'r', encoding='utf-8') as f_existing: - existing_reader = csv.DictReader(f_existing) - existing_data = list(existing_reader) - print(f"[INFO] Loaded {len(existing_data)} existing entries") - - # Count total players for progress reporting - with open(input_csv, 'r', encoding='utf-8') as f: - total_players = sum(1 for _ in csv.DictReader(f)) - - print(f"[INFO] Total players: {total_players}") - - # Determine start and end points - start_index = start_player - 1 if start_player is not None else len(existing_data) - end_index = min(total_players, start_index + (max_players or total_players)) - - print(f"[INFO] Will process players from {start_index + 1} to {end_index}") - - # Reopen input CSV to start processing - with open(input_csv, 'r', encoding='utf-8') as f: - reader = csv.DictReader(f) - input_fieldnames = reader.fieldnames - - # Skip to the start player - for _ in range(start_index): - next(reader) - - # Process remaining players - for i, row in enumerate(reader, start_index + 1): - if i > end_index: - print(f"[INFO] Reached maximum number of players. Stopping.") - break - - player_name = row['name'] - print(f"[INFO] Processing player {i}/{end_index}: {player_name}") - - # Skip if already processed - if any(existing_row['name'] == player_name for existing_row in existing_data): - print(f"[INFO] {player_name} already processed. Skipping.") - continue - - # Construct a query like 'PLAYER NAME instagram' - query = f"{player_name} NFL 49ers instagram" - - try: - insta_url = get_instagram_handle(query) - row['instagram_url'] = insta_url - - # Print result - if insta_url: - print(f"[SUCCESS] Found Instagram for {player_name}: {insta_url}") - else: - print(f"[WARNING] No Instagram found for {player_name}") - - # Append new data - existing_data.append(row) - - # Save progress after each player - with open(output_csv, 'w', newline='', encoding='utf-8') as f_out: - output_fieldnames = input_fieldnames + ['instagram_url'] - writer = csv.DictWriter(f_out, fieldnames=output_fieldnames) - writer.writeheader() - writer.writerows(existing_data) - - # Add delay between requests to avoid rate limiting - if i < end_index: - print(f"[INFO] Waiting {delay_between_requests} seconds before next request...") - time.sleep(delay_between_requests) - - except KeyboardInterrupt: - print("\n[INFO] Process interrupted by user. Saving progress...") - break - - print(f"[INFO] Social data saved to {output_csv}") - print(f"[INFO] Processed {len(existing_data)}/{total_players} players") - - except Exception as e: - print(f"[ERROR] An unexpected error occurred: {str(e)}") - # Try to save any data collected so far - if existing_data: - try: - with open(output_csv, 'w', newline='', encoding='utf-8') as f_out: - output_fieldnames = input_fieldnames + ['instagram_url'] - writer = csv.DictWriter(f_out, fieldnames=output_fieldnames) - writer.writeheader() - writer.writerows(existing_data) - print(f"[INFO] Partial data saved to {output_csv}") - except Exception: - print("[ERROR] Failed to save partial data") - -if __name__ == "__main__": - print("[INFO] Starting player social media enrichment script") - - # Parse command line arguments - delay = 1 # Default delay - start_player = 51 # Default to start from 51st player - max_players = None # Process all remaining players - - if len(sys.argv) > 1: - try: - delay = float(sys.argv[1]) - print(f"[INFO] Using custom delay between requests: {delay} seconds") - except ValueError: - print(f"[WARNING] Invalid delay value: {sys.argv[1]}. Using default: 1 second") - - if len(sys.argv) > 2: - try: - start_player = int(sys.argv[2]) - print(f"[INFO] Will start processing from player {start_player}") - except ValueError: - print(f"[WARNING] Invalid start_player value: {sys.argv[2]}. Using default: 51") - - enrich_niners_socials( - delay_between_requests=delay, - start_player=start_player, - max_players=max_players - ) diff --git a/data/april_11_multimedia_data_collect/get_youtube_playlist_videos.py b/data/april_11_multimedia_data_collect/get_youtube_playlist_videos.py deleted file mode 100644 index 55712fe2d5bbae99d0892cc9e7ce53233e9ca2e1..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/get_youtube_playlist_videos.py +++ /dev/null @@ -1,65 +0,0 @@ -import os -import csv -from googleapiclient.discovery import build -from dotenv import load_dotenv -from pathlib import Path - -# Load environment variables from .env file (for API key) -load_dotenv() - -API_KEY = os.getenv("YOUTUBE_API_KEY") # Or replace with your key in code -# Example 49ers highlights playlist: -PLAYLIST_ID = "PLBB205pkCsyvZ6tjCh_m5s21D0eeYJ8Ly" - -def get_youtube_videos(playlist_id=PLAYLIST_ID, output_csv='youtube_highlights.csv'): - """ - Fetches videos from a YouTube playlist (title, video ID, published date, etc.) - Writes output to CSV. - """ - if not API_KEY: - raise ValueError("YOUTUBE_API_KEY environment variable not set or provided!") - - youtube = build('youtube', 'v3', developerKey=API_KEY) - - video_data = [] - page_token = None - - while True: - playlist_req = youtube.playlistItems().list( - part="snippet", - playlistId=playlist_id, - maxResults=50, - pageToken=page_token - ) - playlist_res = playlist_req.execute() - - for item in playlist_res['items']: - snippet = item['snippet'] - title = snippet['title'] - description = snippet['description'] - video_id = snippet['resourceId']['videoId'] - published_at = snippet['publishedAt'] - - video_data.append({ - "video_id": video_id, - "title": title, - "description": description, - "published_at": published_at, - "video_url": f"https://www.youtube.com/watch?v={video_id}" - }) - - page_token = playlist_res.get('nextPageToken') - if not page_token: - break - - # Write to CSV - with open(output_csv, 'w', newline='', encoding='utf-8') as f: - fieldnames = ["video_id", "title", "description", "published_at", "video_url"] - writer = csv.DictWriter(f, fieldnames=fieldnames) - writer.writeheader() - writer.writerows(video_data) - - print(f"[INFO] YouTube playlist data saved to {output_csv}") - -if __name__ == "__main__": - get_youtube_videos() diff --git a/data/april_11_multimedia_data_collect/match_highlights.py b/data/april_11_multimedia_data_collect/match_highlights.py deleted file mode 100644 index 3bd365ee11a0e8c6102db27dbf0e271a54bd3053..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/match_highlights.py +++ /dev/null @@ -1,196 +0,0 @@ -import csv -import re -import os -from pathlib import Path -from collections import defaultdict - - -# Define file paths -YOUTUBE_HIGHLIGHTS_PATH = "youtube_highlights.csv" -PLAYERS_ROSTER_PATH = "niners_players_headshots_with_socials_merged.csv" -GAMES_SCHEDULE_PATH = "nfl-2024-san-francisco-49ers-with-results.csv" -OUTPUT_PLAYERS_PATH = "new_niners_players_with_highlights.csv" -OUTPUT_GAMES_PATH = "new_games_with_highlights.csv" -OUTPUT_TEAM_VIDEOS_PATH = "new_team_highlights.csv" - -def load_youtube_highlights(): - """Load YouTube highlights data from CSV file.""" - highlights = [] - with open(YOUTUBE_HIGHLIGHTS_PATH, 'r', encoding='utf-8') as file: - reader = csv.DictReader(file) - for row in reader: - highlights.append({ - 'video_id': row['video_id'], - 'title': row['title'], - 'description': row['description'], - 'published_at': row['published_at'], - 'video_url': row['video_url'] - }) - return highlights - -def load_players(): - """Load player roster data from CSV file.""" - players = [] - with open(PLAYERS_ROSTER_PATH, 'r', encoding='utf-8') as file: - reader = csv.DictReader(file) - for row in reader: - players.append({ - 'name': row['name'], - 'headshot_url': row['headshot_url'], - 'instagram_url': row['instagram_url'], - 'highlight_video_url': '' # Initialize with empty string - }) - return players - -def load_games(): - """Load game schedule data from CSV file.""" - games = [] - with open(GAMES_SCHEDULE_PATH, 'r', encoding='utf-8') as file: - reader = csv.DictReader(file) - for row in reader: - opponent = row['Away Team'] if row['Home Team'] == 'San Francisco 49ers' else row['Home Team'] - opponent = opponent.replace('San Francisco 49ers', '').strip() - - games.append({ - 'match_number': row['Match Number'], - 'round_number': row['Round Number'], - 'date': row['Date'], - 'location': row['Location'], - 'home_team': row['Home Team'], - 'away_team': row['Away Team'], - 'result': row['Result'], - 'game_result': row['game_result'], - 'opponent': opponent, - 'highlight_video_url': '' # Initialize with empty string - }) - return games - -def match_highlights_to_players_and_games(highlights, players, games): - """Match YouTube highlights to players and games.""" - # Create a copy of highlights to track which ones are assigned - unassigned_highlights = highlights.copy() - - # Track assigned videos - assigned_video_ids = set() - - # Match players first - for player in players: - player_name = player['name'] - first_name = player_name.split()[0] - last_name = player_name.split()[-1] - - # Create patterns to match player names - full_name_pattern = re.compile(r'\b' + re.escape(player_name) + r'\b', re.IGNORECASE) - last_name_pattern = re.compile(r'\b' + re.escape(last_name) + r'\b', re.IGNORECASE) - - # Try to find a match in the unassigned highlights - for highlight in unassigned_highlights: - if highlight['video_id'] in assigned_video_ids: - continue - - title = highlight['title'] - description = highlight['description'] - - # Check for full name match in title first (most specific) - if full_name_pattern.search(title): - player['highlight_video_url'] = highlight['video_url'] - assigned_video_ids.add(highlight['video_id']) - break - - # Then check for last name match in title - elif last_name_pattern.search(title): - player['highlight_video_url'] = highlight['video_url'] - assigned_video_ids.add(highlight['video_id']) - break - - # Match games next - for game in games: - opponent = game['opponent'] - week_pattern = re.compile(r'\bWeek\s+' + re.escape(game['round_number']) + r'\b', re.IGNORECASE) - opponent_pattern = re.compile(r'\b' + re.escape(opponent) + r'\b', re.IGNORECASE) - - # Try to find a match in the unassigned highlights - for highlight in unassigned_highlights: - if highlight['video_id'] in assigned_video_ids: - continue - - title = highlight['title'] - description = highlight['description'] - - # Check for both week and opponent match in title (most specific) - if week_pattern.search(title) and opponent_pattern.search(title): - game['highlight_video_url'] = highlight['video_url'] - assigned_video_ids.add(highlight['video_id']) - break - - # Then check for opponent match in title - elif opponent_pattern.search(title): - game['highlight_video_url'] = highlight['video_url'] - assigned_video_ids.add(highlight['video_id']) - break - - # Collect team videos (unassigned highlights) - team_videos = [] - for highlight in highlights: - if highlight['video_id'] not in assigned_video_ids: - team_videos.append(highlight) - - return team_videos - -def save_players_with_highlights(players): - """Save players with highlight videos to CSV file.""" - with open(OUTPUT_PLAYERS_PATH, 'w', newline='', encoding='utf-8') as file: - fieldnames = ['name', 'headshot_url', 'instagram_url', 'highlight_video_url'] - writer = csv.DictWriter(file, fieldnames=fieldnames) - writer.writeheader() - for player in players: - writer.writerow(player) - -def save_games_with_highlights(games): - """Save games with highlight videos to CSV file.""" - with open(OUTPUT_GAMES_PATH, 'w', newline='', encoding='utf-8') as file: - fieldnames = ['match_number', 'round_number', 'date', 'location', 'home_team', 'away_team', - 'result', 'game_result', 'opponent', 'highlight_video_url'] - writer = csv.DictWriter(file, fieldnames=fieldnames) - writer.writeheader() - for game in games: - writer.writerow(game) - -def save_team_videos(team_videos): - """Save team videos to CSV file.""" - with open(OUTPUT_TEAM_VIDEOS_PATH, 'w', newline='', encoding='utf-8') as file: - fieldnames = ['video_id', 'title', 'description', 'published_at', 'video_url'] - writer = csv.DictWriter(file, fieldnames=fieldnames) - writer.writeheader() - for video in team_videos: - writer.writerow(video) - -def main(): - # Load data - highlights = load_youtube_highlights() - players = load_players() - games = load_games() - - # Match highlights to players and games - team_videos = match_highlights_to_players_and_games(highlights, players, games) - - # Save results - save_players_with_highlights(players) - save_games_with_highlights(games) - save_team_videos(team_videos) - - # Print summary - player_matches = sum(1 for player in players if player['highlight_video_url']) - game_matches = sum(1 for game in games if game['highlight_video_url']) - - print(f"Total YouTube highlights: {len(highlights)}") - print(f"Players with highlight videos: {player_matches}/{len(players)}") - print(f"Games with highlight videos: {game_matches}/{len(games)}") - print(f"Team videos (unassigned): {len(team_videos)}") - print(f"\nOutput files created:") - print(f"- {OUTPUT_PLAYERS_PATH}") - print(f"- {OUTPUT_GAMES_PATH}") - print(f"- {OUTPUT_TEAM_VIDEOS_PATH}") - -if __name__ == "__main__": - main() diff --git a/data/april_11_multimedia_data_collect/merge_schedule_logos.py b/data/april_11_multimedia_data_collect/merge_schedule_logos.py deleted file mode 100644 index cfcdae9d0aa634a6ea1cec53845e3f42145070b9..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/merge_schedule_logos.py +++ /dev/null @@ -1,24 +0,0 @@ -import pandas as pd -import os - -# Read the CSV files -schedule_df = pd.read_csv('data/april_11_multimedia_data_collect/nfl-2024-san-francisco-49ers-with-results.csv') -logos_df = pd.read_csv('data/april_11_multimedia_data_collect/nfl_team_logos_revised.csv') - -# Create dictionaries to map team names to logo URLs -home_logos = {} -away_logos = {} - -for _, row in logos_df.iterrows(): - home_logos[row['team_name']] = row['logo_url'] - away_logos[row['team_name']] = row['logo_url'] - -# Add logo URL columns to the schedule dataframe -schedule_df['home_team_logo_url'] = schedule_df['Home Team'].map(home_logos) -schedule_df['away_team_logo_url'] = schedule_df['Away Team'].map(away_logos) - -# Save the merged dataframe to a new CSV file -output_path = 'data/april_11_multimedia_data_collect/schedule_with_result_and_logo_urls.csv' -schedule_df.to_csv(output_path, index=False) - -print(f'CSV file created successfully at {output_path}!') \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/neo4j_article_uploader.py b/data/april_11_multimedia_data_collect/neo4j_article_uploader.py deleted file mode 100644 index 2a26727ab6362bc77e56dc535b5c2f50f87d7dab..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/neo4j_article_uploader.py +++ /dev/null @@ -1,146 +0,0 @@ -#!/usr/bin/env python -""" -Script to upload structured and summarized team news articles from a CSV file to Neo4j. -""" - -import os -import sys -import csv -from datetime import datetime -from dotenv import load_dotenv - -# Adjust path to import graph object from the parent directory -parent_dir = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) -if parent_dir not in sys.path: - sys.path.append(parent_dir) - -try: - from gradio_graph import graph # Import the configured graph instance -except ImportError as e: - print(f"Error importing gradio_graph: {e}") - print("Please ensure gradio_graph.py exists and is configured correctly.") - sys.exit(1) - -# Load environment variables (though graph should already be configured) -load_dotenv() - -# Configuration -# Update path to reflect moved CSV file location -# CSV_FILEPATH = os.path.join(os.path.dirname(__file__), "team_news_articles.csv") # Old path -CSV_FILEPATH = os.path.join(os.path.dirname(os.path.dirname(__file__)), "data", "april_11_multimedia_data_collect", "team_news_articles.csv") # New path -TEAM_NAME = "San Francisco 49ers" - -def upload_articles_to_neo4j(csv_filepath): - """Reads the CSV and uploads article data to Neo4j.""" - print(f"Starting Neo4j upload process for {csv_filepath}...") - - if not os.path.exists(csv_filepath): - print(f"Error: CSV file not found at {csv_filepath}") - return - - # 1. Ensure the :Team node exists with correct properties - print(f"Ensuring :Team node exists for '{TEAM_NAME}'...") - team_merge_query = """ - MERGE (t:Team {name: $team_name}) - SET t.season_record_2024 = $record, - t.city = $city, - t.conference = $conference, - t.division = $division - RETURN t.name - """ - team_params = { - "team_name": TEAM_NAME, - "record": "6-11", # As specified in instructions - "city": "San Francisco", - "conference": "NFC", - "division": "West" - } - try: - result = graph.query(team_merge_query, params=team_params) - if result and result[0]['t.name'] == TEAM_NAME: - print(f":Team node '{TEAM_NAME}' ensured/updated successfully.") - else: - print(f"Warning: Problem ensuring :Team node '{TEAM_NAME}'. Result: {result}") - # Decide whether to proceed or stop - # return - except Exception as e: - print(f"Error executing team merge query: {e}") - return # Stop if we can't ensure the team node - - # 2. Read CSV and upload articles - print("Reading CSV and uploading :Team_Story nodes...") - article_merge_query = """ - MERGE (s:Team_Story {link_to_article: $link_to_article}) - SET s.teamName = $Team_name, - s.season = toInteger($season), // Ensure season is integer - s.summary = $summary, - s.topic = $topic, - s.city = $city, - s.conference = $conference, - s.division = $division - // Add other properties from CSV if needed, like raw_title, raw_date? - WITH s - MATCH (t:Team {name: $Team_name}) - MERGE (s)-[:STORY_ABOUT]->(t) - RETURN s.link_to_article AS article_link, t.name AS team_name - """ - - upload_count = 0 - error_count = 0 - try: - with open(csv_filepath, 'r', encoding='utf-8') as csvfile: - reader = csv.DictReader(csvfile) - for row in reader: - try: - # Prepare parameters for the query - # Ensure all expected keys from the query are present in the row or provide defaults - params = { - "link_to_article": row.get("link_to_article", ""), - "Team_name": row.get("Team_name", TEAM_NAME), # Use team name from row or default - "season": row.get("season", datetime.now().year), # Default season if missing - "summary": row.get("summary", ""), - "topic": row.get("topic", ""), - "city": row.get("city", "San Francisco"), # Use city from row or default - "conference": row.get("conference", "NFC"), - "division": row.get("division", "West"), - } - - # Basic validation before sending to Neo4j - if not params["link_to_article"]: - print(f"Skipping row due to missing link_to_article: {row}") - error_count += 1 - continue - if not params["Team_name"]: - print(f"Skipping row due to missing Team_name: {row}") - error_count += 1 - continue - - # Execute the query for the current article - graph.query(article_merge_query, params=params) - upload_count += 1 - if upload_count % 20 == 0: # Print progress every 20 articles - print(f"Uploaded {upload_count} articles...") - - except Exception as e: - print(f"Error processing/uploading row: {row}") - print(f"Error details: {e}") - error_count += 1 - # Continue to next row even if one fails? - # Or break? For now, let's continue. - - except FileNotFoundError: - print(f"Error: CSV file not found at {csv_filepath}") - return - except Exception as e: - print(f"An unexpected error occurred while reading CSV or uploading: {e}") - return - - print(f"\nNeo4j upload process finished.") - print(f"Successfully uploaded/merged: {upload_count} articles.") - print(f"Rows skipped due to errors/missing data: {error_count}.") - - -if __name__ == "__main__": - print("Running Neo4j Article Uploader script...") - upload_articles_to_neo4j(CSV_FILEPATH) - print("Script execution complete.") \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_game_update/SCHEMA.md b/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_game_update/SCHEMA.md deleted file mode 100644 index 3fac558f703d9d3e30e2387972aa39dcfeffb159..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_game_update/SCHEMA.md +++ /dev/null @@ -1,44 +0,0 @@ -# Updated Neo4j Game Node Schema - -## Game Node - -After running the `update_game_nodes.py` script, Game nodes in the Neo4j database will have the following attributes: - -| Attribute | Type | Description | -|---------------------|--------|-----------------------------------------------| -| game_id | String | Primary key for the game | -| date | String | Game date | -| location | String | Game location | -| home_team | String | Home team name | -| away_team | String | Away team name | -| result | String | Game result (score) | -| summary | String | Brief game summary | -| home_team_logo_url | String | URL to the home team's logo image | -| away_team_logo_url | String | URL to the away team's logo image | -| highlight_video_url | String | URL to the game's highlight video | -| embedding | Vector | Vector embedding of the game summary (if any) | - -## Assumptions and Implementation Notes - -1. The update script uses `game_id` as the primary key to match existing Game nodes. -2. The script only updates the following attributes: - - home_team_logo_url - - away_team_logo_url - - highlight_video_url -3. The script does not modify existing attributes or create new Game nodes. -4. The data source for updates is the `schedule_with_result_april_11.csv` file. - -## Usage - -To update the Game nodes, run the following command from the project root: - -```bash -python ifx-sandbox/data/april_11_multimedia_data_collect/new_final_april\ 11/neo4j_update/update_game_nodes.py -``` - -The script will: -1. Prompt for confirmation before making any changes -2. Connect to Neo4j using credentials from the .env file -3. Update Game nodes with the new attributes -4. Report on the success/failure of the updates -5. Verify that the updates were applied correctly \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_game_update/update_game_nodes.py b/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_game_update/update_game_nodes.py deleted file mode 100644 index 43047350f97d320f0e100bfaaffbdcfdf2556691..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_game_update/update_game_nodes.py +++ /dev/null @@ -1,205 +0,0 @@ -#!/usr/bin/env python3 -""" -update_game_nodes.py - Updates existing Game nodes in Neo4j with additional attributes - -This script reads game data from the schedule_with_result_april_11.csv file and updates -existing Game nodes in Neo4j with the following attributes: -- home_team_logo_url -- away_team_logo_url -- game_id -- highlight_video_url - -The script uses game_id as the primary key for matching and updating nodes. -""" - -import os -import sys -import pandas as pd -from neo4j import GraphDatabase -from dotenv import load_dotenv - -# Add parent directory to path to access neo4j_ingestion.py -parent_dir = os.path.abspath(os.path.join(os.path.dirname(__file__), "../../../../..")) -sys.path.append(parent_dir) - -# Set up paths -SCRIPT_DIR = os.path.dirname(os.path.abspath(__file__)) -PROJECT_DIR = os.path.abspath(os.path.join(SCRIPT_DIR, "../../../../..")) -DATA_DIR = os.path.join(PROJECT_DIR, "ifx-sandbox/data") -SCHEDULE_DIR = os.path.join(DATA_DIR, "april_11_multimedia_data_collect", "new_final_april 11") -SCHEDULE_FILE = os.path.join(SCHEDULE_DIR, "schedule_with_result_april_11.csv") - -# Load environment variables from ifx-sandbox/.env -ENV_FILE = os.path.join(PROJECT_DIR, "ifx-sandbox/.env") -load_dotenv(ENV_FILE) -print(f"Loading environment variables from: {ENV_FILE}") - -# Neo4j connection credentials -NEO4J_URI = os.getenv('AURA_CONNECTION_URI') -NEO4J_USER = os.getenv('AURA_USERNAME') -NEO4J_PASS = os.getenv('AURA_PASSWORD') - -if not all([NEO4J_URI, NEO4J_USER, NEO4J_PASS]): - print(f"Error: Missing required Neo4j credentials in {ENV_FILE}") - print(f"Required variables: AURA_CONNECTION_URI, AURA_USERNAME, AURA_PASSWORD") - raise ValueError("Missing required Neo4j credentials in .env file") - -def clean_row_dict(row): - """Convert pandas row to dict and replace NaN with None""" - return {k: None if pd.isna(v) else v for k, v in row.items()} - -def update_game_nodes(): - """ - Updates existing Game nodes with additional attributes from the schedule CSV. - Uses game_id as the primary key for matching. - """ - print(f"Loading schedule data from: {SCHEDULE_FILE}") - - # Check if the file exists - if not os.path.exists(SCHEDULE_FILE): - print(f"Error: Schedule file not found at {SCHEDULE_FILE}") - return False - - # Load the schedule data - try: - schedule_df = pd.read_csv(SCHEDULE_FILE) - print(f"Loaded {len(schedule_df)} games from CSV") - except Exception as e: - print(f"Error loading schedule CSV: {str(e)}") - return False - - # Verify required columns exist - required_columns = ['game_id', 'home_team_logo_url', 'away_team_logo_url', 'highlight_video_url'] - missing_columns = [col for col in required_columns if col not in schedule_df.columns] - - if missing_columns: - print(f"Error: Missing required columns in CSV: {', '.join(missing_columns)}") - return False - - # Connect to Neo4j - print(f"Connecting to Neo4j at {NEO4J_URI}") - driver = GraphDatabase.driver(NEO4J_URI, auth=(NEO4J_USER, NEO4J_PASS)) - - # Check connection - try: - with driver.session() as session: - result = session.run("MATCH (g:Game) RETURN count(g) as count") - game_count = result.single()["count"] - print(f"Found {game_count} Game nodes in Neo4j") - except Exception as e: - print(f"Error connecting to Neo4j: {str(e)}") - driver.close() - return False - - # Update game nodes - success_count = 0 - error_count = 0 - - with driver.session() as session: - for _, row in schedule_df.iterrows(): - params = clean_row_dict(row) - - # Skip if game_id is missing - if not params.get('game_id'): - error_count += 1 - print(f"Skipping row {_ + 1}: Missing game_id") - continue - - # Update query - query = """ - MATCH (g:Game {game_id: $game_id}) - SET g.home_team_logo_url = $home_team_logo_url, - g.away_team_logo_url = $away_team_logo_url, - g.highlight_video_url = $highlight_video_url - RETURN g.game_id as game_id - """ - - try: - result = session.run(query, params) - updated_game = result.single() - - if updated_game: - success_count += 1 - if success_count % 5 == 0 or success_count == 1: - print(f"Updated {success_count} games...") - else: - error_count += 1 - print(f"Warning: Game with ID {params['game_id']} not found in Neo4j") - except Exception as e: - error_count += 1 - print(f"Error updating game {params.get('game_id')}: {str(e)}") - - # Close the driver - driver.close() - - # Print summary - print("\nUpdate Summary:") - print(f"Total games in CSV: {len(schedule_df)}") - print(f"Successfully updated: {success_count}") - print(f"Errors/not found: {error_count}") - - # Verify updates - if success_count > 0: - print("\nVerifying updates...") - verify_updates() - - return success_count > 0 - -def verify_updates(): - """Verify that game nodes were updated with the new attributes""" - driver = GraphDatabase.driver(NEO4J_URI, auth=(NEO4J_USER, NEO4J_PASS)) - - with driver.session() as session: - # Check for games with logo URLs - logo_query = """ - MATCH (g:Game) - WHERE g.home_team_logo_url IS NOT NULL AND g.away_team_logo_url IS NOT NULL - RETURN count(g) as count - """ - - logo_result = session.run(logo_query) - logo_count = logo_result.single()["count"] - - # Check for games with highlight URLs - highlight_query = """ - MATCH (g:Game) - WHERE g.highlight_video_url IS NOT NULL - RETURN count(g) as count - """ - - highlight_result = session.run(highlight_query) - highlight_count = highlight_result.single()["count"] - - print(f"Games with logo URLs: {logo_count}") - print(f"Games with highlight URLs: {highlight_count}") - - driver.close() - -def main(): - print("=== Game Node Update Tool ===") - print("This script will update existing Game nodes in Neo4j with additional attributes") - print("from the schedule_with_result_april_11.csv file.") - - # Check for --yes flag - if len(sys.argv) > 1 and sys.argv[1] == '--yes': - print("Automatic confirmation enabled. Proceeding with update...") - confirmed = True - else: - # Confirm with user - user_input = input("\nDo you want to proceed with the update? (y/n): ") - confirmed = user_input.lower() == 'y' - - if not confirmed: - print("Update cancelled.") - return - - # Run the update - success = update_game_nodes() - - if success: - print("\n✅ Game nodes updated successfully!") - else: - print("\n❌ Game node update failed. Please check the errors above.") - -if __name__ == "__main__": - main() \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_player_update/update_player_nodes.py b/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_player_update/update_player_nodes.py deleted file mode 100644 index b38f05927a70d729685d651240047d7c8df7407e..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_player_update/update_player_nodes.py +++ /dev/null @@ -1,230 +0,0 @@ -#!/usr/bin/env python3 -""" -update_player_nodes.py - Updates existing Player nodes in Neo4j with additional attributes - -This script reads player data from the roster_april_11.csv file and updates -existing Player nodes in Neo4j with the following attributes: -- headshot_url -- instagram_url -- highlight_video_url - -The script uses Player_id as the primary key for matching and updating nodes. -""" - -import os -import sys -import pandas as pd -from neo4j import GraphDatabase -from dotenv import load_dotenv - -# Define base project directory relative to script location -SCRIPT_DIR = os.path.dirname(os.path.abspath(__file__)) -# Construct absolute path to project root (ifx-sandbox) based on known workspace structure -# This assumes the script is always located at the same relative depth -WORKSPACE_ROOT = os.path.abspath(os.path.join(SCRIPT_DIR, "../../../../..")) # Goes up 5 levels to workspace root -PROJECT_DIR = os.path.join(WORKSPACE_ROOT, "ifx-sandbox") # Specify ifx-sandbox within workspace - -# Add parent directory (ifx-sandbox) to path if needed for imports, though unlikely needed here -# sys.path.append(PROJECT_DIR) - -# Set up paths using PROJECT_DIR -DATA_DIR = os.path.join(PROJECT_DIR, "data") -ROSTER_DATA_DIR = os.path.join(DATA_DIR, "april_11_multimedia_data_collect", "new_final_april 11") -ROSTER_FILE = os.path.join(ROSTER_DATA_DIR, "roster_april_11.csv") - -# Load environment variables from ifx-sandbox/.env -ENV_FILE = os.path.join(PROJECT_DIR, ".env") - -if not os.path.exists(ENV_FILE): - print(f"Error: .env file not found at {ENV_FILE}") - # Attempt fallback if PROJECT_DIR might be wrong - alt_project_dir = os.path.join(os.path.abspath(os.path.join(SCRIPT_DIR, "../../../../../")), "ifx-sandbox") # Go up 6 and specify - alt_env_file = os.path.join(alt_project_dir, ".env") - if os.path.exists(alt_env_file): - print("Fallback: Found .env using alternative path calculation.") - ENV_FILE = alt_env_file - else: - sys.exit(1) - -# Explicitly pass the path to load_dotenv -load_dotenv(dotenv_path=ENV_FILE) -print(f"Loading environment variables from: {ENV_FILE}") - -# Neo4j connection credentials -NEO4J_URI = os.getenv('AURA_CONNECTION_URI') -NEO4J_USER = os.getenv('AURA_USERNAME') -NEO4J_PASS = os.getenv('AURA_PASSWORD') - -if not all([NEO4J_URI, NEO4J_USER, NEO4J_PASS]): - print(f"Error: Missing required Neo4j credentials in {ENV_FILE}") - print(f"Required variables: AURA_CONNECTION_URI, AURA_USERNAME, AURA_PASSWORD") - sys.exit(1) - -def clean_row_dict(row): - """Convert pandas row to dict and replace NaN or empty strings with None""" - return {k: None if pd.isna(v) or v == '' else v for k, v in row.items()} - -def update_player_nodes(): - """ - Updates existing Player nodes with additional attributes from the roster CSV. - Uses Player_id as the primary key for matching. - """ - print(f"Loading player roster data from: {ROSTER_FILE}") - - # Check if the file exists - if not os.path.exists(ROSTER_FILE): - print(f"Error: Roster file not found at {ROSTER_FILE}") - return False - - # Load the roster data - try: - roster_df = pd.read_csv(ROSTER_FILE) - print(f"Loaded {len(roster_df)} players from CSV") - except Exception as e: - print(f"Error loading roster CSV: {str(e)}") - return False - - # Verify required columns exist - required_columns = ['player_id', 'headshot_url', 'instagram_url', 'highlight_video_url'] - missing_columns = [col for col in required_columns if col not in roster_df.columns] - - if missing_columns: - print(f"Error: Missing required columns in CSV: {', '.join(missing_columns)}") - return False - - # Connect to Neo4j - print(f"Connecting to Neo4j at {NEO4J_URI}") - driver = None # Initialize driver to None - try: - driver = GraphDatabase.driver(NEO4J_URI, auth=(NEO4J_USER, NEO4J_PASS)) - driver.verify_connectivity() - print("Neo4j connection successful.") - with driver.session() as session: - result = session.run("MATCH (p:Player) RETURN count(p) as count") - player_count = result.single()["count"] - print(f"Found {player_count} Player nodes in Neo4j") - except Exception as e: - print(f"Error connecting to or querying Neo4j: {str(e)}") - if driver: - driver.close() - return False - - # Update player nodes - success_count = 0 - error_count = 0 - - with driver.session() as session: - for index, row in roster_df.iterrows(): - # Use player_id (lowercase) which is the correct column name - player_id_val = row.get('player_id') - - if not player_id_val: - error_count += 1 - print(f"Skipping row {index + 1}: Missing player_id") - continue - - params = clean_row_dict(row) - # Ensure the key used for matching exists in params for the query - params['match_player_id'] = player_id_val - - # Update query - Use correct case for property key and parameter name - query = """ - MATCH (p:Player {player_id: $match_player_id}) - SET p.headshot_url = $headshot_url, - p.instagram_url = $instagram_url, - p.highlight_video_url = $highlight_video_url - RETURN p.player_id as player_id - """ - - try: - result = session.run(query, params) - updated_player = result.single() - - if updated_player: - success_count += 1 - if success_count % 10 == 0 or success_count == 1: - print(f"Updated {success_count} players...") - else: - error_count += 1 - print(f"Warning: Player with ID {player_id_val} not found in Neo4j") - except Exception as e: - error_count += 1 - print(f"Error updating player {player_id_val}: {str(e)}") - - # Close the driver - driver.close() - - # Print summary - print("\nUpdate Summary:") - print(f"Total players in CSV: {len(roster_df)}") - print(f"Successfully updated: {success_count}") - print(f"Errors/not found: {error_count}") - - # Verify updates - if success_count > 0: - print("\nVerifying updates...") - verify_updates() - - return success_count > 0 - -def verify_updates(): - """Verify that Player nodes were updated with the new attributes""" - driver = None - try: - driver = GraphDatabase.driver(NEO4J_URI, auth=(NEO4J_USER, NEO4J_PASS)) - driver.verify_connectivity() - with driver.session() as session: - # Check for players with headshot & instagram URLs - query1 = """ - MATCH (p:Player) - WHERE p.headshot_url IS NOT NULL AND p.instagram_url IS NOT NULL - RETURN count(p) as count - """ - result1 = session.run(query1) - count1 = result1.single()["count"] - - # Check for players with highlight URLs - query2 = """ - MATCH (p:Player) - WHERE p.highlight_video_url IS NOT NULL - RETURN count(p) as count - """ - result2 = session.run(query2) - count2 = result2.single()["count"] - - print(f"Players with headshot & Instagram URLs: {count1}") - print(f"Players with highlight URLs: {count2}") - except Exception as e: - print(f"Error during verification: {str(e)}") - finally: - if driver: - driver.close() - -def main(): - print("=== Player Node Update Tool ===") - print("This script will update existing Player nodes in Neo4j with additional attributes") - print(f"from the {ROSTER_FILE} file.") - - # Check for --yes flag - if len(sys.argv) > 1 and sys.argv[1] == '--yes': - print("Automatic confirmation enabled. Proceeding with update...") - confirmed = True - else: - # Confirm with user - user_input = input("\nDo you want to proceed with the update? (y/n): ") - confirmed = user_input.lower() == 'y' - - if not confirmed: - print("Update cancelled.") - return - - # Run the update - success = update_player_nodes() - - if success: - print("\n✅ Player nodes updated successfully!") - else: - print("\n❌ Player node update failed. Please check the errors above.") - -if __name__ == "__main__": - main() diff --git a/data/april_11_multimedia_data_collect/new_final_april 11/roster_april_11.csv b/data/april_11_multimedia_data_collect/new_final_april 11/roster_april_11.csv deleted file mode 100644 index 8b2c478e9001c9e8d5d2c18928ae9257638d01e1..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/new_final_april 11/roster_april_11.csv +++ /dev/null @@ -1,74 +0,0 @@ -Player,Number,Pos,HT,WT,Age,Exp,College,status,player_id,headshot_url,instagram_url,highlight_video_url -Israel Abanikanda,20,RB,5-10,216,22,2,Pittsburgh,Active,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wo7d9oli06eki4mnh3i8.png,https://www.instagram.com/izzygetsbusy__/?hl=en, -Brandon Allen,17,QB,6-2,209,32,8,Arkansas,Active,86f109ac-c967-4c17-af5c-97395270c489,#N/A,#N/A,#N/A -Evan Anderson,69,DL,6-3,326,23,R,Florida Atlantic,Active,7774475d-ab11-4247-a631-9c7d29ba9745,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/ng7oamywxvqgkx6l6kqc.png,https://www.instagram.com/klamps8/?hl=en, -Tre Avery,36,CB,5-11,181,28,3,Rutgers,Active,59e3afa0-cb40-4f8e-9052-88b9af20e074,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/a7kfv7xjftqlaqghk6sg,https://www.instagram.com/t.avery21/?hl=en, -Robert Beal Jr.,51,DL,6-4,250,25,2,Georgia,Active,dcecbaa2-2803-4716-a729-45e1c80d6ab8,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jwwhmt5d8mi0vdb8nfic.jpg,https://www.instagram.com/oursf49ers/reel/C_CVQxxp2ti/, -Tatum Bethune,48,LB,6-0,299,24,R,Florida State,Active,f51beff4-e90c-4b73-9253-8699c46a94ff,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/vl08pinqpmoubdf0zy5s.png,https://www.instagram.com/tatumx15/?hl=en, -Nick Bosa,97,DL,6-4,266,27,6,Ohio State,Active,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/utiwswqvpkiwtocijwhz.jpg,https://www.instagram.com/nbsmallerbear/?hl=en,https://www.youtube.com/watch?v=URvcwUEQYMw -Jake Brendel,64,OL,6-4,299,32,7,UCLA,Active,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/svsb41aekpzt3m9snilw.jpg,https://www.instagram.com/jake.brendel/?hl=en, -Ji'Ayir Brown,27,S,5-11,202,25,2,Penn State,Active,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/urillpic02z774n09xvf.jpg,https://www.instagram.com/_tiig/?hl=en, -Chris Conley,18,WR,6-3,205,32,10,Georgia,Active,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,#N/A,#N/A,#N/A -Jacob Cowing,19,WR,5-9,171,24,R,Arizona,Active,564daa89-38f8-4c8a-8760-de1923f9a681,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/lg7aao0umc21oioufqdx.png,https://www.instagram.com/jaycowing_/?hl=en, -Kalia Davis,93,DL,6-2,310,26,3,Central Florida,Active,9ecde51b-8b49-40a3-ba42-e8c5787c279c,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/rmnxj3sh7pyldmcxqe32.jpg,https://www.instagram.com/ucf.football/p/C3No6rTugDe/,https://www.youtube.com/watch?v=xE4jfmV7kGg -Khalil Davis,50,DL,6-2,315,28,4,Nebraska,Active,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,#N/A,#N/A,#N/A -Joshua Dobbs,5,QB,6-3,220,30,8,Tennessee,Active,44b1d8d5-663c-485b-94d3-c72540441aa0,#N/A,#N/A,#N/A -Jordan Elliott,92,DL,6-4,303,27,5,Missouri,Active,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xbyky8r2yuzusd2tmrw8.jpg,https://www.instagram.com/jordanelliott_nbcs/, -Luke Farrell,89,TE,6-5,250,27,4,Ohio State,Active,ba2cf281-cffa-4de5-9db9-2109331e455d,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/f2z7wpmx7ngtxcqqedla,https://www.instagram.com/lukefarrell89/?hl=en, -Tashaun Gipson Sr.,43,S,6-1,212,34,13,Wyoming,Active,14026aa2-5f8c-45bf-9b92-0971d92127e6,#N/A,#N/A,#N/A -Jalen Graham,41,LB,6-3,220,25,2,Purdue,Active,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/pbl2a1ujopvwqrfct0jp.jpg,https://www.instagram.com/thexniners/p/CruR8IPrSV7/, -Richie Grant,27,S,6-0,200,27,4,UCF,Active,c737a041-c713-43f6-8205-f409b349e2b6,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/szeswtvt6jmbu3so3phd,https://www.instagram.com/richiegrant_/?hl=en, -Renardo Green,0,CB,6-0,186,24,R,Florida State,Active,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/v79obx9v7tgcjjlo6hiy.png,https://www.instagram.com/dondada.8/?hl=en,https://www.youtube.com/watch?v=iIooO2pTjt4 -Yetur Gross-Matos,94,DL,6-5,265,27,5,Penn State,Active,cde0a59d-19ab-44c9-ba02-476b0762e4a8,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/etuaajmvhbc5qkebgoow.jpg,https://www.instagram.com/__lobo99/?hl=en, -Isaac Guerendo,31,RB,6-0,221,24,R,Louisville,Active,4ca8e082-d358-46bf-af14-9eaab40f4fe9,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/b66rpzr9iauo5rdprvka.png,https://www.instagram.com/isaac_guerendo/?hl=en, -Charlie Heck,75,OL,6-8,311,28,5,North Carolina,Active,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,#N/A,#N/A,#N/A -Matt Hennessy,61,OL,6-3,315,27,4,Temple,Active,2f95e3de-03de-4827-a4a7-aaed42817861,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/zk8b21o8ncxnyu0gyf23,https://www.instagram.com/matt___hennessy/?hl=en, -Jauan Jennings,15,WR,6-3,212,27,4,Tennessee,Active,16794171-c7a0-4a0e-9790-6ab3b2cd3380,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/wxsq7f4ajmhfs6tn4dg2.jpg,https://www.instagram.com/u_aintjj/?hl=en,https://www.youtube.com/watch?v=kFkNlmUQVu0 -Mac Jones,10,QB,6-3,200,26,4,Alabama,Active,18df1544-69a6-460c-802e-7d262e83111d,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pedpdxybeus7mrovsoko,https://www.instagram.com/macjones_10/?hl=en,https://www.youtube.com/watch?v=TylWJVa84VE -George Kittle,85,TE,6-4,250,31,8,Iowa,Active,3fe4cd72-43e3-40ea-8016-abb2b01503c7,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/elheepobwn1ahqwtfwat.jpg,https://www.instagram.com/gkittle/?hl=en,https://www.youtube.com/watch?v=RzMVbATV95w -Deommodore Lenoir,2,DB,5-10,200,25,4,Oregon,Active,79a00b55-fa24-45d8-a43f-772694b7776d,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/f9fnuvbpcxku9ibt9qs8.jpg,https://www.instagram.com/deommo.lenoir/?hl=en,https://www.youtube.com/watch?v=h-uvula5tNo -Nick McCloud,35,CB,6-1,193,26,4,Notre Dame,Active,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,#N/A,#N/A,#N/A -Colton McKivitz,68,OL,6-6,301,28,5,West Virginia,Active,63b288c1-4434-4120-867c-cee4dadd8c8a,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jugvoxjabgsbcfbuqfew.jpg,https://www.instagram.com/cmckivitz53/?hl=en, -Jake Moody,4,K,6-1,210,25,2,Michigan,Active,9328e072-e82e-41ef-a132-ed54b649a5ca,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ygputwsbutemszr8xxkw.jpg,https://www.instagram.com/jmoods_/?hl=en, -Malik Mustapha,6,S,5-10,206,22,R,Wake Forest,Active,6cb2d19f-f0a4-4ece-9190-76345d1abc54,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/eyrgxgpbrycd9x8glk0j.png,https://www.instagram.com/stapha/, -Pat O'Donnell,40,P,6-4,220,34,10,Miami,Active,61a0a607-be7b-429d-b492-59523fad023e,#N/A,#N/A,#N/A -Sam Okuayinonu,91,DL,6-1,269,26,2,Maryland,Active,c81b6283-b1aa-40d6-a825-f01410912435,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/fyolr2zk2nplfbdze75l.jpg,https://www.instagram.com/sam.ok97/?hl=en, -Ricky Pearsall,14,WR,6-3,192,24,R,Florida,Active,27bf8c9c-7193-4f43-9533-32f1293d1bf0,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/to7q7w4kjiajseb4ljcx.png,https://www.instagram.com/ricky.pearsall/?hl=en, -Jason Pinnock,41,CB,6-0,205,25,4,Pittsburgh,Active,57f29e6b-9082-4637-af4b-0d123ef4542d,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/on29awacb9frijyggtgt,https://www.instagram.com/jpinny15/?hl=en, -Austen Pleasants,62,OT,6-7,328,27,1,Ohio,Active,d000d0a3-a7ba-442d-92af-0d407340aa2f,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wsbs5emdyzuc1sudbcls.png,https://www.instagram.com/oursf49ers/p/DDr48a4PdcO/?hl=en, -Dominick Puni,77,OL,6-5,313,25,R,Kansas,Active,aeb5a55c-4554-4116-9de0-76910e66e154,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/tq1snozjpjrgrjoflrfg.png,https://www.instagram.com/dompuni/?hl=en, -Brock Purdy,13,QB,6-1,220,25,3,Iowa State,Active,787758c9-4e9a-44f2-af68-c58165d0bc03,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wt42ykvuxpngm4m1axxn.png,https://www.instagram.com/brock.purdy13/?hl=en,https://www.youtube.com/watch?v=O-ft3FPYwiA -Demarcus Robinson,14,WR,6-1,203,30,9,Florida,Active,c97d60e5-8c92-4d2e-b782-542ca7aa7799,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/lakf0xue1qqb7ed4p6ge,https://www.instagram.com/demarcusrobinson/?hl=en,https://www.youtube.com/watch?v=1vwP8vs-mXI -Eric Saubert,82,TE,6-5,248,30,7,Drake,Active,67214339-8a36-45b9-8b25-439d97b06703,#N/A,#N/A,#N/A -Patrick Taylor Jr.,32,RB,6-2,217,26,4,Memphis,Active,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/hochjncae0hqcoveuexq.jpg,https://www.instagram.com/patricktaylor/?hl=en, -Tre Tomlinson,,CB,5-9,177,25,2,TCU,Active,ad3e3f2e-ee06-4406-8874-ea1921c52328,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/n5pfv126xw0psc0d1ydz,https://www.instagram.com/trevius/?hl=en, -Jake Tonges,88,TE,6-4,240,25,2,California,Active,ad391cbf-b874-4b1e-905b-2736f2b69332,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/la3z5y6u7tix6rnq2m5l.jpg,https://www.instagram.com/jaketonges/?hl=en, -Fred Warner,54,LB,6-3,230,28,7,Brigham Young,Active,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/zo4ftfar4bshrbipceuk.jpg,https://www.instagram.com/fred_warner/?hl=en,https://www.youtube.com/watch?v=IwBlFktlNwY -Jon Weeks,46,LS,5-10,245,39,15,Baylor,Active,587c7609-ba56-4d22-b1e6-c12576c428fd,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/d9fvm74pu4vyinveopbf,https://www.instagram.com/jonweeks46/?hl=en,https://www.youtube.com/watch?v=FO_iJ1IEOQU -Brayden Willis,9,TE,6-4,240,25,2,Oklahoma,Active,d1b16c10-c5b3-4157-bd9d-7f289f17df81,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xmo7hsuho3ehmsjwvthc.jpg,https://www.instagram.com/brayden_willis/?hl=en,https://www.youtube.com/watch?v=3KNc8s3Xwos -Dee Winters,53,LB,5-11,227,24,2,TCU,Active,514f3569-5435-48bb-bc74-6b08d3d78ca9,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ggf13riajo0kn0y6kbu0.jpg,https://www.instagram.com/dwints_/?hl=en, -Rock Ya-Sin,33,CB,5-11,195,28,6,Temple,Active,cb00e672-232a-4137-a259-f3cf0382d466,#N/A,#N/A,#N/A -Isaac Yiadom,22,CB,6-1,232,29,7,Boston College,Active,3227c040-7d18-4803-b4b4-799667344a6d,#N/A,#N/A,#N/A -Nick Zakelj,63,OL,6-6,316,25,3,Fordham,Active,59845c40-7efc-4514-9ed6-c29d983fba31,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/o92tva22zezdz4aksadl.jpg,https://www.instagram.com/nickzakelj/?hl=en, -Player,#,Pos,HT,WT,Age,Exp,College,Reserve/Future,724825a5-7a0b-422d-946e-ce9512ad7add,#N/A,#N/A,#N/A -Isaac Alarcon,67,OL,6-7,320,26,1,Tecnológico de Monterrey,Reserve/Future,262ea245-93dc-4c61-aa41-868bc4cc5dcf,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mlhuuxukyusodzlfsmnv.jpg,https://www.instagram.com/isaac_algar/?hl=en, -Russell Gage,84,WR,6-0,184,29,7,LSU,Reserve/Future,1537733f-8218-4c45-9a0a-e00ff349a9d1,#N/A,#N/A,#N/A -Isaiah Hodgins,87,WR,6-3,200,26,4,Oregon State,Reserve/Future,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ax1oft9kqida0eokvtes.jpg,https://www.instagram.com/isaiahhodgins/?hl=en, -Quindell Johnson,,S,6-2,208,25,2,Memphis,Reserve/Future,7bee6f18-bd56-4920-a132-107c8af22bef,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/uga90lawcfxjcqna7opb,https://www.instagram.com/p/DFGnwNlymc9/,https://www.youtube.com/watch?v=VU2gRl8rgqw -Jalen McKenzie,76,OT,6-5,315,25,1,USC,Reserve/Future,473d4c85-cc2c-4020-9381-c49a7236ad68,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gffxpns1ayxyjccymr6d.jpg,https://www.instagram.com/jay_peez70/?hl=en, -Brandon Aiyuk,11,WR,6-0,200,27,5,Arizona State,Reserve/Injured,577eb875-f886-400d-8b14-ec28a2cc5eae,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/khwofxjjwx0hcaigzxhw.png,https://www.instagram.com/brandonaiyuk/?hl=en,https://www.youtube.com/watch?v=TlAgJDpoOYk -Aaron Banks,65,OL,6-5,325,27,4,Notre Dame,Reserve/Injured,e665afb5-904a-4e86-a6da-1d859cc81f90,#N/A,#N/A,#N/A -Ben Bartch,78,OL,6-6,315,26,5,St. John's (MN),Reserve/Injured,6a1545de-63fd-4c04-bc27-58ba334e7a91,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/aqaslodzr7y0yvh5zzxa.jpg,https://www.instagram.com/bartchben/, -Tre Brown,22,CB,5-10,185,27,4,Oklahoma,Reserve/Injured,839c425d-d9b0-4b60-8c68-80d14ae382f7,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/dpemqrrweakt8dci3qfb,https://www.instagram.com/tre_brown25/?hl=en, -Spencer Burford,74,OL,6-4,300,24,3,Texas-San Antonio,Reserve/Injured,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/lje3ae25dntkdudp6eex.jpg,https://www.instagram.com/spence__74/?hl=en, -Luke Gifford,57,LB,6-3,243,29,6,Nebraska,Reserve/Injured,069b6392-804b-4fcb-8654-d67afad1fd91,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/mhdbbzj8amttnpd1nbpn,https://www.instagram.com/luke_gifford/?hl=en, -Kevin Givens,90,DL,6-1,285,28,5,Penn State,Reserve/Injured,a9f79e66-ff50-49eb-ae50-c442d23955fc,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mstmgft0e0ancdzspboy.jpg,https://www.instagram.com/49ers/p/DAg_Pvpz1vV/, -Darrell Luter Jr.,28,CB,6-0,190,24,2,South Alabama,Reserve/Injured,741c6fa0-0254-4f85-9066-6d46fcc1026e,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/g5rohvooet9g5w7rlhrh.jpg,https://www.instagram.com/_d.ray4k/?hl=en, -Jordan Mason,24,RB,5-11,223,25,3,Georgia Tech,Reserve/Injured,89531f13-baf0-43d6-b9f4-42a95482753a,#N/A,#N/A,#N/A -Christian McCaffrey,23,RB,5-11,210,28,8,Stanford,Reserve/Injured,052ec36c-e430-4698-9270-d925fe5bcaf4,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/a8fka6shomakkbllljgt.jpg,https://www.instagram.com/christianmccaffrey/?hl=en,https://www.youtube.com/watch?v=cu78Okf6VSo -Elijah Mitchell,25,RB,5-10,200,26,4,Louisiana,Reserve/Injured,7dfc6f25-07a8-4618-954b-b9dd96cee86e,#N/A,#N/A,#N/A -Jaylon Moore,76,OL,6-4,311,27,4,Western Michigan,Reserve/Injured,c800d89e-031f-4180-b824-8fd307cf6d2b,#N/A,#N/A,#N/A -George Odum,30,S,6-1,202,31,7,Central Arkansas,Reserve/Injured,26e72658-4503-47c4-ad74-628545e2402a,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/sqpxhoycdpegkyjn6ooc.jpg,https://www.instagram.com/george.w.odum/?hl=en, -Curtis Robinson,36,LB,6-3,235,26,3,Stanford,Reserve/Injured,072a3483-b063-48fd-bc9c-5faa9b845425,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/x3xyzgeapcafr0gicl5y.jpg,https://www.instagram.com/curtis_robinsonn/?hl=en,https://www.youtube.com/watch?v=8wyHHbXoFZI -Trent Williams,71,T,6-5,320,36,15,Oklahoma,Reserve/Injured,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/bnq8i5urjualxre5caqz.jpg,https://www.instagram.com/trentwilliams71/?hl=en,https://www.youtube.com/watch?v=k7FDcmcawL0 -Mitch Wishnowsky,3,P,6-2,220,33,6,Utah,Reserve/Injured,fe86f2c6-8576-4e77-b1df-a3df995eccf8,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mkf1xr1x8nr9l55oq72a.jpg,https://www.instagram.com/mitchwish3/?hl=en,https://www.youtube.com/watch?v=ZkH6eWs5Yd8 \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/new_final_april 11/schedule_with_result_april_11.csv b/data/april_11_multimedia_data_collect/new_final_april 11/schedule_with_result_april_11.csv deleted file mode 100644 index 1d90c0534ce0dabb5347f6d56b049f811ab6e9c5..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/new_final_april 11/schedule_with_result_april_11.csv +++ /dev/null @@ -1,18 +0,0 @@ -Match Number,Round Number,Date,Location,Home Team,Away Team,Result,game_result,home_team_logo_url,away_team_logo_url,game_id,Summary,highlight_video_url -1,1,10/09/2024 00:15,Levi's Stadium,San Francisco 49ers,New York Jets,32 - 19,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/nyj.png,7d5492b7-6372-4ab6-b878-a6ad10936f3b,"Quarterback Brock Purdy threw for 231 yards, with running back Jordan Mason rushing for 147 yards.",https://www.youtube.com/watch?v=igOb4mfV7To -28,2,15/09/2024 17:00,U.S. Bank Stadium,Minnesota Vikings,San Francisco 49ers,23 - 17,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/min.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,9c37ef4a-8887-4e16-a0e9-53dd21d0ed1c,"Purdy passed for 319 yards; Mason added 100 rushing yards, but the 49ers fell short.",https://www.youtube.com/watch?v=jTJw2uf-Pdg -38,3,22/09/2024 20:25,SoFi Stadium,Los Angeles Rams,San Francisco 49ers,27 - 24,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/lar.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,b8c3e7f7-81ed-48c4-9a49-0897cac450e5,Purdy threw for 292 yards; Jauan Jennings had 175 receiving yards in a close loss.,https://www.youtube.com/watch?v=Y1dnhN-1ryU -55,4,29/09/2024 20:05,Levi's Stadium,San Francisco 49ers,New England Patriots,30 - 13,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/ne.png,b4b49323-c84d-4414-bbd4-de399145db28,Brock Purdy threw for 288 yards and a touchdown; Fred Warner returned an interception for a touchdown.,https://www.youtube.com/watch?v=NCUjGFJILLo -70,5,06/10/2024 20:05,Levi's Stadium,San Francisco 49ers,Arizona Cardinals,23 - 24,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/ari.png,efe67377-f218-4629-94d6-b0a28dae81b4,"Kyler Murray led a comeback, including a 50-yard touchdown run; Chad Ryland kicked the game-winning field goal.",https://www.youtube.com/watch?v=v62sybG_3Lk -92,6,11/10/2024 00:15,Lumen Field,Seattle Seahawks,San Francisco 49ers,24 - 36,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sea.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,be924e35-6c00-470a-a82e-f77e89f2fca9,Geno Smith's late 13-yard touchdown run secured the Seahawks' victory.,https://www.youtube.com/watch?v=LaDE1QBC3Cc -96,7,20/10/2024 20:25,Levi's Stadium,San Francisco 49ers,Kansas City Chiefs,18 - 28,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/kc.png,c0efcedb-e8a0-4058-8ae8-df418a829c22,Specific game details are not available.,https://www.youtube.com/watch?v=4_xM1tOK-28 -109,8,28/10/2024 00:20,Levi's Stadium,San Francisco 49ers,Dallas Cowboys,30 - 24,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/dal.png,9d3c8085-3864-4c86-9a47-6d91f9561e68,Specific game details are not available.,https://www.youtube.com/watch?v=7nTBwPljD-Q -149,10,10/11/2024 18:00,Raymond James Stadium,Tampa Bay Buccaneers,San Francisco 49ers,20 - 23,Win,https://a.espncdn.com/i/teamlogos/nfl/500/tb.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,8c117905-4d53-4bfb-a85e-d4d0a52262a8,"The 49ers narrowly avoided a collapse, with Jake Moody's game-winning field goal.",https://www.youtube.com/watch?v=607mv01G8UU -158,11,17/11/2024 21:05,Levi's Stadium,San Francisco 49ers,Seattle Seahawks,17 - 20,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/sea.png,6ee0f83e-d738-43c7-95e2-472bdaa9c2e8,Geno Smith's last-minute touchdown run ended the Seahawks' losing streak against the 49ers.,https://www.youtube.com/watch?v=VMPRSGk7bUg -169,12,24/11/2024 21:25,Lambeau Field,Green Bay Packers,San Francisco 49ers,38 - 10,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/gb.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,89aeb6ec-c102-442f-a2b2-862a58f08c72,"Despite losing Deebo Samuel early, the 49ers secured a narrow victory.",https://www.youtube.com/watch?v=rtBtGh02HvA -181,13,02/12/2024 01:20,Highmark Stadium,Buffalo Bills,San Francisco 49ers,35 - 10,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/buf.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,051a9bbd-41b1-4946-b366-2202b9b84646,"Josh Allen scored touchdowns passing, rushing, and receiving, leading the Bills to victory.", -199,14,08/12/2024 21:25,Levi's Stadium,San Francisco 49ers,Chicago Bears,38 - 13,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/chi.png,2bfc3060-5975-4c60-8cf2-cd359c318bcb,Specific game details are not available.,https://www.youtube.com/watch?v=qmzSVmVNaFg -224,15,13/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Los Angeles Rams,6 - 12,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/lar.png,07182afe-36bf-44e4-a464-52a56e9e325d,"In a rainy defensive battle, the Rams secured victory with four field goals.",https://www.youtube.com/watch?v=3JfiboQ6ZC8 -228,16,22/12/2024 21:25,Hard Rock Stadium,Miami Dolphins,San Francisco 49ers,29 - 17,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/mia.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,0be9a14c-0017-46b8-96e8-7c446e78ea84,A high-scoring game marked by a scuffle involving Jauan Jennings; the 49ers fell short., -246,17,31/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Detroit Lions,34 - 40,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/det.png,a6af1ef1-eece-43c2-b98f-c20494003cfe,Specific game details are not available.,https://www.youtube.com/watch?v=AooNLyum7Ng -257,18,05/01/2025 21:25,State Farm Stadium,Arizona Cardinals,San Francisco 49ers,47 - 24,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/ari.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,2c95b37b-b32d-4b30-a582-f04b8cbf12e4,Specific game details are not available.,https://www.youtube.com/watch?v=HfqGFWVdf9w \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/new_games_with_highlights.csv b/data/april_11_multimedia_data_collect/new_games_with_highlights.csv deleted file mode 100644 index 524efa7ca6a35aad6ed3d349e93c94a2c2628898..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/new_games_with_highlights.csv +++ /dev/null @@ -1,18 +0,0 @@ -match_number,round_number,date,location,home_team,away_team,result,game_result,opponent,highlight_video_url -1,1,10/09/2024 00:15,Levi's Stadium,San Francisco 49ers,New York Jets,32 - 19,Win,New York Jets,https://www.youtube.com/watch?v=igOb4mfV7To -28,2,15/09/2024 17:00,U.S. Bank Stadium,Minnesota Vikings,San Francisco 49ers,23 - 17,Loss,Minnesota Vikings,https://www.youtube.com/watch?v=jTJw2uf-Pdg -38,3,22/09/2024 20:25,SoFi Stadium,Los Angeles Rams,San Francisco 49ers,27 - 24,Loss,Los Angeles Rams,https://www.youtube.com/watch?v=Y1dnhN-1ryU -55,4,29/09/2024 20:05,Levi's Stadium,San Francisco 49ers,New England Patriots,30 - 13,Win,New England Patriots,https://www.youtube.com/watch?v=NCUjGFJILLo -70,5,06/10/2024 20:05,Levi's Stadium,San Francisco 49ers,Arizona Cardinals,23 - 24,Loss,Arizona Cardinals,https://www.youtube.com/watch?v=v62sybG_3Lk -92,6,11/10/2024 00:15,Lumen Field,Seattle Seahawks,San Francisco 49ers,24 - 36,Win,Seattle Seahawks,https://www.youtube.com/watch?v=LaDE1QBC3Cc -96,7,20/10/2024 20:25,Levi's Stadium,San Francisco 49ers,Kansas City Chiefs,18 - 28,Loss,Kansas City Chiefs,https://www.youtube.com/watch?v=4_xM1tOK-28 -109,8,28/10/2024 00:20,Levi's Stadium,San Francisco 49ers,Dallas Cowboys,30 - 24,Win,Dallas Cowboys,https://www.youtube.com/watch?v=7nTBwPljD-Q -149,10,10/11/2024 18:00,Raymond James Stadium,Tampa Bay Buccaneers,San Francisco 49ers,20 - 23,Win,Tampa Bay Buccaneers,https://www.youtube.com/watch?v=607mv01G8UU -158,11,17/11/2024 21:05,Levi's Stadium,San Francisco 49ers,Seattle Seahawks,17 - 20,Loss,Seattle Seahawks,https://www.youtube.com/watch?v=VMPRSGk7bUg -169,12,24/11/2024 21:25,Lambeau Field,Green Bay Packers,San Francisco 49ers,38 - 10,Loss,Green Bay Packers,https://www.youtube.com/watch?v=rtBtGh02HvA -181,13,02/12/2024 01:20,Highmark Stadium,Buffalo Bills,San Francisco 49ers,35 - 10,Loss,Buffalo Bills, -199,14,08/12/2024 21:25,Levi's Stadium,San Francisco 49ers,Chicago Bears,38 - 13,Win,Chicago Bears,https://www.youtube.com/watch?v=qmzSVmVNaFg -224,15,13/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Los Angeles Rams,6 - 12,Loss,Los Angeles Rams,https://www.youtube.com/watch?v=3JfiboQ6ZC8 -228,16,22/12/2024 21:25,Hard Rock Stadium,Miami Dolphins,San Francisco 49ers,29 - 17,Loss,Miami Dolphins, -246,17,31/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Detroit Lions,34 - 40,Loss,Detroit Lions,https://www.youtube.com/watch?v=AooNLyum7Ng -257,18,05/01/2025 21:25,State Farm Stadium,Arizona Cardinals,San Francisco 49ers,47 - 24,Loss,Arizona Cardinals,https://www.youtube.com/watch?v=HfqGFWVdf9w diff --git a/data/april_11_multimedia_data_collect/new_niners_players_with_highlights.csv b/data/april_11_multimedia_data_collect/new_niners_players_with_highlights.csv deleted file mode 100644 index 74d8dd911b30161f4b9fc791fe4c874716977e82..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/new_niners_players_with_highlights.csv +++ /dev/null @@ -1,74 +0,0 @@ -name,headshot_url,instagram_url,highlight_video_url -Israel Abanikanda,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wo7d9oli06eki4mnh3i8.png,https://www.instagram.com/izzygetsbusy__/?hl=en, -Brandon Aiyuk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/khwofxjjwx0hcaigzxhw.png,https://www.instagram.com/brandonaiyuk/?hl=en,https://www.youtube.com/watch?v=TlAgJDpoOYk -Isaac Alarcon,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mlhuuxukyusodzlfsmnv.jpg,https://www.instagram.com/isaac_algar/?hl=en, -Evan Anderson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/ng7oamywxvqgkx6l6kqc.png,https://www.instagram.com/klamps8/?hl=en, -Tre Avery,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/a7kfv7xjftqlaqghk6sg,https://www.instagram.com/t.avery21/?hl=en, -Alex Barrett,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/bm0ay22de39d1enrxwiq.jpg,https://www.instagram.com/alex.barrett/?hl=en, -Ben Bartch,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/aqaslodzr7y0yvh5zzxa.jpg,https://www.instagram.com/bartchben/, -Robert Beal Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jwwhmt5d8mi0vdb8nfic.jpg,https://www.instagram.com/oursf49ers/reel/C_CVQxxp2ti/, -Tatum Bethune,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/vl08pinqpmoubdf0zy5s.png,https://www.instagram.com/tatumx15/?hl=en, -Nick Bosa,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/utiwswqvpkiwtocijwhz.jpg,https://www.instagram.com/nbsmallerbear/?hl=en,https://www.youtube.com/watch?v=URvcwUEQYMw -Jake Brendel,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/svsb41aekpzt3m9snilw.jpg,https://www.instagram.com/jake.brendel/?hl=en, -Ji'Ayir Brown,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/urillpic02z774n09xvf.jpg,https://www.instagram.com/_tiig/?hl=en, -Tre Brown,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/dpemqrrweakt8dci3qfb,https://www.instagram.com/tre_brown25/?hl=en, -Spencer Burford,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/lje3ae25dntkdudp6eex.jpg,https://www.instagram.com/spence__74/?hl=en, -Jacob Cowing,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/lg7aao0umc21oioufqdx.png,https://www.instagram.com/jaycowing_/?hl=en, -Kalia Davis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/rmnxj3sh7pyldmcxqe32.jpg,https://www.instagram.com/ucf.football/p/C3No6rTugDe/,https://www.youtube.com/watch?v=xE4jfmV7kGg -Jordan Elliott,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xbyky8r2yuzusd2tmrw8.jpg,https://www.instagram.com/jordanelliott_nbcs/, -Luke Farrell,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/f2z7wpmx7ngtxcqqedla,https://www.instagram.com/lukefarrell89/?hl=en, -Russell Gage Jr.,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/lkqhshv0dss1b9c6mdnj,https://www.instagram.com/w8k3mupruss/?hl=en, -Jonathan Garvin,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/rapfcxut6vu50vcevswe.png,https://www.instagram.com/thesfniners/p/DCmgF8KSw2A/?hl=en, -Luke Gifford,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/mhdbbzj8amttnpd1nbpn,https://www.instagram.com/luke_gifford/?hl=en, -Kevin Givens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mstmgft0e0ancdzspboy.jpg,https://www.instagram.com/49ers/p/DAg_Pvpz1vV/, -Jalen Graham,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/pbl2a1ujopvwqrfct0jp.jpg,https://www.instagram.com/thexniners/p/CruR8IPrSV7/, -Richie Grant,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/szeswtvt6jmbu3so3phd,https://www.instagram.com/richiegrant_/?hl=en, -Renardo Green,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/v79obx9v7tgcjjlo6hiy.png,https://www.instagram.com/dondada.8/?hl=en,https://www.youtube.com/watch?v=iIooO2pTjt4 -Yetur Gross-Matos,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/etuaajmvhbc5qkebgoow.jpg,https://www.instagram.com/__lobo99/?hl=en, -Isaac Guerendo,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/b66rpzr9iauo5rdprvka.png,https://www.instagram.com/isaac_guerendo/?hl=en, -Sebastian Gutierrez,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/am9sywgkga6jq65hvboe.jpg,https://www.instagram.com/sebastiandev1/?hl=en, -Matt Hennessy,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/zk8b21o8ncxnyu0gyf23,https://www.instagram.com/matt___hennessy/?hl=en, -Isaiah Hodgins,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ax1oft9kqida0eokvtes.jpg,https://www.instagram.com/isaiahhodgins/?hl=en, -Drake Jackson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/y2luyplzpvbzokyfbmla.jpg,https://www.instagram.com/thefreak/?hl=en, -Tarron Jackson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pnqrjp76bgpkmacxma3r,https://www.instagram.com/tarron_jackson/?hl=en, -Jauan Jennings,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/wxsq7f4ajmhfs6tn4dg2.jpg,https://www.instagram.com/u_aintjj/?hl=en,https://www.youtube.com/watch?v=kFkNlmUQVu0 -Quindell Johnson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/uga90lawcfxjcqna7opb,https://www.instagram.com/p/DFGnwNlymc9/,https://www.youtube.com/watch?v=VU2gRl8rgqw -Zack Johnson,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/n4hy8uzhcl5cl0ricwoa,https://www.instagram.com/zack.johnson.68/,https://www.youtube.com/watch?v=yDAcyWJi6qQ -Mac Jones,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pedpdxybeus7mrovsoko,https://www.instagram.com/macjones_10/?hl=en,https://www.youtube.com/watch?v=TylWJVa84VE -Kyle Juszczyk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ywdz6y2pfzndqgmxxfbj.jpg,https://www.instagram.com/juicecheck44/?hl=en,https://www.youtube.com/watch?v=PZCVP0l8uVk -George Kittle,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/elheepobwn1ahqwtfwat.jpg,https://www.instagram.com/gkittle/?hl=en,https://www.youtube.com/watch?v=RzMVbATV95w -Deommodore Lenoir,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/f9fnuvbpcxku9ibt9qs8.jpg,https://www.instagram.com/deommo.lenoir/?hl=en,https://www.youtube.com/watch?v=h-uvula5tNo -Chase Lucas,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gjeejt5pbagnipodhdz4.jpg,https://www.instagram.com/chase_lucas24/?hl=en, -Darrell Luter Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/g5rohvooet9g5w7rlhrh.jpg,https://www.instagram.com/_d.ray4k/?hl=en, -Jaylen Mahoney,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/yv9inbia05nyxppuajv0.png,https://www.instagram.com/jaylenmahoney_/, -Christian McCaffrey,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/a8fka6shomakkbllljgt.jpg,https://www.instagram.com/christianmccaffrey/?hl=en,https://www.youtube.com/watch?v=cu78Okf6VSo -Jalen McKenzie,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gffxpns1ayxyjccymr6d.jpg,https://www.instagram.com/jay_peez70/?hl=en, -Colton McKivitz,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jugvoxjabgsbcfbuqfew.jpg,https://www.instagram.com/cmckivitz53/?hl=en, -Jake Moody,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ygputwsbutemszr8xxkw.jpg,https://www.instagram.com/jmoods_/?hl=en, -Tanner Mordecai,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/y8gipodnkeapgmegnxs1.png,https://www.instagram.com/t_mordecai/?hl=en, -Malik Mustapha,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/eyrgxgpbrycd9x8glk0j.png,https://www.instagram.com/stapha/, -Siran Neal,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/muhthfs6owkkpsyop1e6,https://www.instagram.com/siranneal/?hl=en, -Drake Nugent,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/qyb4kurtbv9uflmupfnc.png,https://www.instagram.com/drakenugent9/?hl=en, -George Odum,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/sqpxhoycdpegkyjn6ooc.jpg,https://www.instagram.com/george.w.odum/?hl=en, -Sam Okuayinonu,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/fyolr2zk2nplfbdze75l.jpg,https://www.instagram.com/sam.ok97/?hl=en, -Terique Owens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/okhin0uwdon2nimvbtwd.png,https://www.instagram.com/terique_owens/?hl=en, -Ricky Pearsall,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/to7q7w4kjiajseb4ljcx.png,https://www.instagram.com/ricky.pearsall/?hl=en, -Jason Pinnock,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/on29awacb9frijyggtgt,https://www.instagram.com/jpinny15/?hl=en, -Austen Pleasants,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wsbs5emdyzuc1sudbcls.png,https://www.instagram.com/oursf49ers/p/DDr48a4PdcO/?hl=en, -Mason Pline,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/mvjlaxpu8bu33ohspqot.png,https://www.instagram.com/mpline12/?hl=en, -Dominick Puni,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/tq1snozjpjrgrjoflrfg.png,https://www.instagram.com/dompuni/?hl=en, -Brock Purdy,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wt42ykvuxpngm4m1axxn.png,https://www.instagram.com/brock.purdy13/?hl=en,https://www.youtube.com/watch?v=O-ft3FPYwiA -Curtis Robinson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/x3xyzgeapcafr0gicl5y.jpg,https://www.instagram.com/curtis_robinsonn/?hl=en,https://www.youtube.com/watch?v=8wyHHbXoFZI -Demarcus Robinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/lakf0xue1qqb7ed4p6ge,https://www.instagram.com/demarcusrobinson/?hl=en,https://www.youtube.com/watch?v=1vwP8vs-mXI -Patrick Taylor Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/hochjncae0hqcoveuexq.jpg,https://www.instagram.com/patricktaylor/?hl=en, -Trent Taylor,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/j8lom4fnsveujt8hykef.jpg,https://www.instagram.com/trent5taylor/?hl=en,https://www.youtube.com/watch?v=kiEy31sL0co -Tre Tomlinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/n5pfv126xw0psc0d1ydz,https://www.instagram.com/trevius/?hl=en, -Jake Tonges,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/la3z5y6u7tix6rnq2m5l.jpg,https://www.instagram.com/jaketonges/?hl=en, -Fred Warner,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/zo4ftfar4bshrbipceuk.jpg,https://www.instagram.com/fred_warner/?hl=en,https://www.youtube.com/watch?v=IwBlFktlNwY -Jon Weeks,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/d9fvm74pu4vyinveopbf,https://www.instagram.com/jonweeks46/?hl=en,https://www.youtube.com/watch?v=FO_iJ1IEOQU -DaShaun White,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/mjnpmkw3ar6zcj2hxxzd,https://www.instagram.com/demoeto/?hl=en,https://www.youtube.com/watch?v=mk4aHkdYaUQ -Trent Williams,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/bnq8i5urjualxre5caqz.jpg,https://www.instagram.com/trentwilliams71/?hl=en,https://www.youtube.com/watch?v=k7FDcmcawL0 -Brayden Willis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xmo7hsuho3ehmsjwvthc.jpg,https://www.instagram.com/brayden_willis/?hl=en,https://www.youtube.com/watch?v=3KNc8s3Xwos -Dee Winters,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ggf13riajo0kn0y6kbu0.jpg,https://www.instagram.com/dwints_/?hl=en, -Mitch Wishnowsky,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mkf1xr1x8nr9l55oq72a.jpg,https://www.instagram.com/mitchwish3/?hl=en,https://www.youtube.com/watch?v=ZkH6eWs5Yd8 -Nick Zakelj,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/o92tva22zezdz4aksadl.jpg,https://www.instagram.com/nickzakelj/?hl=en, diff --git a/data/april_11_multimedia_data_collect/new_team_highlights.csv b/data/april_11_multimedia_data_collect/new_team_highlights.csv deleted file mode 100644 index 782d6b3034fb4afdcd2c4b64a69433a25f0fb6b1..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/new_team_highlights.csv +++ /dev/null @@ -1,2694 +0,0 @@ -video_id,title,description,published_at,video_url -hR4ZsHZl384,Every Deebo Samuel Sr. Touchdown with the 49ers,"#49ers #FTTB #NFL - -Watch every touchdown scored by wide receiver Deebo Samuel Sr. in his career with the San Francisco 49ers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-03-13T19:36:20Z,https://www.youtube.com/watch?v=hR4ZsHZl384 -zWs6JsUQYno,49ers Top 10 Plays from the 2024 Season,"#49ers #NFL #FTTB - -Relive the San Francisco 49ers 10 best plays from the 2024 NFL Season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-01-23T22:29:47Z,https://www.youtube.com/watch?v=zWs6JsUQYno -pzavmpzB2cs,Talanoa Hufanga Breaks Down His Top Highlights | Inside the Play | 49ers,"#49ers #TalanoaHufanga #InsideThePlay - -San Francisco 49ers safety Talanoa Hufanga takes fans inside his biggest career moments in the first episode of 'Inside the Play' presented by Microsoft Surface Pro. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-01-23T22:18:25Z,https://www.youtube.com/watch?v=pzavmpzB2cs -ZfeJIi6WHE8,🧃JUICED 🧃,,2025-01-06T01:39:01Z,https://www.youtube.com/watch?v=ZfeJIi6WHE8 -dmzWmiTDAMU,28-Yard Catch + Run by Kittle!,,2024-12-22T23:33:15Z,https://www.youtube.com/watch?v=dmzWmiTDAMU -IMYYCIOUJXk,KOTM 🙌,,2024-12-22T23:26:09Z,https://www.youtube.com/watch?v=IMYYCIOUJXk -rzTYQ07DQgE,There goes Deebo 😤,,2024-12-22T22:18:15Z,https://www.youtube.com/watch?v=rzTYQ07DQgE -9DHE1YnGfSg,San Francisco 49ers Top Plays vs. Chicago Bears | 2024 Week 14,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Chicago Bears from Week 14. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-12-09T00:44:24Z,https://www.youtube.com/watch?v=9DHE1YnGfSg -pVP5sOr8H0Q,George Kittle’s Top 10 Receptions of His Career (So Far) | 49ers,"#49ers #NFL #GeorgeKittle - -Check out the top 10 catches from San Francisco 49ers tight end George Kittle from his eight year career, so far. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-28T01:09:11Z,https://www.youtube.com/watch?v=pVP5sOr8H0Q -8_6Z15HdCjA,George Kittle Climbs Franchise Charts in Week 12 | 49ers,"#49ers #NFL #SFvsGB - -Watch the San Francisco 49ers top highlights from TE George Kittle, WR Deebo Samuel Sr., DL Leonard Floyd and more vs. the Green Bay Packers in Week 12. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-26T00:29:56Z,https://www.youtube.com/watch?v=8_6Z15HdCjA -PdcTCRTLjbo,Deommodore Lenoir's Top Plays from His NFL Career (So Far) | 49ers,"#49ers #DeommodoreLenoir #nfl - -Check out the best plays from San Francisco 49ers defensive back Deommodore Lenoir's first four seasons in the NFL. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-14T00:35:26Z,https://www.youtube.com/watch?v=PdcTCRTLjbo -Lit2ZywZtWU,49ers Best Plays from Every Week of 2024 Season So Far,"#49ers #FTTB #NFL - -Check out the San Francisco 49ers top plays from each week of the first half of the 2024 NFL regular season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-08T00:23:07Z,https://www.youtube.com/watch?v=Lit2ZywZtWU -NwmwuWBBW2Q,Every 49ers Touchdown from the 2024 Season So Far,"#49ers #FTTB #NFL - -Watch every San Francisco 49ers touchdown from the first half of the 2024 NFL regular season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-31T22:10:04Z,https://www.youtube.com/watch?v=NwmwuWBBW2Q -N1_czgJhoj8,It's tricky 😼 #Shorts,,2024-10-31T18:27:40Z,https://www.youtube.com/watch?v=N1_czgJhoj8 -W4QlEmvWjVg,Brock Purdy’s Top Plays from the First Half of the 2024 Season | 49ers,"#49ers #BrockPurdy #NFL - -Relive highlight-reel plays from San Francisco 49ers quarterback Brock Purdy during the first eight weeks of the 2024 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-30T18:19:05Z,https://www.youtube.com/watch?v=W4QlEmvWjVg -6E4YAOL7JOw,Top Plays by Legendary 49ers Tight Ends,"#49ers #Highlights #NFL - -Take a look at the best plays from George Kittle, Vernon Davis and more legendary San Francisco 49ers tight ends throughout franchise history. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-25T22:54:07Z,https://www.youtube.com/watch?v=6E4YAOL7JOw -OeYpDKWmxnE,49ers catches that get increasingly difficult 😱 #Shorts,,2024-10-25T00:27:30Z,https://www.youtube.com/watch?v=OeYpDKWmxnE -_bi3eaCA8H8,CLUTCH: 49ers Catches that Get Increasingly Difficult,"#49ers #Highlights #NFL - -Watch highlights of amazing catches from Brandon Aiyuk, Jerry Rice and more San Francisco 49ers players throughout history. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-24T22:23:24Z,https://www.youtube.com/watch?v=_bi3eaCA8H8 -uVhBcSOxlow,Brock Purdy's Best Plays vs. the Arizona Cardinals in Week 5 | 49ers,"#49ers #NFL #AZvsSF - -Watch San Francisco 49ers quarterback Brock Purdy's Week 5 highlights against the Arizona Cardinals. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-07T00:00:49Z,https://www.youtube.com/watch?v=uVhBcSOxlow -PzeAh_8Uwi4,49ers Most Electric Plays vs. NFC West of All Time,"#49ers #FTTB #NFCWest - -Take a look at some of the San Francisco 49ers best plays versus NFC West opponents of all time. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-09-18T19:53:05Z,https://www.youtube.com/watch?v=PzeAh_8Uwi4 -a5kS2geBDB0,Top 10 Brandon Aiyuk Plays from the 2023 Season | 49ers,"#49ers #Highlights #NFL - -Watch a countdown of the 10 best highlight plays made by San Francisco 49ers wide receiver Brandon Aiyuk during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-08-30T19:35:21Z,https://www.youtube.com/watch?v=a5kS2geBDB0 -UWaw7BekTR8,San Francisco 49ers Top Plays vs. Las Vegas Raiders | 2024 Preseason Week 3,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Las Vegas Raiders in the preseason Week 2 game. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-08-24T06:20:05Z,https://www.youtube.com/watch?v=UWaw7BekTR8 -Nj72Fq1wdhc,San Francisco 49ers Top Plays vs. New Orleans Saints | 2024 Preseason Week 2,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the New Orleans Saints in the preseason Week 2 game. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-08-19T03:53:31Z,https://www.youtube.com/watch?v=Nj72Fq1wdhc -DWvf5LQPVnM,Top Highlights from the 49ers Second Block of Training Camp Practices,"#49ers #nfl #trainingcamp - -Check out some of the best moments from the San Francisco 49ers second block of training camp practices at the SAP Performance Facility. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-08-01T21:42:56Z,https://www.youtube.com/watch?v=DWvf5LQPVnM -Eqloe6frltc,Every 2023 49ers Touchdown Increasing in Length,"#49ers #NFL #NFLHighlights - -Watch every touchdown from the San Francisco 49ers 2023 season starting with QB Brock Purdy at the one yard line and ending with WR Brandon Aiyuk’s 76-yard touchdown. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-04-02T18:27:22Z,https://www.youtube.com/watch?v=Eqloe6frltc -FJ-j8LkHM_E,Top 10 Brock Purdy Plays from the 2023 Season | 49ers,"#49ers #Highlights #NFL - -Watch a countdown of the 10 best highlight plays made by San Francisco 49ers quarterback Brock Purdy during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-03-05T02:24:08Z,https://www.youtube.com/watch?v=FJ-j8LkHM_E -yXM5m3r5Dss,Top 10 Christian McCaffrey Plays from the 2023 Season | 49ers,"#49ers #Highlights #NFL - -Watch a countdown of the 10 best highlight plays made by San Francisco 49ers running back Christian McCaffrey during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-03-05T02:27:58Z,https://www.youtube.com/watch?v=yXM5m3r5Dss -CYOlEPYUREQ,Top 10 Deebo Samuel Plays from the 2023 Season | 49ers,"#49ers #Highlights #NFL - -Watch a countdown of the 10 best highlight plays made by San Francisco 49ers wide receiver Deebo Samuel during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-03-05T02:18:57Z,https://www.youtube.com/watch?v=CYOlEPYUREQ -mAD67jjXydE,Top 10 San Francisco 49ers Plays from the 2023 Season,"#49ers #Highlights #FTTB - -Watch a countdown of the 10 best plays made by the San Francisco 49ers during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-03-04T20:32:49Z,https://www.youtube.com/watch?v=mAD67jjXydE -ckwWROecuXI,Every 49ers Playoff Touchdown Ahead of Super Bowl LVIII,"#49ers #DoItForTheBay #FTTB - -Watch every San Francisco 49ers touchdown from the team's playoff games at Levi's® Stadium. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-01-31T18:21:09Z,https://www.youtube.com/watch?v=ckwWROecuXI -9tewGO9F3eo,San Francisco 49ers Highlights vs. Detroit Lions in the NFC Championship Game,"#49ers #DoItForTheBay #DETvsSF -Watch the San Francisco 49ers top highlights vs. the Detroit Lions in the NFC Championship Game. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-01-29T04:03:09Z,https://www.youtube.com/watch?v=9tewGO9F3eo -pdordsOZMXw,San Francisco 49ers Highlights vs. the Washington Commanders in Week 17,"Watch the San Francisco 49ers top highlights vs. the Washington Commanders in Week 17 of the 2023 regular season. -#49ers #NFL #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-31T22:07:34Z,https://www.youtube.com/watch?v=pdordsOZMXw -Y39sHyTa_uU,Brock Sturdy #49ers #Shorts,,2023-12-31T23:14:26Z,https://www.youtube.com/watch?v=Y39sHyTa_uU -srMiMx4x9V4,San Francisco 49ers Top Plays vs. the Baltimore Ravens in Week 16,"Watch the San Francisco 49ers best plays vs. the Baltimore Ravens in Week 16 of the 2023 regular season. - -#49ers #Highlights #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-26T05:25:12Z,https://www.youtube.com/watch?v=srMiMx4x9V4 -AjJWXxqf0ag,Every Brandon Aiyuk Catch from His 113-Yard Game in Week 16 | 49errs,"Watch every catch from San Francisco 49ers wide receiver Brandon Aiyuk's 113-yard game vs. the Baltimore Ravens from Week 16 of the 2023 NFL season. - -#49ers #Aiyuk #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-26T05:21:19Z,https://www.youtube.com/watch?v=AjJWXxqf0ag --R7I1NOQxM4,Every George Kittle Catch from His 126-Yard Game in Week 16 | 49ers,"Watch every catch from San Francisco 49ers tight end George Kittle's 126-yard game vs. the Baltimore Ravens from Week 16 of the 2023 NFL season. -#49ers #GeorgeKittle #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-26T05:19:55Z,https://www.youtube.com/watch?v=-R7I1NOQxM4 -fsUDlRPuO3A,San Francisco 49ers Highlights vs. the Arizona Cardinals | 2023 Regular Season Week 15,"Watch the San Francisco 49ers top highlights vs. the Arizona Cardinals in Week 15. -#49ers #SFvsAZ #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-18T00:58:46Z,https://www.youtube.com/watch?v=fsUDlRPuO3A -ZUdU1Z_fULU,San Francisco 49ers Top Plays vs. Seattle Seahawks in Week 14 | 49ers,"San Francisco 49ers Highlights vs. Seattle Seahawks | 2023 Regular Season Week 14, 12/10/2023 -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-11T02:07:58Z,https://www.youtube.com/watch?v=ZUdU1Z_fULU -Fe0J80Ro5R4,Brandon Aiyuk's Best Plays from 126-Yard Game vs. Seahawks | 49ers,"Watch San Francisco 49ers wide receiver Brandon Aiyuk's top highlights from his 126-yard game against the Seattle Seahawks in Week 14. - -#49ers #SEAvsSF #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-11T01:14:28Z,https://www.youtube.com/watch?v=Fe0J80Ro5R4 -J8jWok-WEuU,San Francisco 49ers Top Plays vs. the Philadelphia Eagles in Week 13 | 49ers,"#49ers #nfl - -Watch the San Francisco 49ers top highlights vs. the Philadelphia Eagles in Week 13 of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-04T02:29:39Z,https://www.youtube.com/watch?v=J8jWok-WEuU -IlpJhaxeQTo,Brock Purdy's Best Plays from 4-TD Game vs. the Eagles,"Watch the top highlights from San Francisco 49ers quarterback Brock Purdy's four-touchdown game in the Week 13 matchup against the Philadelphia Eagles. - -#49ers #SFvsPHI #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-04T02:20:49Z,https://www.youtube.com/watch?v=IlpJhaxeQTo -ZQCUAHPL2iQ,These one-handed catches 🤯 #49ers #Shorts,"#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-29T17:13:26Z,https://www.youtube.com/watch?v=ZQCUAHPL2iQ -fCi5vgeeL5A,San Francisco 49ers Top Plays of November,"#49ers #NFL #Highlights - -Relive the San Francisco 49ers top highlights from November of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-28T18:34:56Z,https://www.youtube.com/watch?v=fCi5vgeeL5A -XhJv0ltTkX0,San Francisco 49ers Week 12 Highlights vs. the Seattle Seahawks on Thanksgiving,"Watch the San Francisco 49ers top highlights vs. Seattle Seahawks at Lumen Field. - -#49ers #SFvsSEA #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-24T04:55:30Z,https://www.youtube.com/watch?v=XhJv0ltTkX0 -DFXuxH05enI,San Francisco 49ers Top Plays vs. the Tampa Bay Buccaneers in Week 11,"Watch the San Francisco 49ers highlights from Week 11 of the 2023 NFL season against the Tampa Bay Buccaneers. - -#49ers #TBvsSF #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-20T18:14:59Z,https://www.youtube.com/watch?v=DFXuxH05enI -LFn0s7Mr5uc,Every TD from Christian McCaffrey's Record-Tying 17-Game Streak | 49ers,"#49ers #CMC #NFL - -Watch Christian McCaffrey tie an all-time NFL record with at least one touchdown in every game for 17 weeks straight. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-13T21:41:01Z,https://www.youtube.com/watch?v=LFn0s7Mr5uc -aJQzSsz5tAI,San Francisco 49ers Top Plays vs. the Jacksonville Jaguars in Week 10,"Watch the San Francisco 49ers highlights from Week 10 of the 2023 NFL season against the Jacksonville Jaguars. - -#49ers #NFL #SFvsJAX - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-12T23:07:38Z,https://www.youtube.com/watch?v=aJQzSsz5tAI -9wFDp_aFNSg,Every George Kittle Catch from 116-Yard Game in Jacksonville,"#49ers #Kittle #Highlights - -Watch tight end George Kittle's best highlights from the 49ers Week 10 win over the Jacksonville Jaguars. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-12T22:21:36Z,https://www.youtube.com/watch?v=9wFDp_aFNSg -9h0W12IcVDc,Brock Purdy's Best Plays from 3-TD Game vs. Jaguars | 49ers,"#49ers #Highlights #NFL - -Watch quarterback Brock Purdy's top highlights from the 49ers Week 10 win over the Jacksonville Jaguars. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-12T22:19:21Z,https://www.youtube.com/watch?v=9h0W12IcVDc -ss_ZZuECkks,Christian McCaffrey's Best Plays from 142-Yard Game vs. Jaguars | 49ers,"#49ers #CMC #highlights - -Watch running back Christian McCaffrey's best plays during the 49ers Week 10 win over the Jacksonville Jaguars. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-12T22:18:19Z,https://www.youtube.com/watch?v=ss_ZZuECkks -QMwuZJitPQk,Chase Young's Top Career Plays Since Being Drafted in 2020,"#49ers #ChaseYoung #nfl - -Watch some of the top plays from the 49ers newest defensive lineman, Chase Young. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-09T20:14:22Z,https://www.youtube.com/watch?v=QMwuZJitPQk -3U1PaeUQGYI,George Kittle’s Top Career Receptions (So Far) | 49ers,"#49ers #Kittle #FTTB - -George Kittle has officially claimed the San Francisco 49ers franchise record for most receiving yards by a tight end. Relive some of his best catches, so far. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-07T02:47:30Z,https://www.youtube.com/watch?v=3U1PaeUQGYI -Tfnmy_YpuyQ,Every 49ers Sack from the First Half of the 2023 Season,"#49ers #Highlights #NFL - -Watch all of the San Francisco 49ers sacks through eight weeks of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-01T18:48:14Z,https://www.youtube.com/watch?v=Tfnmy_YpuyQ -4iSgsunUTyE,Every 49ers Touchdown from the First Half of the 2023 Season,"#49ers #Highlights #NFL - -Watch all of the San Francisco 49ers touchdowns through eight weeks of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-01T18:52:43Z,https://www.youtube.com/watch?v=4iSgsunUTyE -EyL3TVJatDo,San Francisco 49ers Top Plays vs. the Cincinnati Bengals in Week 8,"Watch the San Francisco 49ers top plays from their Week 8 matchup against the Cincinnati Bengals. -#49ers #CINvsSF #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-30T00:48:19Z,https://www.youtube.com/watch?v=EyL3TVJatDo -kNeezS2yaiE,Christian McCaffrey's Best Plays vs. Vikings | 49ers,"#49ers #NFL #SFvsMIN - -Watch running back Christian McCaffrey's best plays from his Week 7 performance in Minnesota. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-24T04:15:04Z,https://www.youtube.com/watch?v=kNeezS2yaiE --iiCYtIkb0A,San Francisco 49ers Top Plays vs. Minnesota Vikings | 2023 Regular Season Week 7,"Watch the San Francisco 49ers top highlights from their ""Monday Night Football"" matchup against the Minnesota Vikings. -#49ers #nfl #sfvsmin - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-24T03:33:33Z,https://www.youtube.com/watch?v=-iiCYtIkb0A -AfEhCvLpTKM,Brock Purdy's Best Plays vs. the Cowboys in Week 5 | 49ers,"#49ers #DALvsSF #nfl -Watch San Francisco 49ers quarterback Brock Purdy's highlights against the Dallas Cowboys. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-09T03:53:33Z,https://www.youtube.com/watch?v=AfEhCvLpTKM -nlc7yzmw_aY,Christian McCaffrey Named NFC Offensive Player of the Month | 49ers,"#49ers #CMC #McCaffrey - -Watch San Francisco 49ers running back Christian McCaffrey's top highlights from the month of September. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-03T16:19:14Z,https://www.youtube.com/watch?v=nlc7yzmw_aY -U6PtMhEqMAk,San Francisco 49ers Highlights vs. Arizona Cardinals | 2023 Regular Season Week 4,"Watch the San Francisco 49ers highlights vs. the Arizona Cardinals at Levi's® Stadium. -#49ers #azvssf #nfl - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-02T00:52:25Z,https://www.youtube.com/watch?v=U6PtMhEqMAk --CuK0xjYeiY,Every Catch by Brandon Aiyuk from the 49ers Week 4 Win Over the Cardinals,"#49ers #AZvsSF #Aiyuk - -Watch every catch from Brandon Aiyuk's 148-yard outing against the Arizona Cardinals at Levi's® Stadium. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-02T00:33:31Z,https://www.youtube.com/watch?v=-CuK0xjYeiY -MmRXio8_B3Y,San Francisco 49ers Top Plays of September,"#49ers #Highlights #FTTB - -Watch the best plays by the San Francisco 49ers from Weeks 1 through 3 of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-28T19:09:12Z,https://www.youtube.com/watch?v=MmRXio8_B3Y -e2k2WtAgRFE,San Francisco 49ers Top Plays vs. the New York Giants | 2023 Regular Season Week 3,"Watch the San Francisco 49ers highlights vs. the New York Giants at Levi's® Stadium. -#49ers #NYGvsSF #FTTB - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-22T03:43:55Z,https://www.youtube.com/watch?v=e2k2WtAgRFE -7JEXiZTFr8s,Every Brandon Aiyuk Catch from His 129-Yard Game vs. Steelers,"#49ers #sfvspit - -Watch San Francisco 49ers wide receiver Brandon Aiyuk’s best plays against the Pittsburgh Steelers in Week 1. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ - -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-10T20:49:41Z,https://www.youtube.com/watch?v=7JEXiZTFr8s -0BoQAP50Kuw,Christian McCaffrey's Best Plays vs. Steelers in Week 1,"#49ers #sfvspit -Watch San Francisco 49ers running back Christian McCaffrey's highlights against the Pittsburgh Steelers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-10T21:04:01Z,https://www.youtube.com/watch?v=0BoQAP50Kuw -95p-qzV2D1s,Nick Bosa's Top Career Plays in Red and Gold | 49ers,"#49ers #NickBosa #FTTB - -Watch the best plays by San Francisco 49ers defensive lineman Nick Bosa in four seasons in the NFL. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-08T15:00:55Z,https://www.youtube.com/watch?v=95p-qzV2D1s -NIs3Pbbpark,Brock Purdy's Top Plays in Preseason Week 2 vs. the Broncos | 49ers,"#49ers #Highlights #BrockPurdy - -Watch highlights of San Francisco 49ers quarterback Brock Purdy from the team's preseason win over the Denver Broncos at Levi's® Stadium. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-08-21T17:50:08Z,https://www.youtube.com/watch?v=NIs3Pbbpark -RYjDov7giO8,49ers Top Plays from their Preseason Win Over the Broncos | 2023 Preseason Week 2,"Watch the San Francisco 49ers best highlights vs. the Denver Broncos during their preseason game. -#49ers #denvssf #nfl - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-08-20T03:48:58Z,https://www.youtube.com/watch?v=RYjDov7giO8 -KsP1YLnOOjw,Brandon Aiyuk's Top Plays from the 2022 season | 49ers,"Relive some of wide receiver Brandon Aiyuk's top highlights from the 2022 NFL season. - -#49ers #BrandonAiyuk #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-09T21:04:54Z,https://www.youtube.com/watch?v=KsP1YLnOOjw -wjNu4dDsH18,Brock Purdy’s Top Plays from the 2022 Season | 49ers,"#49ers #Purdy #FTTB - -Watch rookie quarterback Brock Purdy’s top highlights from the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-10T18:20:02Z,https://www.youtube.com/watch?v=wjNu4dDsH18 -NEnqADyYwSU,Deebo Samuel’s Top Plays from the 2022 Season | 49ers,"Recap wide receiver Deebo Samuel's top highlights from the 2022 NFL season. - -#49ers #DeeboSamuel #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-09T21:05:35Z,https://www.youtube.com/watch?v=NEnqADyYwSU -DGvYrPC5LmE,10 Plays from the 49ers 2022 Season,"#49ers #Highlights #FTTB - -Watch some of the best highlight plays made by the San Francisco 49ers in the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-09T16:36:06Z,https://www.youtube.com/watch?v=DGvYrPC5LmE -RIcfmyZwSEg,10 Nick Bosa Plays from the 2022 NFL Season | 49ers,"#49ers #DPOY #FTTB - -Watch some of Nick Bosa's top plays from the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-10T02:27:55Z,https://www.youtube.com/watch?v=RIcfmyZwSEg -2ctMlW_F2nQ,George Kittle's Top Plays from the 2022 Season | 49ers,"Relive some of George Kittle's top highlights from the 2022 NFL season. - -#49ers #GeorgeKittle #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-02T17:32:26Z,https://www.youtube.com/watch?v=2ctMlW_F2nQ -6xeK2aTDieo,Baldy's Breakdowns: Evaluating the 49ers ‘No-Weakness' Defense vs. the Cowboys,"#49ers #NFLPlayoffs #FTTB - -NFL analyst Brian Baldinger broke down how the San Francisco 49ers defeated the Dallas Cowboys in the Divisional Round. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-01-25T02:14:06Z,https://www.youtube.com/watch?v=6xeK2aTDieo -iZUSk4QpDog,San Francisco 49ers Top Plays vs. Las Vegas Raiders | 2022 Regular Season Week 17,"Watch the San Francisco 49ers top highlights vs. the Las Vegas Raiders in Week 17. -#49ers #SFvsLV #highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-01-02T00:58:26Z,https://www.youtube.com/watch?v=iZUSk4QpDog -9SRMJqAKAis,San Francisco 49ers Top Plays of December | 2022 Season,"#49ers #Highlights #FTTB - -Watch the best plays by the San Francisco 49ers from Weeks 13 through 16 of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-28T20:00:21Z,https://www.youtube.com/watch?v=9SRMJqAKAis -Q5omo-EzmYE,49ers Top 5 Plays vs. the Raiders | NFL Throwback,"#49ers #Highlights #Throwback - -Relive some of the San Francisco 49ers greatest plays against the Las Vegas Raiders. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-28T19:41:01Z,https://www.youtube.com/watch?v=Q5omo-EzmYE -1tNocIwRz9o,Brock Purdy's Best Plays from 2-Touchdown Game vs. Commanders in Week 16 | 49ers,"#49ers #WASvsSF #Highlights - -Watch San Francisco 49ers quarterback Brock Purdy's best plays from his two-touchdown game during Week 16 of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-28T19:46:07Z,https://www.youtube.com/watch?v=1tNocIwRz9o -qLsxYxdH9Wk,Every George Kittle Catch from 2-TD Game vs. Seahawks | 49ers,"#49ers #SFvsSEA #Kittle - -Watch every catch made by San Francisco 49ers tight end George Kittle during his two-touchdown game in Week 15 of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-16T05:47:05Z,https://www.youtube.com/watch?v=qLsxYxdH9Wk -Gir9PdppfgA,Nick Bosa's Best Plays in 3-Sack Game vs. Dolphins | Week 13,"#49ers #MIAvsSF #Bosa - -Watch some of Nick Bosa's top highlights from the 49ers Week 13 matchup against the Miami Dolphins. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-05T01:34:31Z,https://www.youtube.com/watch?v=Gir9PdppfgA -Z5qPtjL2eJM,Top 10 49ers Plays at Midseason | 2022 NFL Season,"#49ers #Highlights #FTTB - -Look back at 10 on the team's top plays from the first eight weeks of the season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-11-10T00:19:30Z,https://www.youtube.com/watch?v=Z5qPtjL2eJM -RyIXKZJ753w,Every Nick Bosa Sack From the First Half of the 2022 Season | 49ers,"#49ers #Bosa #highlights - -Watch all 8.0 sacks by San Francisco 49ers defensive lineman Nick Bosa through 8 weeks of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-11-02T17:47:36Z,https://www.youtube.com/watch?v=RyIXKZJ753w -AoJyUaQ7NgI,Top 49ers Offensive Plays From the First Half of the 2022 Season,"#49ers #Highlights #FTTB - -Watch the San Francisco 49ers best plays on offense through 8 weeks of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-11-02T17:43:26Z,https://www.youtube.com/watch?v=AoJyUaQ7NgI -5W95hlIgi9g,Christian McCaffrey's Top Plays from His 49ers Debut | Week 7,"#49ers - -Watch San Francisco 49ers running back Christian McCaffrey's top plays in his first game with the team in Week 7 of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-10-26T17:22:56Z,https://www.youtube.com/watch?v=5W95hlIgi9g -D4IbUDX6wgY,San Francisco 49ers Top Plays vs. Carolina Panthers | 2022 Regular Season Week 5,"Watch the 49ers top highlights vs. the Panthers during the team's Week 5 win in Carolina. -#49ers #SFvsCAR #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-10-09T23:47:39Z,https://www.youtube.com/watch?v=D4IbUDX6wgY -6__NLw9_UuA,San Francisco 49ers Highlights vs. Chicago Bears | 2022 Regular Season Week 1,"Watch the 49ers top plays vs. the Chicago Bears in the team's season opener at Soldier Field. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 -#NFL33 #topplays -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-09-11T21:19:12Z,https://www.youtube.com/watch?v=6__NLw9_UuA -5qjnJwd0QZs,San Francisco 49ers Top Plays vs. Houston Texans | 2022 Preseason Week 3,"#NFL #49ers #SFvsHOU #NFL33 #topplays - -Check out the San Francisco 49ers highlights from their final preseason game against the Houston Texans. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-08-26T03:53:16Z,https://www.youtube.com/watch?v=5qjnJwd0QZs -P0wzVnKg2Qo,San Francisco 49ers Top Plays vs. Minnesota Vikings | 2022 Preseason Week 2,"San Francisco 49ers Highlights vs. Minnesota Vikings | 2022 PreSeason Week 2, 08/20/2022 -#49ers #SFvsMIN #NFL33 #topplays - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-08-21T02:29:01Z,https://www.youtube.com/watch?v=P0wzVnKg2Qo -b9JDLy63n-8,Remembering Hall of Famer Hugh McElhenny | 49ers,"#49ers - -Looking back at Hall of Famer Hugh McElhenny's 49ers career. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-06-23T21:39:38Z,https://www.youtube.com/watch?v=b9JDLy63n-8 -v6rtV3CwCQ4,Frank Gore's Career Highlights in Red and Gold | 49ers,"#49ers #FrankGore #Highlights - -Relive some of the best plays ever made by the 49ers all-time leading rusher. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-06-02T20:00:33Z,https://www.youtube.com/watch?v=v6rtV3CwCQ4 -qRFyHM2G-xA,Elijah Mitchell's Top 10 Plays From the 2021 Season | 49ers,"Watch NFL Network's countdown of the top 10 highlight-reel plays made by 49ers rookie running back Elijah Mitchell during the 2021 season. - -#49ers #ElijahMitchell - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-03-04T17:16:37Z,https://www.youtube.com/watch?v=qRFyHM2G-xA -TfwJEBTMqBw,George Kittle's Top Plays From the 2021 Season | 49ers,"Watch NFL Network's top highlight-reel plays made by 49ers tight end George Kittle during the 2021 season. - -#49ers #GeorgeKittle - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-03-01T21:27:35Z,https://www.youtube.com/watch?v=TfwJEBTMqBw -W4zGzxo7BB0,Jimmy Garoppolo's Top Plays From the 2021 Season | 49ers,"Watch NFL Network's top highlight-reel plays made by 49ers quarterback Jimmy Garoppolo during the 2021 season. - -#49ers #JimmyGaroppolo #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-02-28T16:43:07Z,https://www.youtube.com/watch?v=W4zGzxo7BB0 -QtC5A3m9YW4,Deebo Samuel's Top Plays From the 2021 Season | 49ers,"Relive some of the top plays made by 49ers ""wide back"" Deebo Samuel during the 2021 NFL season. - -#49ers #Deebo - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-02-10T17:23:26Z,https://www.youtube.com/watch?v=QtC5A3m9YW4 -Dh8LlQkPeoU,San Francisco 49ers Highlights vs. Green Bay Packers | 2021 Playoffs Divisional Round,"Watch the best highlights from the 49ers Divisional Round win over the Green Bay Packers. - -#49ers #SFvsGB - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-01-23T04:37:30Z,https://www.youtube.com/watch?v=Dh8LlQkPeoU -01Iv4MqENgs,San Francisco 49ers Highlights vs. Dallas Cowboys | 2021 Playoffs Wild Card,"Watch the 49ers best moments vs. the Dallas Cowboys at AT&T Stadium during Super Wild Card Weekend. - -#49ers #SFvsDAL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-01-17T01:42:45Z,https://www.youtube.com/watch?v=01Iv4MqENgs -0dd3W0dioQI,49ers Top Plays from Week 18 vs. Rams | San Francisco 49ers,"Check out the 49ers best plays from the team's Week 18 overtime win against the Los Angeles Rams. - -#49ers #SFvsLAR - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-01-10T03:24:54Z,https://www.youtube.com/watch?v=0dd3W0dioQI -VkR4sUkzvDo,49ers Top Plays from Week 17 vs. Texans | San Francisco 49ers,"Check out the 49ers best plays from the Week 17 matchup against the Houston Texans. - -#49ers #Highlights #HOUvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-01-03T00:27:44Z,https://www.youtube.com/watch?v=VkR4sUkzvDo -Bu13vKntD6U,49ers Best Defensive Plays vs. Falcons | Week 15,"Relive some of the 49ers defense's best plays from their Week 15 win over the Atlanta Falcons. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-21T20:15:04Z,https://www.youtube.com/watch?v=Bu13vKntD6U -SeU_I2IYrMU,Jeff Wilson Jr. Highlights from Week 15 | San Francisco 49ers,"Check out Jeff Wilson Jr.'s best plays from his 110-yard performance against the Atlanta Falcons. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-20T00:17:10Z,https://www.youtube.com/watch?v=SeU_I2IYrMU -1J_shMXQHPM,49ers Top Plays from Week 15 vs. Falcons | San Francisco 49ers,"Check out the 49ers best plays from their Week 15 win over the Atlanta Falcons. - -#49ers #ATLvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-20T00:10:12Z,https://www.youtube.com/watch?v=1J_shMXQHPM -TfT9m6HiGRI,Keena Turner Breaks Down Pro Bowl Worthy Plays from 2021 | 49ers,"Turner analyzed a few of the best plays from Nick Bosa, Brandon Aiyuk, George Kittle, Jimmie Ward and other 49ers so far this season, presented by Seaport Diagnostics. Vote your favorite 49ers players into the Pro Bowl at nfl.com/pro-bowl/ballot/. - -#49ers #SDXDNAofaPlay #KeenaTurner - -Chapters -0:00 WR Brandon Aiyuk vs. the Arizona Cardinals -1:47 DL Nick Bosa vs. the Seattle Seahawks -3:12 S Jimmie Ward vs. the Los Angeles Rams -4:10 TE George Kittle vs. the Seattle Seahawks -5:30 G Laken Tomlinson vs. the Philadelphia Eagles - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-13T06:39:59Z,https://www.youtube.com/watch?v=TfT9m6HiGRI -NP2IjeTgsTo,Every George Kittle Catch from 151-Yard Game (Week 14) | San Francisco 49ers,"Check out George Kittle's best plays from the 49ers Week 14 win over the Cincinnati Bengals. - -#49ers #GeorgeKittle - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-13T01:24:41Z,https://www.youtube.com/watch?v=NP2IjeTgsTo -ET5m87OdpUc,49ers Top Plays from Week 14 vs. Bengals | San Francisco 49ers,"Check out the 49ers best plays from the Week 14 matchup against the Cincinnati Bengals. - -#49ers #SFvsCIN - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-13T01:18:05Z,https://www.youtube.com/watch?v=ET5m87OdpUc -yG8vJrrEecM,George Kittle Highlights from Week 13 | San Francisco 49ers,"Watch every play from 49ers tight end George Kittle from his 181-yard performance in Seattle. - -#49ers #GeorgeKittle - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-06T01:33:46Z,https://www.youtube.com/watch?v=yG8vJrrEecM -7KssnidD9Ps,49ers Top Plays From Week 13 vs. Seahawks | San Francisco 49ers,"Check out the 49ers best plays from the Week 13 matchup against the Seattle Seahawks. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-06T01:26:50Z,https://www.youtube.com/watch?v=7KssnidD9Ps -oJNkOCBS1mQ,Elijah Mitchell Highlights from Week 12 | San Francisco 49ers,"Check out Elijah Mitchell's best plays from the Week 12 matchup against the Minnesota Vikings. - -#49ers #ElijahMitchell #MINvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-29T01:00:48Z,https://www.youtube.com/watch?v=oJNkOCBS1mQ -wWQJXylbVBo,49ers Top Plays from Week 12 vs. Vikings | San Francisco 49ers,"Check out the 49ers best plays from the Week 12 matchup against the Minnesota Vikings. -#49ers #MINvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-29T00:50:18Z,https://www.youtube.com/watch?v=wWQJXylbVBo -W5oZOMKe8H0,Deebo Samuel Highlights from Week 11 | San Francisco 49ers,"Check out Deebo Samuel's best plays from the Week 11 matchup against the Jacksonville Jaguars. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-21T22:31:25Z,https://www.youtube.com/watch?v=W5oZOMKe8H0 -BDUTG4qO_oA,49ers Top Plays from Week 11 vs. Jaguars | San Francisco 49ers,"Check out the 49ers best plays from the Week 11 matchup against the Jacksonville Jaguars. - -#49ers #SFvsJAX - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-21T21:23:01Z,https://www.youtube.com/watch?v=BDUTG4qO_oA -yrujVYArwb4,49ers Highlights from Week 10 vs. Rams | San Francisco 49ers,"#49ers #LARvsSF - -Check out the 49ers best plays from the team's Week 10 matchup against the Los Angeles Rams. - -Tune in to the 49ers Week 11 matchup against the Jacksonville Jaguars at 10:00 AM PT on FOX and watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-17T21:47:28Z,https://www.youtube.com/watch?v=yrujVYArwb4 -MuOAZcQ_0C4,49ers Best Plays from Week 10 Win Over Rams,"#49ers #LARvsSF #BeatLA - -Watch the San Francisco 49ers top plays vs. the Los Angeles Rams during Week 10 of the NFL 2021 season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-16T05:05:46Z,https://www.youtube.com/watch?v=MuOAZcQ_0C4 -hf-d6PWqFRU,49ers Top Plays from Week 9 vs. Cardinals | San Francisco 49ers,"Check out the 49ers best plays from the Week 9 matchup against the Arizona Cardinals. - -#49ers #AZvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-08T00:50:49Z,https://www.youtube.com/watch?v=hf-d6PWqFRU -hgeFj8YygEo,"Deebo Samuel’s Top Plays This Season, So Far | 49ers","#49ers #Deebo - -Watch Deebo Samuel’s top highlights through the 49ers first seven games of the 2021 season. - -Tune in to the 49ers Week 9 matchup against the Arizona Cardinals at 1:25 PM PT on FOX and watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-02T22:21:56Z,https://www.youtube.com/watch?v=hgeFj8YygEo -yZmjDl4a4_I,Deebo Samuel Highlights from Week 8 | San Francisco 49ers,"Check out Deebo Samuel's best plays from the 49ers Week 8 matchup against the Chicago Bears. - -#49ers #SFvsCHI - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-31T21:39:32Z,https://www.youtube.com/watch?v=yZmjDl4a4_I -bxQo0t1I7ok,49ers Top Plays from Week 8 vs. the Chicago Bears | San Francisco,"Check out the 49ers best plays from the Week 8 matchup against the Chicago Bears. - -#49ers #SFvsCHI - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-31T20:49:17Z,https://www.youtube.com/watch?v=bxQo0t1I7ok -B-uSWjFr5iA,Elijah Mitchell's Top Highlights from Week 7 | San Francisco 49ers,"Check out Elijah Mitchell's best plays from the 49ers Week 7 matchup against the Indianapolis Colts. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-25T04:00:07Z,https://www.youtube.com/watch?v=B-uSWjFr5iA -6qXjdIe10s8,49ers Top Plays from Week 7 vs. Colts | San Francisco 49ers,"Check out the 49ers best plays from the Week 7 matchup against the Indianapolis Colts. -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-25T03:30:56Z,https://www.youtube.com/watch?v=6qXjdIe10s8 -iF7_-v_ndMA,49ers Top Plays from Week 5 vs. Cardinals | San Francisco 49ers,"Check out the 49ers best plays from the team's Week 5 matchup against the Arizona Cardinals. - -#49ers #SFvsARI - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-11T00:24:57Z,https://www.youtube.com/watch?v=iF7_-v_ndMA -0sRwG7LRQq8,Every Deebo Samuel Touch from His 156-Yard Game | San Francisco 49ers,"Watch every play from 49ers wide receiver Deebo Samuel's 156-yard game against the Seattle Seahawks from Week 4 of the 2021 NFL Season. - -#49ers #NFL #Deebo - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-04T01:16:46Z,https://www.youtube.com/watch?v=0sRwG7LRQq8 -pEOJ9JyjRSI,49ers Top Plays from Week 4 vs. Seahawks | San Francisco 49ers,"Check out the 49ers best plays from the team's Week 4 matchup against the Seattle Seahawks. - -#49ers #SEAvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-04T00:43:19Z,https://www.youtube.com/watch?v=pEOJ9JyjRSI -mBKYZxIFrMY,Mitch Wishnowsky Highlights: NFC Special Teams Player of the Month | 49ers,"#49ers #Wishnowsky #Highlights - -Watch San Francisco 49ers punter Mitch Wishnowsky's September highlights to celebrate his first-ever NFC Special Teams Player of the Month. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-30T17:38:20Z,https://www.youtube.com/watch?v=mBKYZxIFrMY -yQNOSmeJeso,49ers Top Plays from Week 3 vs. Packers | San Francisco 49ers,"Check out the 49ers best plays from the Week 3 matchup against the Green Bay Packers. - -#49ers #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-27T16:54:56Z,https://www.youtube.com/watch?v=yQNOSmeJeso -dwjdQaqED7Y,SDX DNA of a Play: Arik Armstead Breaks Down 49ers Goal Line Stand in Philly,"#49ers #DNAofaPlay #SFvsPHI - -Armstead analyzed a few of the key plays that propelled the 49ers to a win over the Philadelphia Eagles, presented by Seaport Diagnostics. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-24T18:28:07Z,https://www.youtube.com/watch?v=dwjdQaqED7Y -0h1ARUNbdPo,Every Deebo Samuel Catch From his 93-Yard Performance vs. Eagles | San Francisco 49ers,"Watch every catch from wide receiver Deebo Samuel's 93-yard outing against the Philadelphia Eagles in Week 2. - -#49ers #SFvsPHI #Deebo - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-19T22:42:10Z,https://www.youtube.com/watch?v=0h1ARUNbdPo -tuzaTxHUhXg,49ers Top Plays from Week 2 vs. Philadelphia Eagles | San Francisco 49ers,"Check out the 49ers best plays from the Week 2 matchup against the Philadelphia Eagles. - -#49ers #SFvsPHI - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-19T21:40:23Z,https://www.youtube.com/watch?v=tuzaTxHUhXg -hz9gT9zODiI,Every Deebo Samuel Catch from Week 1 | San Francisco 49ers,"Check out every Deebo Samuel catch from his 189-yard performance during the 49ers win over the Detroit Lions. - -#49ers #Deebo #SFvsDET - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-13T00:48:07Z,https://www.youtube.com/watch?v=hz9gT9zODiI -5Tsbuw8bqbU,49ers Top Plays from Week 1 vs. Lions | San Francisco 49ers,"Check out the 49ers best plays from the Week 1 matchup against the Detroit Lions. - -#49ers #NFL #SFvsDET - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-12T21:00:27Z,https://www.youtube.com/watch?v=5Tsbuw8bqbU -X1jf7pkcLsk,49ers Top Plays vs. Las Vegas Raiders | Preseason Week 3,"#49ers #Highlights #LVvsSF - -Watch some of the top plays from the 49ers preseason matchup against the Las Vegas Raiders. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-29T23:16:08Z,https://www.youtube.com/watch?v=X1jf7pkcLsk -6x9lKfSL5B0,How Did Trey Lance Fare in Second Preseason Game?,"#49ers #BaldysBreakdowns #NFLNetwork - -NFL Network's Brian Baldinger broke down Trey Lance's performance against the Chargers in Week 2 of the preseason. - -For more highlights and analysis, go to 49ers.com - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-26T20:29:52Z,https://www.youtube.com/watch?v=6x9lKfSL5B0 -LvJtgicO84A,Trey Lance: ‘It Was Super Cool to See Red’ at SoFi Stadium | 49ers,"#49ers #PressPass #SFvsLAC - -Lance highlighted the impact of 49ers Faithful during the team’s matchup at SoFi Stadium and evaluated his performance against the Chargers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-23T06:26:52Z,https://www.youtube.com/watch?v=LvJtgicO84A -2zK5eWkjDfU,49ers Top Plays vs. Chargers | Preseason Week 2 Game Highlights,"#49ers #Highlights #SFvsLAC - -Watch the top plays from the San Francisco 49ers during the team's preseason Week 2 matchup against the Los Angeles Chargers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-23T03:29:38Z,https://www.youtube.com/watch?v=2zK5eWkjDfU -H5-IVaXfqwg,49ers Best Plays vs. Chargers at Joint Practice | 49ers,"#49ers #49ersCamp #Highlights - -Check out highlights from the San Francisco 49ers two joint practices with the Los Angeles Chargers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-20T21:25:01Z,https://www.youtube.com/watch?v=H5-IVaXfqwg -glc5f6pLHx8,Breaking Down Trey Lance's NFL Debut | Baldy Breakdowns,"Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -Para más contenido de la NFL en Español, suscríbete a https://www.youtube.com/nflenespanol -NFL Fantasy Football https://www.youtube.com/nflfantasyfootball -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Football #AmericanFootball",2021-08-19T04:21:02Z,https://www.youtube.com/watch?v=glc5f6pLHx8 -wDfTalbbhhg,Top 49ers Plays from Preseason Week 1 vs. Chiefs | San Francisco 49ers,"Check out the 49ers best plays from their Preseason Week 1 matchup against the Kansas City Chiefs. - -#SanFrancisco49ers #49ers #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-15T06:15:44Z,https://www.youtube.com/watch?v=wDfTalbbhhg -mdp8xlfdHik,Highlights from Padded Practices at #49ersCamp,"#49ers #49ersCamp #Highlights - -Watch some of the top highlights from the second block of 49ers training camp, including the best plays from the team's Open Practice at Levi's® Stadium. - -Watch more highlights, interviews and 49ers training camp updates on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-08T17:45:09Z,https://www.youtube.com/watch?v=mdp8xlfdHik -YoFjjj-r8Cs,Top Plays from the 49ers First Block of Training Camp Practices,"#49ers #TrainingCamp #Highlights - -Check out some of the highlights from the 49ers first five days of training camp practices at the SAP Performance Facility. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-03T01:49:20Z,https://www.youtube.com/watch?v=YoFjjj-r8Cs -81EVNxQkwQ0,Best Catches from the First Four Days of #49ersCamp,"#49ers #49ersCamp #Highlights - -Check out some of the top catches from George Kittle, Brandon Aiyuk, Deebo Samuel and Mohamed Sanu Sr. during the first week of 49ers training camp, presented by SAP. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-01T01:06:50Z,https://www.youtube.com/watch?v=81EVNxQkwQ0 -MeeBOtGrEmM,Jerry Rice's Top 50 Plays | 49ers,"#49ers #JerryRice #Top50 - -From one-handed grabs to Super Bowl touchdowns, watch the 50 greatest plays of Jerry Rice's legendary career. - -Watch more on 49ers.com - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-06-10T23:11:31Z,https://www.youtube.com/watch?v=MeeBOtGrEmM -9b34FakB1xI,Joe Montana's Top 50 Plays | 49ers,"#49ers #JoeMontana #Top50 - -Watch the 50 greatest plays from Joe Montana's Hall of Fame career. - -Watch more highlights on 49ers.com - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-06-10T23:05:09Z,https://www.youtube.com/watch?v=9b34FakB1xI -9alnd7r5Rzk,Best Plays from Javon Kinlaw's Rookie Season | 49ers,"#49ers #JavonKinlaw - -Watch the highlights of 49ers first-round defensive end Javon Kinlaw from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T20:43:56Z,https://www.youtube.com/watch?v=9alnd7r5Rzk -pPoEP-1VqvQ,Jerry Rice: The Greatest WR Super Bowl Performer of ALL-TIME | Legends of the Playoffs,"Hall of fame wide receiver Jerry Rice reveals the surprising details of each of his Super Bowl touchdowns as he analyzes his amazing Super Bowl career. - -The NFL Throwback is your home for all things NFL history. - -Check out our other channels: -NFL Films - YouTube.com/NFLFilms -NFL Network- YouTube.com/NFLNetwork -NFL Rush - YouTube.com/NFLRush -NFL - YouTube.com/NFL - -#NFL #NFLThrowback #NFLHistory #Football #AmericanFootball #NFLVault",2021-02-02T22:05:52Z,https://www.youtube.com/watch?v=pPoEP-1VqvQ -mNBgjFUh2uY,Brandon Aiyuk's Top Plays from the 2020 Season | 49ers,"#49ers #BrandonAiyuk - -Watch the best plays of San Francisco's rookie wide receiver Brandon Aiyuk from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T21:01:34Z,https://www.youtube.com/watch?v=mNBgjFUh2uY -9PfI-Sxty6k,Top Plays of Fred Warner's All-Pro Season | 49ers,"#49ers #FredWarner #AllProFred - -Watch the highlights of San Francisco's All-Pro, Pro Bowl linebacker Fred Warner from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T20:53:38Z,https://www.youtube.com/watch?v=9PfI-Sxty6k -3RsfhZ5fm6Q,Best Offensive Plays from the 49ers 2020 Season,"#49ers #Offense #Highlights - -Watch the best plays by the San Francisco 49ers from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T20:50:10Z,https://www.youtube.com/watch?v=3RsfhZ5fm6Q -hceAK2ZQG7Y,49ers Best Defensive Plays of 2020,"#49ers #Defense #Highlights - -Take a look back at some of the top plays on defense by the 49ers from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T20:56:41Z,https://www.youtube.com/watch?v=hceAK2ZQG7Y -2lw3tmLfOcs,Raheem Mostert Relives Record-Setting 2019 NFC Championship | Legends of the Playoffs,"Check out Raheem Mostert breaking down his record-setting performance in the 2019 NFC Championship game leading the San Francisco 49ers to the Super Bowl. - -The NFL Throwback is your home for all things NFL history. - -Check out our other channels: -NFL Films - YouTube.com/NFLFilms -NFL Network- YouTube.com/NFLNetwork -NFL Rush - YouTube.com/NFLRush -NFL - YouTube.com/NFL - -#NFL #NFLThrowback #NFLHistory #Football #AmericanFootball #NFLVault",2021-01-26T18:11:30Z,https://www.youtube.com/watch?v=2lw3tmLfOcs -6x4zGqDw7A8,49ers Top 5 Storylines From Week 12,"Check out the these highlights of Deebo Samuel, Richard Sherman, Javon Kinlaw and other 49ers from the team's victory over the Rams. - -Tune in to the 49ers Week 13 matchup against the Buffalo Bills on Monday Night Football - -#49ers #SFvsLAR - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-12-01T19:59:40Z,https://www.youtube.com/watch?v=6x4zGqDw7A8 -r0pcyL9-NAw,NFL Throwback: 49ers Top 5 Plays vs. Saints,"Check out some of the San Francisco 49ers greatest plays against the New Orleans Saints. - -Watch #SFvsNO on Sunday, November 15 at 1:25 pm PT on FOX. - -#49ers #Highlights #Top5 - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-11-12T00:50:40Z,https://www.youtube.com/watch?v=r0pcyL9-NAw -5_nXPsKonUE,49ers Defense Holds the Seahawks for Four Downs in the Red Zone,"Relive the moment the 49ers defense stopped Russell Wilson and Co. in Week 17 of the 2019 season, culminating in Dre Greenlaw's game-winning stop against Jacob Hollister on the goal line to win the NFC West. - -Watch the 49ers Week 8 Matchup against the Seattle Seahawks at 1:25 pm PT on FOX. - -#49ers #SFvsSEA #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-10-22T16:36:53Z,https://www.youtube.com/watch?v=5_nXPsKonUE -ch_QddtfHgo,Baldy's Breakdowns: Jason Verrett and Emmanuel Moseley Shine on Primetime | 49ers,"NFL analyst Brian Baldinger broke down the dominant performances of Jason Verrett and Emmanuel Moseley in the 49ers Week 6 win over the Rams. - -#49ers #BaldysBreakdowns #LARvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-10-20T23:57:37Z,https://www.youtube.com/watch?v=ch_QddtfHgo -x4pYLMnzp34,Brandon Aiyuk's Top Plays So Far | 49ers,"Watch the best plays from 49ers rookie wide receiver Brandon Aiyuk from the month of September. - -Watch #MIAvsSF on Sunday, October 11 at 1:05 pm PT on FOX - -#49ers #Aiyuk #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-10-06T01:55:44Z,https://www.youtube.com/watch?v=x4pYLMnzp34 -PzfR486q2bU,49ers Top Highlights From the First Three Weeks of Football,"Watch the best plays from the San Francisco 49ers in the month of September. - -Watch #MIAvsSF on Sunday, October 11 at 1:05 pm PT on FOX - -#49ers #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-10-06T01:53:30Z,https://www.youtube.com/watch?v=PzfR486q2bU -QnD0K4lpTk0,Best Plays Throughout the 49ers 2020 Training Camp,"Check out some of the top touchdowns, interceptions and more from the 49ers 2020 training camp at the SAP Performance Facility. - -#49ers #49ersCamp #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-09-03T18:36:15Z,https://www.youtube.com/watch?v=QnD0K4lpTk0 -iqYWQ-s7Zrk,George Kittle's Top 10 Touchdowns | 49ers,"Relive George Kittle's top 10 touchdown receptions from the start of this 49ers career. - -#49ers #GeorgeKittle #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-07-23T16:00:58Z,https://www.youtube.com/watch?v=iqYWQ-s7Zrk -bvOAO5DvD5M,George Kittle's Top 10 Plays | 49ers,"Check out this countdown of George Kittle's best plays, so far. - -#49ers #GeorgeKittle #ThePeoplesTightEnd - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-08-07T21:42:45Z,https://www.youtube.com/watch?v=bvOAO5DvD5M -BKL7gd4lReM,49ers vs. LA Rams Week 6 Highlights,"The 49ers defense was lights out in LA en route to the team’s fifth-straight victory! - -Watch more condensed games on NFL Game Pass. - -Watch more 49ers full games at https://www.youtube.com/playlist?list=PLBB205pkCsyvsxjE7W3KWNcT3JwRVY3ny - -#49ers #Rams #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-06-21T17:41:34Z,https://www.youtube.com/watch?v=BKL7gd4lReM -H0CBhpb1raM,Browns vs 49ers 2019 Highlights,"Relive Nick Bosa’s breakout performance during the 49ers dominant 31-3 victory over the Browns on ""Monday Night Football"". Watch full condensed games on NFL Game Pass. - -#49ers #Bosa #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-05-22T04:41:22Z,https://www.youtube.com/watch?v=H0CBhpb1raM -ErvZ0JQZQpU,Joe Staley's Career Highlights | 49ers,"Watch Joe Staley's best highlights from his tenure with the San Francisco 49ers. - -#49ers #Staley #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-04-25T20:40:09Z,https://www.youtube.com/watch?v=ErvZ0JQZQpU -eaV9vn-EZnk,49ers Best Passing Touchdowns | 2019 Season,"Relive the best 49ers touchdown passes of the 2019 season. - -#49ers #Touchdown #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:56:52Z,https://www.youtube.com/watch?v=eaV9vn-EZnk -hQQNPt84qEo,DeForest Buckner's Best Plays | 2019 Season | 49ers,"Watch DeForest Buckner's top sacks, tackles, forced fumbles and fumble recoveries from the 2019 season. - -#49ers #Buckner #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T22:14:14Z,https://www.youtube.com/watch?v=hQQNPt84qEo -jj8ty5kKo94,Fred Warner's Best Plays | 2019 Season | 49ers,"Watch the best plays from Fred Warner's sophomore season in San Francisco. - -#49ers #Fred Warner #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:40:39Z,https://www.youtube.com/watch?v=jj8ty5kKo94 -TrewqME6Mhk,Kendrick Bourne's Best Catches | 2019 Season | 49ers,"Check out Kendrick Bourne's best plays, touchdowns and celebrations from the 2019 season. - -#49ers #KendrickBourne #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:26:43Z,https://www.youtube.com/watch?v=TrewqME6Mhk -B7nGWxc7a2g,49ers Best Rushing Touchdowns | 2019 Season,"Check out the best rushing touchdown plays from the 49ers offense during the 2019 season. - -#49ers #Touchdown #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T20:59:57Z,https://www.youtube.com/watch?v=B7nGWxc7a2g -5u9wXsG1SIU,Tevin Coleman's Best Plays | 2019 Season | 49ers,"49ers running back Tevin Coleman's best plays from the 2019 season. - -#49ers #TevinColeman #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:11:05Z,https://www.youtube.com/watch?v=5u9wXsG1SIU -Pf5tUzN3syg,Emmanuel Sander's Best Plays | 2019 Season | 49ers,"49ers wide receiver Emmanuel Sanders' best plays from the 2019 season. - -#49ers #EmmanuelSanders #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:07:26Z,https://www.youtube.com/watch?v=Pf5tUzN3syg -xJ2CdvhNLd4,49ers Top Defensive Takeaways | 2019 Season,"Check out the defense's best interceptions and fumble recoveries from the 2019 season. - -#49ers #Interception #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T19:30:51Z,https://www.youtube.com/watch?v=xJ2CdvhNLd4 -X-ktlFyNcX4,49ers Top Highlights | 2019 Season,"See some of the 49ers top highlights from the 2019 NFL season. - -#49ers #Highlights #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T19:24:25Z,https://www.youtube.com/watch?v=X-ktlFyNcX4 -6otVZxw1YGA,Nick Bosa's Best Plays | 2019 Season | 49ers,"See some of Nick Bosa's top highlights from the 2019 NFL season. - -#49ers #highlights #NickBosa - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-11T01:20:32Z,https://www.youtube.com/watch?v=6otVZxw1YGA -PkwLNNsx3Ng,49ers Top 10 Plays | 2019 season,"See a countdown of the top 10 San Francisco 49ers highlights from the 2019 NFL regular season. - -#49ers #Highlights #GeorgeKittle - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-05T17:35:23Z,https://www.youtube.com/watch?v=PkwLNNsx3Ng -s9PIssEGnPo,49ers Defense DOMINATES Vikings w/ 6 Sacks! | NFL 2019 Highlights,"The 49ers defense showed up big, taking Kirk Cousins down 6 times along with an interception by Richard Sherman. The Minnesota Vikings take on the San Francisco 49ers during the Divisional Round of the 2019 NFL postseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Vikings #49ers",2020-01-12T19:47:05Z,https://www.youtube.com/watch?v=s9PIssEGnPo -nMJVlo2h104,Vikings vs. 49ers Divisional Round Highlights | NFL 2019 Playoffs,"The Minnesota Vikings take on the San Francisco 49ers during the Divisional Round of the 2019 NFL postseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Vikings #49ers",2020-01-12T19:46:51Z,https://www.youtube.com/watch?v=nMJVlo2h104 -TTEdSfnQKiI,Tevin Coleman Has Himself a Day w/ 105 Yds & 2 TDs | NFL 2019 Highlights,"Tevin Coleman could not be stopped as he rushed on the day for 105 yards and 2 touchdowns. The Minnesota Vikings take on the San Francisco 49ers during the Divisional Round of the 2019 NFL postseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #TevinColeman #49ers",2020-01-12T19:46:58Z,https://www.youtube.com/watch?v=TTEdSfnQKiI -PgW5i-MioVk,Jimmy Garoppolo’s Best Plays from 2019,"Watch the best plays from Jimmy Garoppolo in the 2019 regular season. Tune in for the 49ers Divisional Game on NBC on 1/11. - -#49ers #JimmyGaroppolo #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-01-01T20:03:22Z,https://www.youtube.com/watch?v=PgW5i-MioVk -djbGLTRr0Gs,Top Plays from George Kittle’s 2019 Season,"Watch the best plays from George Kittle in the 2019 season. Tune in for the 49ers Divisional Game on NBC on 1/11. - -#49ers #GeorgeKittle #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-01-01T19:56:41Z,https://www.youtube.com/watch?v=djbGLTRr0Gs -xWK54tYbA9Q,49ers Best Defensive Plays of 2019,"Watch the best defensive plays from the San Francisco 49ers during the 2019 regular season. Tune in for the 49ers Divisional Game on NBC on 1/11. - -#49ers #Defense #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-01-01T20:14:24Z,https://www.youtube.com/watch?v=xWK54tYbA9Q -l1Ai-5yZnqU,49ers Best Offensive Plays of 2019,"Watch the best plays from Jimmy Garoppolo and Co. during the 2019 regular season. Tune in for the 49ers Divisional Game on NBC on 1/11. - -#49ers #Highlights #Touchdown - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-01-01T20:08:45Z,https://www.youtube.com/watch?v=l1Ai-5yZnqU -Bru8AddADvo,49ers vs. Seahawks Week 17 Highlights | NFL 2019,"The San Francisco 49ers take on the Seattle Seahawks during Week 17 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Seahawks",2019-12-30T07:14:41Z,https://www.youtube.com/watch?v=Bru8AddADvo -i01R1fA6gos,49ers vs. Saints Week 14 Highlights | NFL 2019,"The San Francisco 49ers take on the New Orleans Saints during Week 14 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Saints",2019-12-09T00:26:05Z,https://www.youtube.com/watch?v=i01R1fA6gos -VNvzPiatHiA,49ers at Ravens Highlights,"View the 49ers best plays from the team's Week 13 matchup against the Baltimore Ravens. - -#49ers #SFvsBAL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-12-02T23:48:33Z,https://www.youtube.com/watch?v=VNvzPiatHiA -9Cx7a_riY7g,49ers Defense Feasts on Aaron Rodgers | NFL 2019 Highlights,"The 49ers defense dominated in primetime with 5 sacks on the night. The Green Bay Packers take on the San Francisco 49ers during Week 12 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Defense",2019-11-25T08:22:57Z,https://www.youtube.com/watch?v=9Cx7a_riY7g -UEFXe5PFop4,George Kittle Puts on a Show vs. Packers w/ 129 Yds & 1 TD | NFL 2019 Highlights,"George Kittle makes his returns with 129 yards and 1 touchdown on the night. The Green Bay Packers take on the San Francisco 49ers during Week 12 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #GeorgeKittle #49ers",2019-11-25T08:22:52Z,https://www.youtube.com/watch?v=UEFXe5PFop4 -rF9PJp1q_AQ,Jimmy G Shines in Primetime vs. Packers | NFL 2019 Highlights,"Jimmy Garoppolo helped lead the 49ers to victory with 253 yards and two touchdowns. The Green Bay Packers take on the San Francisco 49ers during Week 12 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyG #49ers",2019-11-25T08:22:47Z,https://www.youtube.com/watch?v=rF9PJp1q_AQ -ZJMyUgvrx2k,Packers vs. 49ers Week 12 Highlights | NFL 2019,"The Green Bay Packers take on the San Francisco 49ers during Week 12 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Packers #49ers",2019-11-25T08:22:39Z,https://www.youtube.com/watch?v=ZJMyUgvrx2k -0gqxZzgLlWE,Cardinals vs. 49ers Week 11 Highlights | NFL 2019,"The Arizona Cardinals take on the San Francisco 49ers during Week 11 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Cardinals #49ers",2019-11-18T05:03:56Z,https://www.youtube.com/watch?v=0gqxZzgLlWE -MUIrIrd523Y,Jimmy G Had Himself a Day w/ 424 Passing YDs & 4 TDs | NFL 2019 Highlights,"Jimmy G played to win with 4 TDs and 424 passing yards. The Arizona Cardinals take on the San Francisco 49ers during Week 11 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyG #49ers",2019-11-18T05:03:28Z,https://www.youtube.com/watch?v=MUIrIrd523Y -Nucd5grgLAE,Jimmy Garoppolo Flies High w/ 4 TDs! | NFL 2019 Highlights,"Jimmy G threw for 317 yards and 4 touchdowns to give the 49ers the edge. The San Francisco 49ers take on the Arizona Cardinals during Week 9 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyGaroppolo #49ers",2019-11-01T04:24:59Z,https://www.youtube.com/watch?v=Nucd5grgLAE -qAkM3Vyt8WY,49ers vs. Cardinals Week 9 Highlights | NFL 2019,"The San Francisco 49ers take on the Arizona Cardinals during Week 9 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Cardinals",2019-11-01T04:24:53Z,https://www.youtube.com/watch?v=qAkM3Vyt8WY -hOjCOX71pj4,49ers Smoke Panthers w/ 7 Sacks & 3 INTs | NFL 2019 Highlights,"The 49ers Defense were relentless and kept the pressure on the whole game. The Carolina Panthers take on the San Francisco 49ers during Week 8 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ersDefense #49ers",2019-10-28T00:52:14Z,https://www.youtube.com/watch?v=hOjCOX71pj4 -9qh98Vk4OC8,Panthers vs. 49ers Week 8 Highlights | NFL 2019,"The Carolina Panthers take on the San Francisco 49ers during Week 8 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Panthers #49ers",2019-10-28T00:51:45Z,https://www.youtube.com/watch?v=9qh98Vk4OC8 -AZa4NscgwsE,49ers Defense SHUTS OUT Washington | NFL 2019 Highlights,"49ers held the Redskins to a goose egg today and put three sacks on the board. The San Francisco 49ers take on the Washington Redskins during Week 7 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Redskins",2019-10-20T22:50:25Z,https://www.youtube.com/watch?v=AZa4NscgwsE -Ay_42hl38qA,49ers vs. Redskins Week 7 Highlights | NFL 2019,"The San Francisco 49ers take on the Washington Redskins during Week 7 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Redskins",2019-10-20T22:50:36Z,https://www.youtube.com/watch?v=Ay_42hl38qA -F7LX1MuQdqQ,Robert Saleh is the Hype Man We All Need | 49ers,"Watch Robert Saleh's reactions on the sideline as the 49ers beat the defending NFC Champion Los Angeles Rams in Week 6 to start the 2019 season 5-0. - -#49ers #RobertSaleh #Celebration - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-10-14T17:55:23Z,https://www.youtube.com/watch?v=F7LX1MuQdqQ -uWcBVGwk8i4,49ers Defense Dominates vs. Rams | NFL 2019 Highlights,"49ers defense had 4 sacks against the Rams. The San Francisco 49ers take on the Los Angeles Rams during Week 6 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Rams",2019-10-14T02:23:52Z,https://www.youtube.com/watch?v=uWcBVGwk8i4 -i3OcQg4T9Wk,Jimmy Garoppolo Keeps the 49ers Undefeated! | 2019 NFL Highlights,"Jimmy Garoppolo and the 49ers defeat the Rams to move to 5-0! The San Francisco 49ers take on the Los Angeles Rams during Week 6 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyGaroppolo #49ers",2019-10-14T02:23:57Z,https://www.youtube.com/watch?v=i3OcQg4T9Wk -9heYbDdzMIY,49ers vs. Rams Week 6 Highlights | NFL 2019,"The San Francisco 49ers take on the Los Angeles Rams during Week 6 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Rams",2019-10-14T00:07:18Z,https://www.youtube.com/watch?v=9heYbDdzMIY --HIneUUVhx8,Nick Bosa Named NFC Defensive Player of the Week | 49ers,"View the best moments from Bosa's standout Week 5 performance in the 49ers 31-3 victory over the Browns. - -#49ers #NickBosa #MondayNightFootball - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-10-09T05:02:47Z,https://www.youtube.com/watch?v=-HIneUUVhx8 -VbjBUMke8Ik,Breida & Coleman Combine for 211 Rushing Yards! | NFL 2019 Highlights,"Matt Breida and Tevin Coleman combine for 211 rushing yards and three touchdowns. The Cleveland Browns take on the San Francisco 49ers during Week 5 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #TevinColeman #MattBreida",2019-10-08T07:19:46Z,https://www.youtube.com/watch?v=VbjBUMke8Ik -u1smaezh-KE,Browns vs. 49ers Week 5 Highlights | NFL 2019,"The Cleveland Browns take on the San Francisco 49ers during Week 5 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Browns #49ers",2019-10-08T07:19:57Z,https://www.youtube.com/watch?v=u1smaezh-KE -NekSsqXTQk0,Top Plays of the Season So Far… | 49ers,"#49ers #JimmyGaroppolo #RichardSherman - -Relive the team’s 3-0 start with highlight plays from Jimmy Garoppolo, George Kittle, Richard Sherman and other members of the San Francisco 49ers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-10-01T19:28:09Z,https://www.youtube.com/watch?v=NekSsqXTQk0 -XKoFLlv0xes,Jimmy Garoppolo Week 3 Highlights vs. Steelers | NFL 2019,"Jimmy Garoppolo orchestrates a game-winning drive to get the 49ers the W! The Pittsburgh Steelers take on the San Francisco 49ers during Week 3 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyGaroppolo #49ers",2019-09-23T01:21:34Z,https://www.youtube.com/watch?v=XKoFLlv0xes -VMqmQZ1hB18,Steelers vs. 49ers Week 3 Highlights | NFL 2019,"The Pittsburgh Steelers take on the San Francisco 49ers during Week 3 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Steelers #49ers",2019-09-23T01:21:22Z,https://www.youtube.com/watch?v=VMqmQZ1hB18 -nXD7B_hwUBI,Baldy’s Breakdowns: 49ers Offensive Explosion | 49ers,"#49ers #JimmyGaroppolo #BaldyBreakdown - -Brian Baldinger analyzed the 49ers offense explosive plays from the team’s 41-17 victory over the Cincinnati Bengals. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-09-18T17:33:15Z,https://www.youtube.com/watch?v=nXD7B_hwUBI -J7kwck08IU8,Matt Breida Breaks Away for 121 Rushing Yds in Week 2 | NFL 2019 Highlights,"Matt Breida ran past the Bengals defense for a big rushing day. The San Francisco 49ers take on the Cincinnati Bengals during Week 2 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #MattBreida #49ers",2019-09-16T21:16:51Z,https://www.youtube.com/watch?v=J7kwck08IU8 -9SJFFg--7Zc,Jimmy Garoppolo's Dominates w/ 3 TDs | NFL 2019 Highlights,"Jimmy Garoppolo's has a strong game with 297 yards and 3 touchdowns. The San Francisco 49ers take on the Cincinnati Bengals during Week 2 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyGaroppolo #49ers",2019-09-16T21:16:30Z,https://www.youtube.com/watch?v=9SJFFg--7Zc -aPesLnFhHvM,49ers vs. Bengals Week 2 Highlights | NFL 2019,"The San Francisco 49ers take on the Cincinnati Bengals during Week 2 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Bengals",2019-09-15T20:49:38Z,https://www.youtube.com/watch?v=aPesLnFhHvM -uuLY_HeJTxo,49ers vs. Buccaneers Week 1 Highlights | NFL 2019,"The San Francisco 49ers take on the Tampa Bay Buccaneers during Week 1 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Bucs",2019-09-09T00:11:41Z,https://www.youtube.com/watch?v=uuLY_HeJTxo -jeVwrJuqJ2I,Chargers vs. 49ers Preseason Week 4 Highlights | NFL 2019,"The Los Angeles Chargers take on the San Francisco 49ers during Week 4 of the 2019 NFL preseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Chargers #49ers",2019-08-30T05:37:00Z,https://www.youtube.com/watch?v=jeVwrJuqJ2I -feUG2AKhcY4,49ers vs. Chiefs Preseason Week 3 Highlights | NFL 2019,"The San Francisco 49ers take on the Kansas City Chiefs during Week 3 of the 2019 NFL preseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Chiefs",2019-08-25T04:29:25Z,https://www.youtube.com/watch?v=feUG2AKhcY4 -dVfAjne_KyI,49ers vs. Broncos Preseason Week 2 Highlights | NFL 2019,"The San Francisco 49ers take on the Denver Broncos during Week 2 of the 2019 NFL preseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Broncos",2019-08-20T04:14:09Z,https://www.youtube.com/watch?v=dVfAjne_KyI -1GSB0B5BMic,Cowboys vs. 49ers Preseason Week 1 Highlights | NFL 2019,"The Dallas Cowboys take on the San Francisco 49ers during Week 1 of the 2019 NFL preseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush - -#NFL #Cowboys #49ers",2019-08-11T05:17:09Z,https://www.youtube.com/watch?v=1GSB0B5BMic -XISsuWXfusU,Top Highlights from the First Week of #49ersCamp | San Francisco 49ers,"Take a look at the top highlights from the first week of #49ersCamp including moments from Jimmy Garoppolo, George Kittle and Nick Bosa. - -#49ers #SanFrancisco49ers #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-09-13T23:22:24Z,https://www.youtube.com/watch?v=XISsuWXfusU -5dhoxhaCDpM,Top Plays from San Francisco 49ers Training Camp So Far.... | San Francisco 49ers,"View the top plays from Jimmy Garoppolo, Dee Ford and other members of the 49ers during the first four days of training camp presented by SAP. - -#49ers #SanFrancisco49ers #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-09-13T23:16:31Z,https://www.youtube.com/watch?v=5dhoxhaCDpM -fGBNiWkKo4U,"Practice Highlights: 49ers Prepare for ""Dress Rehearsal"" Preseason Matchup with Colts","View the top moments from Jimmy Garoppolo, Reuben Foster and Marquise Goodwin during Wednesday's practice.",2019-09-13T22:54:19Z,https://www.youtube.com/watch?v=fGBNiWkKo4U -KyhNdTicm_0,Camp Highlights: The Top Plays from the 49ers vs. Texans Second Joint Practice,"View the top moments during the second of two joint practices against the Houston Texans from Jimmy Garoppolo, Ahkello Witherspoon and Greg Mabin.",2019-09-13T23:27:20Z,https://www.youtube.com/watch?v=KyhNdTicm_0 -ogqGyzLjqu4,Camp Highlights: The Top Plays from the 49ers vs. Texans Joint Practice,"View the top moments during the first of two joint practices against the Houston Texans from Jimmy Garoppolo, Tarvarius Moore and Pierre Garçon.",2019-09-13T23:28:23Z,https://www.youtube.com/watch?v=ogqGyzLjqu4 -hfH5Wq3pyBY,Camp Highlights: The Top Plays from the 49ers 13th Training Camp Practice,"View the top moments during Monday's practice from Jimmy Garoppolo, Richard Sherman and Trent Taylor.",2019-09-13T23:28:05Z,https://www.youtube.com/watch?v=hfH5Wq3pyBY -zV-ic05w49g,Camp Highlights: The Top Plays from the 49ers 12th Training Camp Practice,"View the top moments during Sunday's practice from Jimmy Garoppolo, Jimmie Ward and Cole Hikutini.",2019-09-13T23:28:01Z,https://www.youtube.com/watch?v=zV-ic05w49g -xEK6pby5-5M,Camp Highlights: The Top Plays from the 49ers Eleventh Training Camp Practice,"View the top moments during Tuesday's practice from Jimmy Garoppolo, Aldrick Robinson and Jerick McKinnon.",2019-09-13T23:27:53Z,https://www.youtube.com/watch?v=xEK6pby5-5M -a-41mw1q4L4,Camp Highlights: The Top Plays from the 49ers Tenth Training Camp Practice,"View the top moments during Monday's practice from Jimmy Garoppolo, Pierre Garçon and Marquise Goodwin.",2019-09-13T23:27:07Z,https://www.youtube.com/watch?v=a-41mw1q4L4 -c73pnVETK54,Camp Highlights: The Top Plays from the 49ers Ninth Training Camp Practice,"View the top moments during Sunday's practice from Jimmy Garoppolo, Tarvarus McFadden and Dante Pettis.",2019-09-13T23:28:08Z,https://www.youtube.com/watch?v=c73pnVETK54 -0d0NBcZ85IQ,Camp Highlight: Garoppolo and Kittle Take Over Friday's Practice,Jimmy Garoppolo and George Kittle connected for several big games during Friday’s practice.,2019-09-13T23:23:59Z,https://www.youtube.com/watch?v=0d0NBcZ85IQ --Juq7_MZvA4,Camp Highlights: The Top Plays from the 49ers Eighth Training Camp Practice,"View the top moments during Friday's practice from Jimmy Garoppolo, Greg Mabin and Pierre Garçon.",2019-09-13T23:27:40Z,https://www.youtube.com/watch?v=-Juq7_MZvA4 -Wu-VKR-69U4,Camp Highlights: The Jimmy Garoppolo to Marquise Goodwin Connection,Garoppolo and Goodwin put on a clinic on Thursday. Take a look at the duo's top plays from 1-on-1s and team drills.,2019-09-13T23:27:25Z,https://www.youtube.com/watch?v=Wu-VKR-69U4 -GQqG1532-6U,Camp Highlights: The Top Plays from the 49ers Seventh Training Camp Practice,"View the top moments during Thursday's practice from Jimmy Garoppolo, Marquise Goodwin and Adrian Colbert",2019-09-13T23:28:12Z,https://www.youtube.com/watch?v=GQqG1532-6U -1855xRGhslI,Camp Highlights: The Top Plays from the 49ers Sixth Training Camp Practice,"View the top moments during Wednesday's practice from Jimmy Garoppolo, Dante Pettis and Tarvarus McFadden.",2019-09-13T23:27:12Z,https://www.youtube.com/watch?v=1855xRGhslI -Nw6fcvfUORI,Camp Highlight: Najee Toran 'Jumps On It' to Pump up the Faithful,The undrafted rookie showed off his dance moves to start practice as the day’s nominated “Rookie Hype Machine.”,2019-09-13T23:19:47Z,https://www.youtube.com/watch?v=Nw6fcvfUORI -8lrWb5ae084,Camp Highlight: Best of Rookie WR Dante Pettis on Day 5,Pettis shook off defenders and made big plays throughout the 49ers fifth training camp practice.,2019-09-13T23:22:27Z,https://www.youtube.com/watch?v=8lrWb5ae084 -GcJmkoGYOx4,Camp Highlight: Jimmy Garoppolo Shows off His Accuracy,"Garoppolo put on a clinic during the team’s fifth practice, connecting with Jerick McKinnon, Richie James and others.",2019-09-13T23:22:21Z,https://www.youtube.com/watch?v=GcJmkoGYOx4 -QNoy1tmyQbo,Camp Highlights: The Top Plays from the 49ers Fifth Training Camp Practice,"View the top moments during Tuesday's practice from Jimmy Garoppolo, Richard Sherman and C.J. Beathard.",2019-09-13T23:27:37Z,https://www.youtube.com/watch?v=QNoy1tmyQbo -yhuJ6gkQdZY,Camp Highlights: The Top Plays from the 49ers Fourth Training Camp Practice,"View the top moments during Sunday's practice from Jimmy Garoppolo, Marquise Goodwin, Dante Pettis and D.J. Reed Jr.",2019-09-13T23:27:04Z,https://www.youtube.com/watch?v=yhuJ6gkQdZY -0oEGEVeg9TU,Camp Highlight: The Top Plays from the 49ers First Padded Practice,Check out some of the best highlights from the team's first practice in full pads.,2019-09-13T23:19:05Z,https://www.youtube.com/watch?v=0oEGEVeg9TU -L8rlxg5otv0,Camp Highlight: Coleman Shelton Shows Off Athleticism During His 'Rookie Hype Machine' Moment,"The undrafted rookie pumped the crowd up to start practice as the day's nominated ""Rookie Hype Machine.""",2019-09-13T23:24:16Z,https://www.youtube.com/watch?v=L8rlxg5otv0 -Mtxmp-XtkHk,Camp Highlight: Beathard Finds Bourne Open Downfield,C.J. Beathard connected with Kendrick Bourne for a big play down the field during the team portion of practice.,2019-09-13T23:27:00Z,https://www.youtube.com/watch?v=Mtxmp-XtkHk -jl9koMl7eMw,Camp Highlight: Mike McGlinchey Starts the 'Rookie Hype Machine',The rookie pumped the crowd up to start practice as the day's nominated “Rookie Hype Machine.”,2019-09-13T23:25:23Z,https://www.youtube.com/watch?v=jl9koMl7eMw -YU65fLy3TL4,Camp Highlight: Antone Exum Jr.’s Tip-drill INT,Exum Jr. deflected the pass to himself and took it the other way for a big turnover.,2019-09-13T23:22:51Z,https://www.youtube.com/watch?v=YU65fLy3TL4 -p_HeZ5-UkQ8,Camp Highlight: George Kittle is Off to the Races after Catch from C.J. Beathard,The second-year tight end took off down the sideline after hauling in a pass from Beathard.,2019-09-13T23:25:06Z,https://www.youtube.com/watch?v=p_HeZ5-UkQ8 -j4S8WDeZ1Qg,Camp Highlight: Beathard and James Jr. End Day With a Long Touchdown,Richie James Jr. tracked down a deep ball from C.J. Beathard on one of the final plays in practice.,2019-09-13T23:25:18Z,https://www.youtube.com/watch?v=j4S8WDeZ1Qg -e02TG66il-0,Camp Highlight: Brock Coyle with an Impressive Pass Break up,The 49ers linebacker knocked a pass out of George Kittle's hands to take a big play away from the offense.,2019-09-13T23:21:59Z,https://www.youtube.com/watch?v=e02TG66il-0 -Tx1qiojV5bg,Practice Highlight: Jaquiski Tartt's Tip-drill Interception,The 49ers safety was in the right place at the right time to intercept the pass off of the Reuben Foster tip.,2019-09-13T23:19:13Z,https://www.youtube.com/watch?v=Tx1qiojV5bg -xZh7DJhb_R4,Practice Highlight: Top Offensive Plays - Aug. 23,"Pierre Garçon, George Kittle and Carlos Hyde provided some of the top offensive highlights as the team prepares for Week 3 of the preseason.",2019-09-13T23:18:54Z,https://www.youtube.com/watch?v=xZh7DJhb_R4 -nOuA72tWT2s,Practice Highlight: Top Defensive Plays - Aug. 23,"NaVorro Bowman, Dontae Johnson and Vinnie Sunseri were repsonsible for the defense's top three plays during Wednesday's practice.",2019-09-13T23:19:09Z,https://www.youtube.com/watch?v=nOuA72tWT2s -KuvvcUaT9vE,Practice Highlight: The Beathard-to-Kerley Connection,C.J. Beathard and Jeremy Kerley combined for several big plays in the passing game.,2019-09-13T23:18:46Z,https://www.youtube.com/watch?v=KuvvcUaT9vE -_kD-JcQQKP4,Practice Highlight: Marquise Goodwin Puts on a Show,Brian Hoyer connected with Goodwin on several highlight-reel plays during Wednesday's practice.,2019-09-13T23:19:02Z,https://www.youtube.com/watch?v=_kD-JcQQKP4 -FsaT-K_0iPE,Camp Highlight: Top Throws from Brian Hoyer on Thursday,The 49ers quarterback had several impressive completions during the second joint practice against the Denver Broncos.,2019-09-13T23:23:33Z,https://www.youtube.com/watch?v=FsaT-K_0iPE -F3ODlDuuftk,Camp Highlight: Victor Bolden Jr. Lays Out for Diving Grab,The rookie wide receiver beat Aqib Talib deep down the right sideline for a long gain.,2019-09-13T23:20:20Z,https://www.youtube.com/watch?v=F3ODlDuuftk -IRpB9-rpNw0,Camp Highlight: Will Davis Shuts Down Broncos Passing Game,The 49ers cornerback had an interception and a pass breakup during the joint practice with the Denver Broncos on Wednesday.,2019-09-13T23:25:11Z,https://www.youtube.com/watch?v=IRpB9-rpNw0 -fLfU2m5kEMM,Camp Highlight: Hoyer-to-Goodwin Connection Continues vs. Broncos,Brian Hoyer and Marquise Goodwin had it going on Wednesday in a joint practice against the Broncos.,2019-09-13T23:22:34Z,https://www.youtube.com/watch?v=fLfU2m5kEMM -uNrsTxGGn2k,Camp Highlight: NaVorro Bowman Breaks Up Pass,The 49ers middle linebacker broke up a pass intended for RB Carlos Hyde during team drills.,2019-09-13T23:27:16Z,https://www.youtube.com/watch?v=uNrsTxGGn2k -22e2UjStshA,Camp Highlight: Best of 49ers Offense on Tuesday,View the top plays from the offense during Tuesday's practice.,2019-09-13T23:24:56Z,https://www.youtube.com/watch?v=22e2UjStshA -cVUZGBBuxa4,Camp Highlight: Kendrick Bourne Scores Again,The rookie wide receiver hauled in a touchdown pass from Brian Hoyer during team drills.,2019-09-13T23:23:05Z,https://www.youtube.com/watch?v=cVUZGBBuxa4 -9owMavCvmYg,Camp Highlight: Top Defensive Plays,"S Eric Reid, DL Chris Jones and DB Adrian Colbert made some highlight-reel plays for the 49ers defense on Monday.",2019-09-13T23:18:28Z,https://www.youtube.com/watch?v=9owMavCvmYg -GSqYUKmb-WU,Camp Highlight: Victor Bolden Jr.'s Diving Grab,The rookie wide receiver made a diving catch on a deep pass from Matt Barkley.,2019-09-13T23:24:53Z,https://www.youtube.com/watch?v=GSqYUKmb-WU -1vw0KsSm6u0,Camp Highlight: Reuben Foster's Fourth Interception of Camp,The rookie linebacker read the route perfectly and hauled in his fourth interception of training camp on Tuesday.,2019-09-13T23:24:38Z,https://www.youtube.com/watch?v=1vw0KsSm6u0 -XYm9YWmemRc,Camp Highlight: Ahkello Witherspoon Records First Interception,The rookie cornerback picked off a deep pass for his first interception of camp on Wednesday.,2019-09-13T23:23:42Z,https://www.youtube.com/watch?v=XYm9YWmemRc -H9G8f12-AXY,Camp Highlight: Trent Taylor's Final Tune-up Before KC,The 49ers wide receiver had a big day during the final practice before the first preseason game.,2019-09-13T23:21:01Z,https://www.youtube.com/watch?v=H9G8f12-AXY -SyCDONkCNeA,Camp Highlight: Brian Hoyer Finds Vance McDonald For Two TDs,The veterans hooked up for twice for touchdowns during a red zone 7-on period.,2019-09-13T23:19:28Z,https://www.youtube.com/watch?v=SyCDONkCNeA -FUU_n4_iPnc,Camp Highlight: Beathard Finds Patrick for Six,QB C.J. Beathard and WR Tim Patrick connected for a touchdown during team drills on Monday.,2019-09-13T23:22:38Z,https://www.youtube.com/watch?v=FUU_n4_iPnc -5eJ9aOfmh5o,Camp Highlight: Carlos Hyde Breaks a Big Run,The running back broke into the open field with tight ends Paulsen and Bell providing key blocks.,2019-09-13T23:24:05Z,https://www.youtube.com/watch?v=5eJ9aOfmh5o -tkXsMuH6NJI,Camp Highlight: 49ers DBs Break Up Passes,"S Chanceller James, S Eric Reid and CB Will Davis break up passes during Monday's training camp practice.",2019-09-13T23:25:47Z,https://www.youtube.com/watch?v=tkXsMuH6NJI -E81mnkMS8Dk,Camp Highlight: Brian Hoyer to Logan Paulsen For Six,The veteran tight end caught a touchdown pass from Brian Hoyer to cap a scoring drive during a move-the-chains period.,2019-09-13T23:20:53Z,https://www.youtube.com/watch?v=E81mnkMS8Dk -4T0f39ocMzE,Camp Highlight: Matt Breida's Big Day,The rookie running back put on a show inside Levi's Stadium with a long run and a diving grab.,2019-09-13T23:23:16Z,https://www.youtube.com/watch?v=4T0f39ocMzE -UoSavxC2WeM,"Camp Highlight: Carradine, James Deliver Big Hits",DL Tank Carradine and S Chanceller James delivered punishing hits during open practice on Saturday.,2019-09-13T23:24:45Z,https://www.youtube.com/watch?v=UoSavxC2WeM -mAVqNjJfLfs,Camp Highlight: WR Aldrick Robinson's TD Grab,The wide receiver hauled in a touchdown pass from Matt Barkley on Saturday.,2019-09-13T23:24:49Z,https://www.youtube.com/watch?v=mAVqNjJfLfs -2UOPp1ondLI,Camp Highlight: Marquise Goodwin Shines at Open Practice,The 49ers fans enjoyed their first glimpse of San Francisco's newest playmaker during Saturday's open practice at Levi's® Stadium.,2019-09-13T23:18:36Z,https://www.youtube.com/watch?v=2UOPp1ondLI -bLK2uccn4Jw,Camp Highlight: Reuben Foster Recovers a Fumble,Prince Charles Iworah forced the ball out of Matt Breida's hands and Reuben Foster picked up the loose ball.,2019-09-13T23:20:03Z,https://www.youtube.com/watch?v=bLK2uccn4Jw -Df86Te5xg5s,Camp Highlight: Cole Hikutini Stretches the Field,The rookie tight end hauled in a pass from C.J. Beathard over the middle of the field for a big gain during Friday's practice.,2019-09-13T23:21:38Z,https://www.youtube.com/watch?v=Df86Te5xg5s -BYug25eFHSw,Camp Highlight: Ahkello Witherspoon Denies Pierre Garçon,The rookie cornerback broke up a pass intended for the Pierre Garçon during team drills.,2019-09-13T23:25:39Z,https://www.youtube.com/watch?v=BYug25eFHSw -pVb1w3GwdkM,Camp Highlight: Trent Taylor's Stellar Friday,The rookie wide receiver continued his strong camp with a great day during the team's seventh training camp practice.,2019-09-13T23:24:29Z,https://www.youtube.com/watch?v=pVb1w3GwdkM -35zxjfOqJF4,"Camp Highlight: Burbridge, Smelter Score TDs",Aaron Burbridge and DeAndre Smelter showed off their footwork hauling in endzone fades for touchdowns during 1-on-1s.,2019-09-13T23:20:56Z,https://www.youtube.com/watch?v=35zxjfOqJF4 -tb_xb1ujPZM,Camp Highlight: Kendrick Bourne Shows Off Speed,The undrafted rookie wide receiver broke free for a long gain during the team's sixth training camp practice.,2019-09-13T23:18:58Z,https://www.youtube.com/watch?v=tb_xb1ujPZM --bVwrTLrLoQ,Camp Highlight: C.J. Beathard and Matt Breida Connect for TD,The 49ers rookies hooked up for a touchdown during the team's red zone drills during Thursday's practice.,2019-09-13T23:26:49Z,https://www.youtube.com/watch?v=-bVwrTLrLoQ -jIkpRYAiqDk,Camp Highlight: Carlos Hyde's Two-touchdown Day,The 49ers running back found his way into the endzone twice during a team red-zone period.,2019-09-13T23:23:23Z,https://www.youtube.com/watch?v=jIkpRYAiqDk -Pbi3ui3GWz8,Camp Highlight: Trent Taylor's Highlight-reel Grab,The rookie wide receiver made another stellar toe-tapping catch on the sideline during Thursday's practice.,2019-09-13T23:19:31Z,https://www.youtube.com/watch?v=Pbi3ui3GWz8 -wxKVbNk-yQ0,Camp Highlight: Trent Taylor's Toe-tap Touchdown,The rookie wide receiver showed off his play-making ability with an acrobatic touchdown reception on a pass from Matt Barkley.,2019-09-13T23:22:13Z,https://www.youtube.com/watch?v=wxKVbNk-yQ0 -Wb6HeZDsOa4,Camp Highlight: Hoyer-to-Garçon for Six,The veterans connected once again on a touchdown pass during the 49ers practice on Wednesday.,2019-09-13T23:21:53Z,https://www.youtube.com/watch?v=Wb6HeZDsOa4 -dLZoIzPo48o,Camp Highlight: Reuben Foster's Third Interception of Camp,The rookie linebacker continues to dominate as he grabbed his third interception of 49ers training camp.,2019-09-13T23:25:35Z,https://www.youtube.com/watch?v=dLZoIzPo48o -yVSZO5kKJis,Camp Highlight: Big Day for WR Aldrick Robinson,The 49ers wide receiver made highlight-reel play after highlight-reel play during monday's practice.,2019-09-13T23:20:47Z,https://www.youtube.com/watch?v=yVSZO5kKJis -Yk50BaCAYQk,Camp Highlight: Pierre Garçon Makes Juggling Catch,The veteran wide receiver found a way to haul in a tipped pass during the team's fourth training camp practice.,2019-09-13T23:23:46Z,https://www.youtube.com/watch?v=Yk50BaCAYQk -WlkONZl9X34,Camp Highlight: More Touchdowns for Marquise Goodwin,The 49ers wide receiver continues to be a star of training camp with two more long touchdowns.,2019-09-13T23:19:25Z,https://www.youtube.com/watch?v=WlkONZl9X34 -SasI-5kg6Rk,Camp Highlight: Reuben Foster Records Another Interception,"The first-round pick continues to impress, intercepting his second pass of training camp on Sunday.",2019-09-13T23:24:35Z,https://www.youtube.com/watch?v=SasI-5kg6Rk -UOXaKoRGXD8,Camp Highlight: Kyle Juszczyk Shines in Passing Game,"The 49ers ""offensive weapon"" made two impressive catches during the team's first padded practice of training camp.",2019-09-13T23:24:24Z,https://www.youtube.com/watch?v=UOXaKoRGXD8 -tTcZ6OEZbgQ,Camp Highlight: Bruce Ellington's One-Handed Grab,The 49ers wide receiver hauled in this pass with some flair during the team's third training camp practice.,2019-09-13T23:21:15Z,https://www.youtube.com/watch?v=tTcZ6OEZbgQ -gnzLbor2C8s,Camp Highlight: The Hoyer-to-Garçon Connection,The two new veterans on the 49ers offense linked up for a pair of highlight-reel plays during Sunday's practice.,2019-09-13T23:18:32Z,https://www.youtube.com/watch?v=gnzLbor2C8s -S7D6P6DDEAQ,Camp Highlight: Lorenzo Jerome Grabs an Interception,"The undrafted free agent defensive back lived up to his ""ball hawk"" moniker during the second training camp practice with an interception during 11-on-11 team drills.",2019-09-13T23:23:52Z,https://www.youtube.com/watch?v=S7D6P6DDEAQ -BJrrYsFsT-U,Camp Highlight: George Kittle Makes a Diving Catch,The 49ers rookie tight end used every inch of his 6-foot-4 frame to haul in a pass from Brian Hoyer.,2019-09-13T23:20:24Z,https://www.youtube.com/watch?v=BJrrYsFsT-U --YlPZzh7aOg,Camp Highlight: Trent Taylor Makes Two Impressive Grabs,The rookie slot receiver showcased his sure-handedness in a 7-on-7 period during the 49ers second training camp practice.,2019-09-13T23:22:31Z,https://www.youtube.com/watch?v=-YlPZzh7aOg -bgsEO1WyEzw,Camp Highlight: Reuben Foster Grabs Intercepts a Tipped Pass,The rookie linebacker picked off a batted pass during the team's first training camp practice.,2019-09-13T23:24:09Z,https://www.youtube.com/watch?v=bgsEO1WyEzw -weq98Su-C6I,Camp Highlight: Brian Hoyer Threads the Needle to Pierre Garçon,Two of the new faces on the 49ers offense linked up for a big gain in the team's first practice of training camp.,2019-09-13T23:19:21Z,https://www.youtube.com/watch?v=weq98Su-C6I -Q8TSX63uIR8,Camp Highlight: Marquise Goodwin Flashes Speed on Long TD,The 49ers wide receiver hauled in a slant pass from Brian Hoyer and took it all the way for a touchdown.,2019-09-13T23:23:12Z,https://www.youtube.com/watch?v=Q8TSX63uIR8 -_T3ce4HlrSo,Every Jerry Rice Touchdown of 50+ Yards,NFL Network highlights every Jerry Rice touchdown of 50 yards or more.,2019-09-13T23:26:09Z,https://www.youtube.com/watch?v=_T3ce4HlrSo -oVmLaVLsu9w,Ahkello Witherspoon Colorado Highlights,View the top plays of 49ers third round pick Ahkello Witherspoon's Colorado career.,2019-09-13T23:29:18Z,https://www.youtube.com/watch?v=oVmLaVLsu9w -CILIhVA4qio,C.J. Beathard and George Kittle Iowa Highlights,View the top plays of C.J. Beathard and George Kittle during their time together at the University of Iowa.,2019-09-13T23:28:57Z,https://www.youtube.com/watch?v=CILIhVA4qio -SFF1411eLEo,Trent Taylor Louisiana Tech Highlights,Trent Taylor scored 32 career touchdowns at Louisiana Tech. Here are a handful of those highlight plays.,2019-09-13T23:27:30Z,https://www.youtube.com/watch?v=SFF1411eLEo -xn_mm6uLqQk,Solomon Thomas Stanford Highlights,View the top plays of 49ers first round pick Solomon Thomas during his Stanford career.,2019-09-13T23:29:13Z,https://www.youtube.com/watch?v=xn_mm6uLqQk -isGECfflMF4,Camp Highlight: Bowman Stuffs the Run,"The 49ers middle linebacker met Denver Broncos running back Kapri Bibbs in the backfield for a tackle for loss during the team's joint practice in Englewood, Colo.",2019-09-13T23:25:56Z,https://www.youtube.com/watch?v=isGECfflMF4 -W1_wztWjLIw,"Camp Highlight: Jeff Driskel, DiAndre Campbell Connect for Six","Jeff Driskel tossed a strike to DiAndre Campbell for a touchdown during team drills in the joint practice with the Denver Broncos in Englewood, Colo.",2019-09-13T23:21:04Z,https://www.youtube.com/watch?v=W1_wztWjLIw -3i80rgGiQ_I,Camp Highlight: Defense Records Multiple PBUs,"Jim O'Neil's defense was swarming on Wednesday, breaking up several passes at the joint practice with the Denver Broncos in Englewood, Colo.",2019-09-13T23:19:34Z,https://www.youtube.com/watch?v=3i80rgGiQ_I -WFgb5eDM_14,Camp Highlight: Christian Ponder Throws Two Touchdown Passes,"In his first practice as a member of the 49ers, QB Christian Ponder found wide receiver DeAndrew White twice for scores during the joint practice with the Broncos.",2019-09-13T23:25:31Z,https://www.youtube.com/watch?v=WFgb5eDM_14 -EF62BV1Gv50,Camp Highlight: Jaquiski Tartt Picks off Texans QB,The 49ers second-year safety recorded an interception during a team period in Friday's practice against the Houston Texans.,2019-09-13T23:26:16Z,https://www.youtube.com/watch?v=EF62BV1Gv50 -Y1Pgx00eNXw,Camp Highlight: Bryce Treggs Makes Sideline Catch,The undrafted rookie wide receiver continues to impress at 49ers training camp. Here's an acrobatic catch against the Texans.,2019-09-13T23:24:41Z,https://www.youtube.com/watch?v=Y1Pgx00eNXw -CEE7QsuFt04,"Camp Highlight: Blaine Gabbert, Jerome Simpson Connect Again",Quarterback Blaine Gabbert connected with wide receiver Jerome Simpson down the sidelines during San Francisco's joint practice with the Houston Texans.,2019-09-13T23:22:48Z,https://www.youtube.com/watch?v=CEE7QsuFt04 -S4JEUsq6iow,Camp Highlight: Defense Records Several PBUs,"Jim O'Neil's defense was swarming on Thursday, breaking up several passes at practice from the SAP Performance Facility.",2019-09-13T23:26:34Z,https://www.youtube.com/watch?v=S4JEUsq6iow -sO20A2zDxjw,Camp Highlight: Jaquiski Tartt Makes Diving Interception,The second-year safety makes a diving play on the ball deflected by fellow safety Eric Reid.,2019-09-13T23:20:33Z,https://www.youtube.com/watch?v=sO20A2zDxjw -RrYRTEM3wew,Camp Highlight: Jeff Driskel Tosses Two Touchdowns,The rookie quarterback had one of his best days of camp as he closed practice by completing touchdown passes to Bryce Treggs and Dres Anderson.,2019-09-13T23:19:18Z,https://www.youtube.com/watch?v=RrYRTEM3wew -Bp2ltJ8K-YA,Camp Highlight: Jerome Simpson Catches Quick-screen TD,The veteran receiver caught a short pass from Blaine Gabbert and turned it into a touchdown on Day 7 of 49ers training camp.,2019-09-13T23:20:16Z,https://www.youtube.com/watch?v=Bp2ltJ8K-YA -SpZALGF6Wg0,Camp Highlight: CB Keith Reaser Breaks up Pass,49ers cornerback Keith Reaser made an athletic play on the ball to swat down a pass and record a PBU.,2019-09-13T23:26:22Z,https://www.youtube.com/watch?v=SpZALGF6Wg0 -dNY-ntmkNuY,Camp Highlight: Blaine Gabbert Throws TD Pass to Blake Bell,The second-year tight end celebrated his birthday with this touchdown pass from Blaine Gabbert at Sunday's training camp practice.,2019-09-13T23:19:56Z,https://www.youtube.com/watch?v=dNY-ntmkNuY -KDGZyBbUylA,Camp Highlight: Blake Bell Makes Grab up the Seam,The second-year tight end hauled in the 25-yard pass from Kaepernick during 7-on-7 drills.,2019-09-13T23:25:42Z,https://www.youtube.com/watch?v=KDGZyBbUylA -mMQ1Gx0Vq9Q,Camp Highlight: Blaine Gabbert Connects with Vance McDonald,Quarterback Blaine Gabbert found tight end Vance McDonald open over the middle of the field for a nice gain.,2019-09-13T23:26:39Z,https://www.youtube.com/watch?v=mMQ1Gx0Vq9Q -XVVn-Ju2FmQ,Camp Highlight: Colin Kaepernick Finds Bruce Ellington Deep,Quarterback Colin Kaepernick connects with wide receiver Bruce Ellington deep down the sidelines for a big gain.,2019-09-13T23:19:50Z,https://www.youtube.com/watch?v=XVVn-Ju2FmQ -euNcelEkB2o,Camp Highlight: Blaine Gabbert Finds DeAndre Smelter For Deep TD,Gabbert found wide receiver DeAndre Smelter wide open for the touchdown after a nice execution of his stop-and-go route.,2019-09-13T23:21:18Z,https://www.youtube.com/watch?v=euNcelEkB2o -P7WPKZjGPYE,Camp Highlight: Colin Kaepernick Lofts a TD to Garrett Celek,Colin Kaepernick connected with tight end Garrett Celek on a nifty toss deep in the red zone.,2019-09-13T23:25:52Z,https://www.youtube.com/watch?v=P7WPKZjGPYE -8KyeL4kMkLk,Camp Highlight: Kenneth Acker Grabs Interception,Cornerback Kenneth Acker jumped the route and found his hands on his first interception of training camp.,2019-09-13T23:19:44Z,https://www.youtube.com/watch?v=8KyeL4kMkLk -ciGjuryrycQ,Camp Highlight: Rookie Prince Charles Iworah Breaks up Pass,49ers rookie defensive back Prince Charles Iworah made a heads-up play in training camp when he leapt in front of wide receiver Devon Cajuste to knock down a pass.,2019-09-13T23:26:19Z,https://www.youtube.com/watch?v=ciGjuryrycQ -BybE3WvB3Co,Camp Highlight: Jimmie Ward Interception,The third-year defensive back continues his hot start this offseason with this interception during team drills.,2019-09-13T23:25:27Z,https://www.youtube.com/watch?v=BybE3WvB3Co -i1fV4bovQo8,Camp Highlight: Rashard Robinson Makes Leaping Interception,49ers rookie DB Rashard Robinson turned some heads in training camp when he made a leaping grab to pick off a pass intended for DiAndre Campbell.,2019-09-13T23:19:41Z,https://www.youtube.com/watch?v=i1fV4bovQo8 -HqcPe_BMg_8,Camp Highlight: Colin Kaepernick Throws Deep to Torrey Smith,The top play from Thursday's practice was a long touchdown pass from Colin Kaepernick to the team's top receiver Torrey Smith.,2019-09-13T23:20:06Z,https://www.youtube.com/watch?v=HqcPe_BMg_8 -cQkxQxRfuCg,Camp Highlight: Blaine Gabbert Hits DeAndrew White on Deep TD Pass,49ers quarterback Blaine Gabbert made a deep touchdown pass to second-year wide receiver DeAndrew White during Thursday's preseason training camp session.,2019-09-13T23:21:31Z,https://www.youtube.com/watch?v=cQkxQxRfuCg -DuQHvtIh32w,Camp Highlight: Tramaine Brock PBU,The starting cornerback jumped in front of the wide receiver to make an impressive play to break up the pass.,2019-09-13T23:21:47Z,https://www.youtube.com/watch?v=DuQHvtIh32w -iTiD3GCrOwg,Camp Highlight: Blaine Gabbert to TE Vance McDonald,The quarterback completed a pass deep down the middle of the field to one of the 49ers top tight ends.,2019-09-13T23:26:43Z,https://www.youtube.com/watch?v=iTiD3GCrOwg -ZIaEniBNo4k,Camp Highlight: Blaine Gabbert Throws Long TD to Torrey Smith,"The top play from Tuesday's practice was a long touchdown pass from Blaine Gabbert to the team's top pass-catcher, Torrey Smith.",2019-09-13T23:20:44Z,https://www.youtube.com/watch?v=ZIaEniBNo4k -6VKk3vi-1iI,Camp Highlight: Eric Rogers Makes Leaping Catch,The 49ers wide receiver made a jumping catch during Tuesday's practice on a throw from Colin Kaepernick.,2019-09-13T23:20:00Z,https://www.youtube.com/watch?v=6VKk3vi-1iI -G4XNUqSt3I8,Camp Highlight: Driskel to Smith on Right Sideline,Rookie quarterback Jeff Driskel threw a perfect pass towards the right sideline to hit Torrey Smith in stride for the completion.,2019-09-13T23:20:37Z,https://www.youtube.com/watch?v=G4XNUqSt3I8 -ar9YXO9J8oI,Camp Highlight: Tank Carradine Records Diving PBU,Carradine made an impressive play on Tuesday to break up a pass in the middle of the field during a 7-on-7 period.,2019-09-13T23:21:42Z,https://www.youtube.com/watch?v=ar9YXO9J8oI -UdGap8qimmA,Camp Highlight: Prince Charles Iworah Records PBU,The rookie cornerback made an impressive play to break up a pass in the middle of the field during Monday's practice.,2019-09-13T23:26:04Z,https://www.youtube.com/watch?v=UdGap8qimmA -3pZxtYlqdAI,Camp Highlight: CB Keith Reaser Breaks up Another Pass,Keith Reaser continued his hot start to camp on Monday with a pass breakup down the left sideline. He now has PBUs in both practices and one interception.,2019-09-13T23:20:09Z,https://www.youtube.com/watch?v=3pZxtYlqdAI -63wZ1w7mlRg,Camp Highlight: Joe Staley Clears Path for DeAndre Smelter on Screen Pass,The 49ers stalwart left tackle showed off his athleticism on Monday with a stellar lead block for DeAndre Smelter on a screen pass.,2019-09-13T23:22:09Z,https://www.youtube.com/watch?v=63wZ1w7mlRg -KJcDttt6mKw,Camp Highlight: Blaine Gabbert Finds Jerome Simpson for Long TD,The play of the day on Monday came on a play-action pass from Blaine Gabbert to Jerome Simpson for a long touchdown.,2019-09-13T23:26:12Z,https://www.youtube.com/watch?v=KJcDttt6mKw -b5uraLjpz7k,Camp Highlight: Colin Kaepernick Throws Deep Middle to DeAndrew White,The 49ers quarterback lofted a perfect pass over the defense to hit DeAndrew White on a crossing route over the middle.,2019-09-13T23:19:37Z,https://www.youtube.com/watch?v=b5uraLjpz7k -aMHJk1synqc,Camp Highlight: Colin Kaepernick Hits Garrett Celek with Pass,Colin Kaepernick found tight end Garrett Celek with a perfect pass over the defense for a long completion.,2019-09-13T23:19:54Z,https://www.youtube.com/watch?v=aMHJk1synqc -qPFg6ZtD1GY,Camp Highlight: NaVorro Bowman Breaks up Pass,The 49ers star linebacker broke up a pass at the last second to force an incompletion on Day 1 of training camp.,2019-09-13T23:20:12Z,https://www.youtube.com/watch?v=qPFg6ZtD1GY -wFuhjxDaASI,Top Highlights of the 49ers Offseason Program,"Check out the best of the best from the 49ers offseason program, including the 2016 NFL Draft that saw San Francisco make two first-round selections.",2019-09-13T23:29:22Z,https://www.youtube.com/watch?v=wFuhjxDaASI -3xM0uq7-fNk,Highlights: Day 2 of 49ers Mandatory Minicamp,"Check out the top plays from the 49ers practice on Wednesday, the second of three sessions during mandatory minicamp.",2019-09-13T23:28:49Z,https://www.youtube.com/watch?v=3xM0uq7-fNk -WxhNMAmTphM,Highlights: Day 1 of 49ers Mandatory Minicamp,Check out the sights and sounds from the first of three minicamp practices this week as the 49ers close their offseason program.,2019-09-13T23:27:56Z,https://www.youtube.com/watch?v=WxhNMAmTphM -aE4ZOO9rzp0,49ers 2016 Draft Class College Highlights,"Check out some of the top college highlights from Joshua Garnett, Prince Charles Iworah, John Theus, Fahn Cooper & Rashard Robinson.",2019-09-13T23:27:50Z,https://www.youtube.com/watch?v=aE4ZOO9rzp0 -iypsKamDnxA,College Highlights of 49ers RB Kelvin Taylor,Check out some of the top plays from Kelvin Taylor's college career at the University of Florida.,2019-09-13T23:29:34Z,https://www.youtube.com/watch?v=iypsKamDnxA -WFj3LWIfGaw,College Highlights of 49ers DL DeForest Buckner,Check out the best plays for the No. 7 pick in the 2016 NFL Draft from his college career at the University of Oregon.,2019-09-13T23:29:29Z,https://www.youtube.com/watch?v=WFj3LWIfGaw -FuwRKL2aAec,49ers Practice Highlight: Tank Carradine Impressive Goal-Line Stop on Jarryd Hayne,During 49ers 2015 Training Camp defensive lineman Tank Carradine stopped running back Jarryd Hayne right before he crossed the plain of the goal line with an impressive tackle.,2019-09-13T23:23:09Z,https://www.youtube.com/watch?v=FuwRKL2aAec -WAAN74801jE,49ers Practice Highlight: Jerome Simpson Makes Leaping Grab,During 49ers 2015 Training Camp Jerome Simpson highpointed the football and made a nice catch on Colin Kaepernick's pass down the middle.,2019-09-13T23:21:21Z,https://www.youtube.com/watch?v=WAAN74801jE -_bu7bJWYi-Q,49ers Practice Highlight: Anquan Boldin Makes Stylish Catch,"The 49ers top receiver Anquan Boldin adjusted to make an impressive grab during Monday's practice. One foot may have been out of bounds, but it was a nice catch nonetheless.",2019-09-13T23:21:34Z,https://www.youtube.com/watch?v=_bu7bJWYi-Q -jclSvcPLlQ8,49ers Practice Highlight: Torrey Smith Beats Marcus Cromarties with Impressive Vertical Speed,During 49ers 2015 Training Camp wide receiver Torrey Smith beat Marcus Cromartie down the right sideline to haul in a 50-yard pass from Colin Kaepernick.,2019-09-13T23:18:43Z,https://www.youtube.com/watch?v=jclSvcPLlQ8 -yMmUXx4QxiY,49ers Practice Highlight: Jarryd Hayne Touchdown Catch,During the 49ers 2015 Training Camp running back Jarryd Hayne scored a touchdown from Colin Kaepernick on a quick out-route to the left sideline.,2019-09-13T23:21:12Z,https://www.youtube.com/watch?v=yMmUXx4QxiY -_d64EAwW1Sc,49ers Practice Highlight: Torrey Smith Scores Touchdown off Back Shoulder Throw,During the 49ers 2015 Training Camp wide receiver Torrey Smith grabbed a beautiful back shoulder throw from Colin Kaepernick during 1-on-1 drills.,2019-09-13T23:23:30Z,https://www.youtube.com/watch?v=_d64EAwW1Sc -r3McwTm1twQ,49ers Practice Highlight: Carlos Hyde Snags Short Touchdown Catch,During the 49ers 2015 Training Camp running back Carlos Hyde showed off his hands with a short touchdown catch from Colin Kaepernick.,2019-09-13T23:22:54Z,https://www.youtube.com/watch?v=r3McwTm1twQ -EcHYBaxN84g,49ers Practice Highlight: Bruce Ellington Touchdown with Finger Roll Celebration,"During the 49ers 2015 Training Camp, wide receiver Bruce Ellington caught a deep ball from Colin Kaepernick and finished off the play with a nice finger roll layup.",2019-09-13T23:22:17Z,https://www.youtube.com/watch?v=EcHYBaxN84g -U3FoFTIZjok,49ers Practice Highlight: Vance McDonald Makes Jumping Touchdown Catch,During the 49ers 2015 Training Camp tight end Vance McDonald made a jumping catch to get into the end zone.,2019-09-13T23:24:13Z,https://www.youtube.com/watch?v=U3FoFTIZjok -kNDe7z4hzQM,49ers Practice Highlight: DeAndrew White Completes Incredible One-Handed Catch,During the 49ers 2015 Training Camp DeAndrew White turned in one of the top plays when he made a spectacular one-handed grab off a pass from Dylan Thompson.,2019-09-13T23:21:56Z,https://www.youtube.com/watch?v=kNDe7z4hzQM -nPYIg2YflnQ,49ers Practice Highlight: DeAndrew White Leaps to Make Acrobatic Catch,During the first day of 49ers 2015 Training Camp rookie wide receiver DeAndrew White gave the crowd excitement when he leaped to make acrobatic catch.,2019-09-13T23:22:44Z,https://www.youtube.com/watch?v=nPYIg2YflnQ -hcsD1926vJg,Practice Highlight: Australian Running Back Jarryd Hayne's First Day in Pads,Former Rugby League star and current 49ers running back Jarryd Hayne garnered a lot of attention when he put on pads for the first time in his young football career.,2019-09-13T23:21:08Z,https://www.youtube.com/watch?v=hcsD1926vJg -oc9DPn6xI-M,Private video,This video is private.,2020-02-13T19:37:29Z,https://www.youtube.com/watch?v=oc9DPn6xI-M -TC0m_z40-ps,Private video,This video is private.,2019-09-13T23:29:10Z,https://www.youtube.com/watch?v=TC0m_z40-ps -RIYbpSx2Jbc,Private video,This video is private.,2019-09-13T23:28:53Z,https://www.youtube.com/watch?v=RIYbpSx2Jbc -WuJz-FAsLfc,Private video,This video is private.,2019-09-13T23:28:16Z,https://www.youtube.com/watch?v=WuJz-FAsLfc -AVfLYJj97g0,Private video,This video is private.,2019-09-13T23:26:00Z,https://www.youtube.com/watch?v=AVfLYJj97g0 -UAi0rzLaJkc,Private video,This video is private.,2019-09-13T23:25:03Z,https://www.youtube.com/watch?v=UAi0rzLaJkc -FS4Glhe7fV4,Private video,This video is private.,2019-09-13T23:23:56Z,https://www.youtube.com/watch?v=FS4Glhe7fV4 -yxjDgeLmZyE,Private video,This video is private.,2019-09-13T23:23:38Z,https://www.youtube.com/watch?v=yxjDgeLmZyE -2UOulozFTv4,Private video,This video is private.,2019-09-13T23:23:26Z,https://www.youtube.com/watch?v=2UOulozFTv4 -WN8WK2JuxjY,Private video,This video is private.,2019-09-13T23:21:28Z,https://www.youtube.com/watch?v=WN8WK2JuxjY -jIIDgT5Am14,Private video,This video is private.,2019-09-13T23:18:40Z,https://www.youtube.com/watch?v=jIIDgT5Am14 -0qag6GMmyuM,Private video,This video is private.,2021-08-15T08:06:30Z,https://www.youtube.com/watch?v=0qag6GMmyuM -Ud28CVBWmpQ,Private video,This video is private.,2023-09-10T22:23:36Z,https://www.youtube.com/watch?v=Ud28CVBWmpQ diff --git a/data/april_11_multimedia_data_collect/nfl-2024-san-francisco-49ers-with-results.csv b/data/april_11_multimedia_data_collect/nfl-2024-san-francisco-49ers-with-results.csv deleted file mode 100644 index 50e01fc150b7cf821571c54a990e43dc32835459..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/nfl-2024-san-francisco-49ers-with-results.csv +++ /dev/null @@ -1,18 +0,0 @@ -Match Number,Round Number,Date,Location,Home Team,Away Team,Result,game_result -1,1,10/09/2024 00:15,Levi's Stadium,San Francisco 49ers,New York Jets,32 - 19,Win -28,2,15/09/2024 17:00,U.S. Bank Stadium,Minnesota Vikings,San Francisco 49ers,23 - 17,Loss -38,3,22/09/2024 20:25,SoFi Stadium,Los Angeles Rams,San Francisco 49ers,27 - 24,Loss -55,4,29/09/2024 20:05,Levi's Stadium,San Francisco 49ers,New England Patriots,30 - 13,Win -70,5,06/10/2024 20:05,Levi's Stadium,San Francisco 49ers,Arizona Cardinals,23 - 24,Loss -92,6,11/10/2024 00:15,Lumen Field,Seattle Seahawks,San Francisco 49ers,24 - 36,Win -96,7,20/10/2024 20:25,Levi's Stadium,San Francisco 49ers,Kansas City Chiefs,18 - 28,Loss -109,8,28/10/2024 00:20,Levi's Stadium,San Francisco 49ers,Dallas Cowboys,30 - 24,Win -149,10,10/11/2024 18:00,Raymond James Stadium,Tampa Bay Buccaneers,San Francisco 49ers,20 - 23,Win -158,11,17/11/2024 21:05,Levi's Stadium,San Francisco 49ers,Seattle Seahawks,17 - 20,Loss -169,12,24/11/2024 21:25,Lambeau Field,Green Bay Packers,San Francisco 49ers,38 - 10,Loss -181,13,02/12/2024 01:20,Highmark Stadium,Buffalo Bills,San Francisco 49ers,35 - 10,Loss -199,14,08/12/2024 21:25,Levi's Stadium,San Francisco 49ers,Chicago Bears,38 - 13,Win -224,15,13/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Los Angeles Rams,6 - 12,Loss -228,16,22/12/2024 21:25,Hard Rock Stadium,Miami Dolphins,San Francisco 49ers,29 - 17,Loss -246,17,31/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Detroit Lions,34 - 40,Loss -257,18,05/01/2025 21:25,State Farm Stadium,Arizona Cardinals,San Francisco 49ers,47 - 24,Loss diff --git a/data/april_11_multimedia_data_collect/nfl_team_logos.csv b/data/april_11_multimedia_data_collect/nfl_team_logos.csv deleted file mode 100644 index eb9ec148965c44f56be247d75b22e7e4c1f2fdb6..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/nfl_team_logos.csv +++ /dev/null @@ -1,63 +0,0 @@ -team_name,logo_url,local_path -"Arizona Cardinals News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/ARI,"team_logos/arizona_cardinals_news,_scores,_stats,_schedule.png" -"Atlanta Falcons News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/ATL,"team_logos/atlanta_falcons_news,_scores,_stats,_schedule.png" -"Carolina Panthers News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/CAR,"team_logos/carolina_panthers_news,_scores,_stats,_schedule.png" -"Chicago Bears News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/CHI,"team_logos/chicago_bears_news,_scores,_stats,_schedule.png" -"Dallas Cowboys News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/DAL,"team_logos/dallas_cowboys_news,_scores,_stats,_schedule.png" -"Detroit Lions News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/DET,"team_logos/detroit_lions_news,_scores,_stats,_schedule.png" -"Green Bay Packers News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/GB,"team_logos/green_bay_packers_news,_scores,_stats,_schedule.png" -"Los Angeles Rams News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/LA,"team_logos/los_angeles_rams_news,_scores,_stats,_schedule.png" -"Minnesota Vikings News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/MIN,"team_logos/minnesota_vikings_news,_scores,_stats,_schedule.png" -"New Orleans Saints News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/NO,"team_logos/new_orleans_saints_news,_scores,_stats,_schedule.png" -"New York Giants News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/NYG,"team_logos/new_york_giants_news,_scores,_stats,_schedule.png" -"Philadelphia Eagles News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/PHI,"team_logos/philadelphia_eagles_news,_scores,_stats,_schedule.png" -"San Francisco 49ers News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/SF,"team_logos/san_francisco_49ers_news,_scores,_stats,_schedule.png" -"Seattle Seahawks News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/SEA,"team_logos/seattle_seahawks_news,_scores,_stats,_schedule.png" -"Tampa Bay Buccaneers News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/TB,"team_logos/tampa_bay_buccaneers_news,_scores,_stats,_schedule.png" -"Washington Commanders News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/WAS,"team_logos/washington_commanders_news,_scores,_stats,_schedule.png" -"Baltimore Ravens News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/BAL,"team_logos/baltimore_ravens_news,_scores,_stats,_schedule.png" -"Buffalo Bills News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/BUF,"team_logos/buffalo_bills_news,_scores,_stats,_schedule.png" -"Cincinnati Bengals News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/CIN,"team_logos/cincinnati_bengals_news,_scores,_stats,_schedule.png" -"Cleveland Browns News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/CLE,"team_logos/cleveland_browns_news,_scores,_stats,_schedule.png" -"Denver Broncos News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/DEN,"team_logos/denver_broncos_news,_scores,_stats,_schedule.png" -"Jacksonville Jaguars News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/JAX,"team_logos/jacksonville_jaguars_news,_scores,_stats,_schedule.png" -"Kansas City Chiefs News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/KC,"team_logos/kansas_city_chiefs_news,_scores,_stats,_schedule.png" -"Las Vegas Raiders News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/LV,"team_logos/las_vegas_raiders_news,_scores,_stats,_schedule.png" -"Los Angeles Chargers News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/LAC,"team_logos/los_angeles_chargers_news,_scores,_stats,_schedule.png" -"Miami Dolphins News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/MIA,"team_logos/miami_dolphins_news,_scores,_stats,_schedule.png" -"New England Patriots News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/NE,"team_logos/new_england_patriots_news,_scores,_stats,_schedule.png" -"New York Jets News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/NYJ,"team_logos/new_york_jets_news,_scores,_stats,_schedule.png" -"Pittsburgh Steelers News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/PIT,"team_logos/pittsburgh_steelers_news,_scores,_stats,_schedule.png" -"Tennessee Titans News, Scores, Stats, Schedule",https://static.www.nfl.com/t_headshot_desktop/league/api/clubs/logos/TEN,"team_logos/tennessee_titans_news,_scores,_stats,_schedule.png" -Arizona Cardinals,https://a.espncdn.com/i/teamlogos/nfl/500/ari.png,team_logos/arizona_cardinals.png -Atlanta Falcons,https://a.espncdn.com/i/teamlogos/nfl/500/atl.png,team_logos/atlanta_falcons.png -Baltimore Ravens,https://a.espncdn.com/i/teamlogos/nfl/500/bal.png,team_logos/baltimore_ravens.png -Buffalo Bills,https://a.espncdn.com/i/teamlogos/nfl/500/buf.png,team_logos/buffalo_bills.png -Carolina Panthers,https://a.espncdn.com/i/teamlogos/nfl/500/car.png,team_logos/carolina_panthers.png -Chicago Bears,https://a.espncdn.com/i/teamlogos/nfl/500/chi.png,team_logos/chicago_bears.png -Cincinnati Bengals,https://a.espncdn.com/i/teamlogos/nfl/500/cin.png,team_logos/cincinnati_bengals.png -Cleveland Browns,https://a.espncdn.com/i/teamlogos/nfl/500/cle.png,team_logos/cleveland_browns.png -Dallas Cowboys,https://a.espncdn.com/i/teamlogos/nfl/500/dal.png,team_logos/dallas_cowboys.png -Denver Broncos,https://a.espncdn.com/i/teamlogos/nfl/500/den.png,team_logos/denver_broncos.png -Detroit Lions,https://a.espncdn.com/i/teamlogos/nfl/500/det.png,team_logos/detroit_lions.png -Green Bay Packers,https://a.espncdn.com/i/teamlogos/nfl/500/gb.png,team_logos/green_bay_packers.png -Houston Texans,https://a.espncdn.com/i/teamlogos/nfl/500/hou.png,team_logos/houston_texans.png -Indianapolis Colts,https://a.espncdn.com/i/teamlogos/nfl/500/ind.png,team_logos/indianapolis_colts.png -Jacksonville Jaguars,https://a.espncdn.com/i/teamlogos/nfl/500/jax.png,team_logos/jacksonville_jaguars.png -Kansas City Chiefs,https://a.espncdn.com/i/teamlogos/nfl/500/kc.png,team_logos/kansas_city_chiefs.png -Las Vegas Raiders,https://a.espncdn.com/i/teamlogos/nfl/500/lv.png,team_logos/las_vegas_raiders.png -Los Angeles Chargers,https://a.espncdn.com/i/teamlogos/nfl/500/lac.png,team_logos/los_angeles_chargers.png -Los Angeles Rams,https://a.espncdn.com/i/teamlogos/nfl/500/lar.png,team_logos/los_angeles_rams.png -Miami Dolphins,https://a.espncdn.com/i/teamlogos/nfl/500/mia.png,team_logos/miami_dolphins.png -Minnesota Vikings,https://a.espncdn.com/i/teamlogos/nfl/500/min.png,team_logos/minnesota_vikings.png -New England Patriots,https://a.espncdn.com/i/teamlogos/nfl/500/ne.png,team_logos/new_england_patriots.png -New Orleans Saints,https://a.espncdn.com/i/teamlogos/nfl/500/no.png,team_logos/new_orleans_saints.png -New York Giants,https://a.espncdn.com/i/teamlogos/nfl/500/nyg.png,team_logos/new_york_giants.png -New York Jets,https://a.espncdn.com/i/teamlogos/nfl/500/nyj.png,team_logos/new_york_jets.png -Philadelphia Eagles,https://a.espncdn.com/i/teamlogos/nfl/500/phi.png,team_logos/philadelphia_eagles.png -Pittsburgh Steelers,https://a.espncdn.com/i/teamlogos/nfl/500/pit.png,team_logos/pittsburgh_steelers.png -San Francisco 49ers,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,team_logos/san_francisco_49ers.png -Seattle Seahawks,https://a.espncdn.com/i/teamlogos/nfl/500/sea.png,team_logos/seattle_seahawks.png -Tampa Bay Buccaneers,https://a.espncdn.com/i/teamlogos/nfl/500/tb.png,team_logos/tampa_bay_buccaneers.png -Tennessee Titans,https://a.espncdn.com/i/teamlogos/nfl/500/ten.png,team_logos/tennessee_titans.png -Washington Commanders,https://a.espncdn.com/i/teamlogos/nfl/500/wsh.png,team_logos/washington_commanders.png diff --git a/data/april_11_multimedia_data_collect/nfl_team_logos_revised.csv b/data/april_11_multimedia_data_collect/nfl_team_logos_revised.csv deleted file mode 100644 index 0f8b7c65c6a15bde595e70d333cbc9859815071b..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/nfl_team_logos_revised.csv +++ /dev/null @@ -1,33 +0,0 @@ -team_name,logo_url,local_path -Arizona Cardinals,https://a.espncdn.com/i/teamlogos/nfl/500/ari.png,team_logos/arizona_cardinals.png -Atlanta Falcons,https://a.espncdn.com/i/teamlogos/nfl/500/atl.png,team_logos/atlanta_falcons.png -Baltimore Ravens,https://a.espncdn.com/i/teamlogos/nfl/500/bal.png,team_logos/baltimore_ravens.png -Buffalo Bills,https://a.espncdn.com/i/teamlogos/nfl/500/buf.png,team_logos/buffalo_bills.png -Carolina Panthers,https://a.espncdn.com/i/teamlogos/nfl/500/car.png,team_logos/carolina_panthers.png -Chicago Bears,https://a.espncdn.com/i/teamlogos/nfl/500/chi.png,team_logos/chicago_bears.png -Cincinnati Bengals,https://a.espncdn.com/i/teamlogos/nfl/500/cin.png,team_logos/cincinnati_bengals.png -Cleveland Browns,https://a.espncdn.com/i/teamlogos/nfl/500/cle.png,team_logos/cleveland_browns.png -Dallas Cowboys,https://a.espncdn.com/i/teamlogos/nfl/500/dal.png,team_logos/dallas_cowboys.png -Denver Broncos,https://a.espncdn.com/i/teamlogos/nfl/500/den.png,team_logos/denver_broncos.png -Detroit Lions,https://a.espncdn.com/i/teamlogos/nfl/500/det.png,team_logos/detroit_lions.png -Green Bay Packers,https://a.espncdn.com/i/teamlogos/nfl/500/gb.png,team_logos/green_bay_packers.png -Houston Texans,https://a.espncdn.com/i/teamlogos/nfl/500/hou.png,team_logos/houston_texans.png -Indianapolis Colts,https://a.espncdn.com/i/teamlogos/nfl/500/ind.png,team_logos/indianapolis_colts.png -Jacksonville Jaguars,https://a.espncdn.com/i/teamlogos/nfl/500/jax.png,team_logos/jacksonville_jaguars.png -Kansas City Chiefs,https://a.espncdn.com/i/teamlogos/nfl/500/kc.png,team_logos/kansas_city_chiefs.png -Las Vegas Raiders,https://a.espncdn.com/i/teamlogos/nfl/500/lv.png,team_logos/las_vegas_raiders.png -Los Angeles Chargers,https://a.espncdn.com/i/teamlogos/nfl/500/lac.png,team_logos/los_angeles_chargers.png -Los Angeles Rams,https://a.espncdn.com/i/teamlogos/nfl/500/lar.png,team_logos/los_angeles_rams.png -Miami Dolphins,https://a.espncdn.com/i/teamlogos/nfl/500/mia.png,team_logos/miami_dolphins.png -Minnesota Vikings,https://a.espncdn.com/i/teamlogos/nfl/500/min.png,team_logos/minnesota_vikings.png -New England Patriots,https://a.espncdn.com/i/teamlogos/nfl/500/ne.png,team_logos/new_england_patriots.png -New Orleans Saints,https://a.espncdn.com/i/teamlogos/nfl/500/no.png,team_logos/new_orleans_saints.png -New York Giants,https://a.espncdn.com/i/teamlogos/nfl/500/nyg.png,team_logos/new_york_giants.png -New York Jets,https://a.espncdn.com/i/teamlogos/nfl/500/nyj.png,team_logos/new_york_jets.png -Philadelphia Eagles,https://a.espncdn.com/i/teamlogos/nfl/500/phi.png,team_logos/philadelphia_eagles.png -Pittsburgh Steelers,https://a.espncdn.com/i/teamlogos/nfl/500/pit.png,team_logos/pittsburgh_steelers.png -San Francisco 49ers,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,team_logos/san_francisco_49ers.png -Seattle Seahawks,https://a.espncdn.com/i/teamlogos/nfl/500/sea.png,team_logos/seattle_seahawks.png -Tampa Bay Buccaneers,https://a.espncdn.com/i/teamlogos/nfl/500/tb.png,team_logos/tampa_bay_buccaneers.png -Tennessee Titans,https://a.espncdn.com/i/teamlogos/nfl/500/ten.png,team_logos/tennessee_titans.png -Washington Commanders,https://a.espncdn.com/i/teamlogos/nfl/500/wsh.png,team_logos/washington_commanders.png \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/niners_players_headshots.csv b/data/april_11_multimedia_data_collect/niners_players_headshots.csv deleted file mode 100644 index 1af44ce882cff088e1ab99138e76ae058437c560..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/niners_players_headshots.csv +++ /dev/null @@ -1,74 +0,0 @@ -name,headshot_url -Israel Abanikanda,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wo7d9oli06eki4mnh3i8.png -Brandon Aiyuk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/khwofxjjwx0hcaigzxhw.png -Isaac Alarcon,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mlhuuxukyusodzlfsmnv.jpg -Evan Anderson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/ng7oamywxvqgkx6l6kqc.png -Tre Avery,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/a7kfv7xjftqlaqghk6sg -Alex Barrett,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/bm0ay22de39d1enrxwiq.jpg -Ben Bartch,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/aqaslodzr7y0yvh5zzxa.jpg -Robert Beal Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jwwhmt5d8mi0vdb8nfic.jpg -Tatum Bethune,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/vl08pinqpmoubdf0zy5s.png -Nick Bosa,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/utiwswqvpkiwtocijwhz.jpg -Jake Brendel,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/svsb41aekpzt3m9snilw.jpg -Ji'Ayir Brown,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/urillpic02z774n09xvf.jpg -Tre Brown,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/dpemqrrweakt8dci3qfb -Spencer Burford,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/lje3ae25dntkdudp6eex.jpg -Jacob Cowing,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/lg7aao0umc21oioufqdx.png -Kalia Davis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/rmnxj3sh7pyldmcxqe32.jpg -Jordan Elliott,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xbyky8r2yuzusd2tmrw8.jpg -Luke Farrell,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/f2z7wpmx7ngtxcqqedla -Russell Gage Jr.,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/lkqhshv0dss1b9c6mdnj -Jonathan Garvin,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/rapfcxut6vu50vcevswe.png -Luke Gifford,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/mhdbbzj8amttnpd1nbpn -Kevin Givens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mstmgft0e0ancdzspboy.jpg -Jalen Graham,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/pbl2a1ujopvwqrfct0jp.jpg -Richie Grant,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/szeswtvt6jmbu3so3phd -Renardo Green,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/v79obx9v7tgcjjlo6hiy.png -Yetur Gross-Matos,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/etuaajmvhbc5qkebgoow.jpg -Isaac Guerendo,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/b66rpzr9iauo5rdprvka.png -Sebastian Gutierrez,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/am9sywgkga6jq65hvboe.jpg -Matt Hennessy,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/zk8b21o8ncxnyu0gyf23 -Isaiah Hodgins,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ax1oft9kqida0eokvtes.jpg -Drake Jackson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/y2luyplzpvbzokyfbmla.jpg -Tarron Jackson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pnqrjp76bgpkmacxma3r -Jauan Jennings,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/wxsq7f4ajmhfs6tn4dg2.jpg -Quindell Johnson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/uga90lawcfxjcqna7opb -Zack Johnson,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/n4hy8uzhcl5cl0ricwoa -Mac Jones,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pedpdxybeus7mrovsoko -Kyle Juszczyk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ywdz6y2pfzndqgmxxfbj.jpg -George Kittle,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/elheepobwn1ahqwtfwat.jpg -Deommodore Lenoir,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/f9fnuvbpcxku9ibt9qs8.jpg -Chase Lucas,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gjeejt5pbagnipodhdz4.jpg -Darrell Luter Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/g5rohvooet9g5w7rlhrh.jpg -Jaylen Mahoney,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/yv9inbia05nyxppuajv0.png -Christian McCaffrey,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/a8fka6shomakkbllljgt.jpg -Jalen McKenzie,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gffxpns1ayxyjccymr6d.jpg -Colton McKivitz,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jugvoxjabgsbcfbuqfew.jpg -Jake Moody,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ygputwsbutemszr8xxkw.jpg -Tanner Mordecai,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/y8gipodnkeapgmegnxs1.png -Malik Mustapha,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/eyrgxgpbrycd9x8glk0j.png -Siran Neal,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/muhthfs6owkkpsyop1e6 -Drake Nugent,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/qyb4kurtbv9uflmupfnc.png -George Odum,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/sqpxhoycdpegkyjn6ooc.jpg -Sam Okuayinonu,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/fyolr2zk2nplfbdze75l.jpg -Terique Owens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/okhin0uwdon2nimvbtwd.png -Ricky Pearsall,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/to7q7w4kjiajseb4ljcx.png -Jason Pinnock,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/on29awacb9frijyggtgt -Austen Pleasants,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wsbs5emdyzuc1sudbcls.png -Mason Pline,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/mvjlaxpu8bu33ohspqot.png -Dominick Puni,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/tq1snozjpjrgrjoflrfg.png -Brock Purdy,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wt42ykvuxpngm4m1axxn.png -Curtis Robinson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/x3xyzgeapcafr0gicl5y.jpg -Demarcus Robinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/lakf0xue1qqb7ed4p6ge -Patrick Taylor Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/hochjncae0hqcoveuexq.jpg -Trent Taylor,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/j8lom4fnsveujt8hykef.jpg -Tre Tomlinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/n5pfv126xw0psc0d1ydz -Jake Tonges,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/la3z5y6u7tix6rnq2m5l.jpg -Fred Warner,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/zo4ftfar4bshrbipceuk.jpg -Jon Weeks,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/d9fvm74pu4vyinveopbf -DaShaun White,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/mjnpmkw3ar6zcj2hxxzd -Trent Williams,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/bnq8i5urjualxre5caqz.jpg -Brayden Willis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xmo7hsuho3ehmsjwvthc.jpg -Dee Winters,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ggf13riajo0kn0y6kbu0.jpg -Mitch Wishnowsky,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mkf1xr1x8nr9l55oq72a.jpg -Nick Zakelj,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/o92tva22zezdz4aksadl.jpg diff --git a/data/april_11_multimedia_data_collect/niners_players_headshots_with_socials_merged.csv b/data/april_11_multimedia_data_collect/niners_players_headshots_with_socials_merged.csv deleted file mode 100644 index fd07e827489cb3cdb8a7443c0c571019c1641d71..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/niners_players_headshots_with_socials_merged.csv +++ /dev/null @@ -1,74 +0,0 @@ -name,headshot_url,instagram_url, -Israel Abanikanda,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wo7d9oli06eki4mnh3i8.png,https://www.instagram.com/izzygetsbusy__/?hl=en, -Brandon Aiyuk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/khwofxjjwx0hcaigzxhw.png,https://www.instagram.com/brandonaiyuk/?hl=en, -Isaac Alarcon,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mlhuuxukyusodzlfsmnv.jpg,https://www.instagram.com/isaac_algar/?hl=en, -Evan Anderson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/ng7oamywxvqgkx6l6kqc.png,https://www.instagram.com/klamps8/?hl=en, -Tre Avery,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/a7kfv7xjftqlaqghk6sg,https://www.instagram.com/t.avery21/?hl=en, -Alex Barrett,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/bm0ay22de39d1enrxwiq.jpg,https://www.instagram.com/alex.barrett/?hl=en, -Ben Bartch,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/aqaslodzr7y0yvh5zzxa.jpg,https://www.instagram.com/bartchben/, -Robert Beal Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jwwhmt5d8mi0vdb8nfic.jpg,https://www.instagram.com/oursf49ers/reel/C_CVQxxp2ti/, -Tatum Bethune,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/vl08pinqpmoubdf0zy5s.png,https://www.instagram.com/tatumx15/?hl=en, -Nick Bosa,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/utiwswqvpkiwtocijwhz.jpg,https://www.instagram.com/nbsmallerbear/?hl=en, -Jake Brendel,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/svsb41aekpzt3m9snilw.jpg,https://www.instagram.com/jake.brendel/?hl=en, -Ji'Ayir Brown,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/urillpic02z774n09xvf.jpg,https://www.instagram.com/_tiig/?hl=en, -Tre Brown,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/dpemqrrweakt8dci3qfb,https://www.instagram.com/tre_brown25/?hl=en, -Spencer Burford,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/lje3ae25dntkdudp6eex.jpg,https://www.instagram.com/spence__74/?hl=en, -Jacob Cowing,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/lg7aao0umc21oioufqdx.png,https://www.instagram.com/jaycowing_/?hl=en, -Kalia Davis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/rmnxj3sh7pyldmcxqe32.jpg,https://www.instagram.com/ucf.football/p/C3No6rTugDe/, -Jordan Elliott,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xbyky8r2yuzusd2tmrw8.jpg,https://www.instagram.com/jordanelliott_nbcs/, -Luke Farrell,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/f2z7wpmx7ngtxcqqedla,https://www.instagram.com/lukefarrell89/?hl=en, -Russell Gage Jr.,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/lkqhshv0dss1b9c6mdnj,https://www.instagram.com/w8k3mupruss/?hl=en, -Jonathan Garvin,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/rapfcxut6vu50vcevswe.png,https://www.instagram.com/thesfniners/p/DCmgF8KSw2A/?hl=en, -Luke Gifford,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/mhdbbzj8amttnpd1nbpn,https://www.instagram.com/luke_gifford/?hl=en, -Kevin Givens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mstmgft0e0ancdzspboy.jpg,https://www.instagram.com/49ers/p/DAg_Pvpz1vV/, -Jalen Graham,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/pbl2a1ujopvwqrfct0jp.jpg,https://www.instagram.com/thexniners/p/CruR8IPrSV7/, -Richie Grant,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/szeswtvt6jmbu3so3phd,https://www.instagram.com/richiegrant_/?hl=en, -Renardo Green,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/v79obx9v7tgcjjlo6hiy.png,https://www.instagram.com/dondada.8/?hl=en, -Yetur Gross-Matos,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/etuaajmvhbc5qkebgoow.jpg,https://www.instagram.com/__lobo99/?hl=en, -Isaac Guerendo,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/b66rpzr9iauo5rdprvka.png,https://www.instagram.com/isaac_guerendo/?hl=en, -Sebastian Gutierrez,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/am9sywgkga6jq65hvboe.jpg,https://www.instagram.com/sebastiandev1/?hl=en, -Matt Hennessy,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/zk8b21o8ncxnyu0gyf23,https://www.instagram.com/matt___hennessy/?hl=en, -Isaiah Hodgins,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ax1oft9kqida0eokvtes.jpg,https://www.instagram.com/isaiahhodgins/?hl=en, -Drake Jackson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/y2luyplzpvbzokyfbmla.jpg,https://www.instagram.com/thefreak/?hl=en, -Tarron Jackson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pnqrjp76bgpkmacxma3r,https://www.instagram.com/tarron_jackson/?hl=en, -Jauan Jennings,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/wxsq7f4ajmhfs6tn4dg2.jpg,https://www.instagram.com/u_aintjj/?hl=en, -Quindell Johnson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/uga90lawcfxjcqna7opb,https://www.instagram.com/p/DFGnwNlymc9/, -Zack Johnson,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/n4hy8uzhcl5cl0ricwoa,https://www.instagram.com/zack.johnson.68/, -Mac Jones,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pedpdxybeus7mrovsoko,https://www.instagram.com/macjones_10/?hl=en, -Kyle Juszczyk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ywdz6y2pfzndqgmxxfbj.jpg,https://www.instagram.com/juicecheck44/?hl=en, -George Kittle,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/elheepobwn1ahqwtfwat.jpg,https://www.instagram.com/gkittle/?hl=en, -Deommodore Lenoir,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/f9fnuvbpcxku9ibt9qs8.jpg,https://www.instagram.com/deommo.lenoir/?hl=en, -Chase Lucas,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gjeejt5pbagnipodhdz4.jpg,https://www.instagram.com/chase_lucas24/?hl=en, -Darrell Luter Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/g5rohvooet9g5w7rlhrh.jpg,https://www.instagram.com/_d.ray4k/?hl=en, -Jaylen Mahoney,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/yv9inbia05nyxppuajv0.png,https://www.instagram.com/jaylenmahoney_/, -Christian McCaffrey,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/a8fka6shomakkbllljgt.jpg,https://www.instagram.com/christianmccaffrey/?hl=en, -Jalen McKenzie,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gffxpns1ayxyjccymr6d.jpg,https://www.instagram.com/jay_peez70/?hl=en, -Colton McKivitz,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jugvoxjabgsbcfbuqfew.jpg,https://www.instagram.com/cmckivitz53/?hl=en, -Jake Moody,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ygputwsbutemszr8xxkw.jpg,https://www.instagram.com/jmoods_/?hl=en, -Tanner Mordecai,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/y8gipodnkeapgmegnxs1.png,https://www.instagram.com/t_mordecai/?hl=en, -Malik Mustapha,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/eyrgxgpbrycd9x8glk0j.png,https://www.instagram.com/stapha/, -Siran Neal,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/muhthfs6owkkpsyop1e6,https://www.instagram.com/siranneal/?hl=en, -Drake Nugent,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/qyb4kurtbv9uflmupfnc.png,https://www.instagram.com/drakenugent9/?hl=en, -George Odum,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/sqpxhoycdpegkyjn6ooc.jpg,https://www.instagram.com/george.w.odum/?hl=en, -Sam Okuayinonu,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/fyolr2zk2nplfbdze75l.jpg,https://www.instagram.com/sam.ok97/?hl=en, -Terique Owens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/okhin0uwdon2nimvbtwd.png,https://www.instagram.com/terique_owens/?hl=en, -Ricky Pearsall,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/to7q7w4kjiajseb4ljcx.png,https://www.instagram.com/ricky.pearsall/?hl=en, -Jason Pinnock,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/on29awacb9frijyggtgt,https://www.instagram.com/jpinny15/?hl=en, -Austen Pleasants,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wsbs5emdyzuc1sudbcls.png,https://www.instagram.com/oursf49ers/p/DDr48a4PdcO/?hl=en, -Mason Pline,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/mvjlaxpu8bu33ohspqot.png,https://www.instagram.com/mpline12/?hl=en, -Dominick Puni,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/tq1snozjpjrgrjoflrfg.png,https://www.instagram.com/dompuni/?hl=en, -Brock Purdy,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wt42ykvuxpngm4m1axxn.png,https://www.instagram.com/brock.purdy13/?hl=en, -Curtis Robinson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/x3xyzgeapcafr0gicl5y.jpg,https://www.instagram.com/curtis_robinsonn/?hl=en, -Demarcus Robinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/lakf0xue1qqb7ed4p6ge,https://www.instagram.com/demarcusrobinson/?hl=en, -Patrick Taylor Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/hochjncae0hqcoveuexq.jpg,https://www.instagram.com/patricktaylor/?hl=en, -Trent Taylor,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/j8lom4fnsveujt8hykef.jpg,https://www.instagram.com/trent5taylor/?hl=en, -Tre Tomlinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/n5pfv126xw0psc0d1ydz,https://www.instagram.com/trevius/?hl=en, -Jake Tonges,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/la3z5y6u7tix6rnq2m5l.jpg,https://www.instagram.com/jaketonges/?hl=en, -Fred Warner,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/zo4ftfar4bshrbipceuk.jpg,https://www.instagram.com/fred_warner/?hl=en, -Jon Weeks,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/d9fvm74pu4vyinveopbf,https://www.instagram.com/jonweeks46/?hl=en, -DaShaun White,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/mjnpmkw3ar6zcj2hxxzd,https://www.instagram.com/demoeto/?hl=en, -Trent Williams,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/bnq8i5urjualxre5caqz.jpg,https://www.instagram.com/trentwilliams71/?hl=en, -Brayden Willis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xmo7hsuho3ehmsjwvthc.jpg,https://www.instagram.com/brayden_willis/?hl=en, -Dee Winters,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ggf13riajo0kn0y6kbu0.jpg,https://www.instagram.com/dwints_/?hl=en, -Mitch Wishnowsky,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mkf1xr1x8nr9l55oq72a.jpg,https://www.instagram.com/mitchwish3/?hl=en, -Nick Zakelj,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/o92tva22zezdz4aksadl.jpg,https://www.instagram.com/nickzakelj/?hl=en, \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/niners_players_with_highlights.csv b/data/april_11_multimedia_data_collect/niners_players_with_highlights.csv deleted file mode 100644 index 74d8dd911b30161f4b9fc791fe4c874716977e82..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/niners_players_with_highlights.csv +++ /dev/null @@ -1,74 +0,0 @@ -name,headshot_url,instagram_url,highlight_video_url -Israel Abanikanda,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wo7d9oli06eki4mnh3i8.png,https://www.instagram.com/izzygetsbusy__/?hl=en, -Brandon Aiyuk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/khwofxjjwx0hcaigzxhw.png,https://www.instagram.com/brandonaiyuk/?hl=en,https://www.youtube.com/watch?v=TlAgJDpoOYk -Isaac Alarcon,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mlhuuxukyusodzlfsmnv.jpg,https://www.instagram.com/isaac_algar/?hl=en, -Evan Anderson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/ng7oamywxvqgkx6l6kqc.png,https://www.instagram.com/klamps8/?hl=en, -Tre Avery,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/a7kfv7xjftqlaqghk6sg,https://www.instagram.com/t.avery21/?hl=en, -Alex Barrett,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/bm0ay22de39d1enrxwiq.jpg,https://www.instagram.com/alex.barrett/?hl=en, -Ben Bartch,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/aqaslodzr7y0yvh5zzxa.jpg,https://www.instagram.com/bartchben/, -Robert Beal Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jwwhmt5d8mi0vdb8nfic.jpg,https://www.instagram.com/oursf49ers/reel/C_CVQxxp2ti/, -Tatum Bethune,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/vl08pinqpmoubdf0zy5s.png,https://www.instagram.com/tatumx15/?hl=en, -Nick Bosa,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/utiwswqvpkiwtocijwhz.jpg,https://www.instagram.com/nbsmallerbear/?hl=en,https://www.youtube.com/watch?v=URvcwUEQYMw -Jake Brendel,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/svsb41aekpzt3m9snilw.jpg,https://www.instagram.com/jake.brendel/?hl=en, -Ji'Ayir Brown,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/urillpic02z774n09xvf.jpg,https://www.instagram.com/_tiig/?hl=en, -Tre Brown,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/dpemqrrweakt8dci3qfb,https://www.instagram.com/tre_brown25/?hl=en, -Spencer Burford,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/lje3ae25dntkdudp6eex.jpg,https://www.instagram.com/spence__74/?hl=en, -Jacob Cowing,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/lg7aao0umc21oioufqdx.png,https://www.instagram.com/jaycowing_/?hl=en, -Kalia Davis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/rmnxj3sh7pyldmcxqe32.jpg,https://www.instagram.com/ucf.football/p/C3No6rTugDe/,https://www.youtube.com/watch?v=xE4jfmV7kGg -Jordan Elliott,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xbyky8r2yuzusd2tmrw8.jpg,https://www.instagram.com/jordanelliott_nbcs/, -Luke Farrell,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/f2z7wpmx7ngtxcqqedla,https://www.instagram.com/lukefarrell89/?hl=en, -Russell Gage Jr.,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/lkqhshv0dss1b9c6mdnj,https://www.instagram.com/w8k3mupruss/?hl=en, -Jonathan Garvin,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/rapfcxut6vu50vcevswe.png,https://www.instagram.com/thesfniners/p/DCmgF8KSw2A/?hl=en, -Luke Gifford,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/mhdbbzj8amttnpd1nbpn,https://www.instagram.com/luke_gifford/?hl=en, -Kevin Givens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mstmgft0e0ancdzspboy.jpg,https://www.instagram.com/49ers/p/DAg_Pvpz1vV/, -Jalen Graham,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/pbl2a1ujopvwqrfct0jp.jpg,https://www.instagram.com/thexniners/p/CruR8IPrSV7/, -Richie Grant,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/szeswtvt6jmbu3so3phd,https://www.instagram.com/richiegrant_/?hl=en, -Renardo Green,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/v79obx9v7tgcjjlo6hiy.png,https://www.instagram.com/dondada.8/?hl=en,https://www.youtube.com/watch?v=iIooO2pTjt4 -Yetur Gross-Matos,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/etuaajmvhbc5qkebgoow.jpg,https://www.instagram.com/__lobo99/?hl=en, -Isaac Guerendo,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/b66rpzr9iauo5rdprvka.png,https://www.instagram.com/isaac_guerendo/?hl=en, -Sebastian Gutierrez,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/am9sywgkga6jq65hvboe.jpg,https://www.instagram.com/sebastiandev1/?hl=en, -Matt Hennessy,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/zk8b21o8ncxnyu0gyf23,https://www.instagram.com/matt___hennessy/?hl=en, -Isaiah Hodgins,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ax1oft9kqida0eokvtes.jpg,https://www.instagram.com/isaiahhodgins/?hl=en, -Drake Jackson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/y2luyplzpvbzokyfbmla.jpg,https://www.instagram.com/thefreak/?hl=en, -Tarron Jackson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pnqrjp76bgpkmacxma3r,https://www.instagram.com/tarron_jackson/?hl=en, -Jauan Jennings,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/wxsq7f4ajmhfs6tn4dg2.jpg,https://www.instagram.com/u_aintjj/?hl=en,https://www.youtube.com/watch?v=kFkNlmUQVu0 -Quindell Johnson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/uga90lawcfxjcqna7opb,https://www.instagram.com/p/DFGnwNlymc9/,https://www.youtube.com/watch?v=VU2gRl8rgqw -Zack Johnson,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/n4hy8uzhcl5cl0ricwoa,https://www.instagram.com/zack.johnson.68/,https://www.youtube.com/watch?v=yDAcyWJi6qQ -Mac Jones,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pedpdxybeus7mrovsoko,https://www.instagram.com/macjones_10/?hl=en,https://www.youtube.com/watch?v=TylWJVa84VE -Kyle Juszczyk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ywdz6y2pfzndqgmxxfbj.jpg,https://www.instagram.com/juicecheck44/?hl=en,https://www.youtube.com/watch?v=PZCVP0l8uVk -George Kittle,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/elheepobwn1ahqwtfwat.jpg,https://www.instagram.com/gkittle/?hl=en,https://www.youtube.com/watch?v=RzMVbATV95w -Deommodore Lenoir,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/f9fnuvbpcxku9ibt9qs8.jpg,https://www.instagram.com/deommo.lenoir/?hl=en,https://www.youtube.com/watch?v=h-uvula5tNo -Chase Lucas,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gjeejt5pbagnipodhdz4.jpg,https://www.instagram.com/chase_lucas24/?hl=en, -Darrell Luter Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/g5rohvooet9g5w7rlhrh.jpg,https://www.instagram.com/_d.ray4k/?hl=en, -Jaylen Mahoney,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/yv9inbia05nyxppuajv0.png,https://www.instagram.com/jaylenmahoney_/, -Christian McCaffrey,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/a8fka6shomakkbllljgt.jpg,https://www.instagram.com/christianmccaffrey/?hl=en,https://www.youtube.com/watch?v=cu78Okf6VSo -Jalen McKenzie,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gffxpns1ayxyjccymr6d.jpg,https://www.instagram.com/jay_peez70/?hl=en, -Colton McKivitz,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jugvoxjabgsbcfbuqfew.jpg,https://www.instagram.com/cmckivitz53/?hl=en, -Jake Moody,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ygputwsbutemszr8xxkw.jpg,https://www.instagram.com/jmoods_/?hl=en, -Tanner Mordecai,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/y8gipodnkeapgmegnxs1.png,https://www.instagram.com/t_mordecai/?hl=en, -Malik Mustapha,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/eyrgxgpbrycd9x8glk0j.png,https://www.instagram.com/stapha/, -Siran Neal,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/muhthfs6owkkpsyop1e6,https://www.instagram.com/siranneal/?hl=en, -Drake Nugent,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/qyb4kurtbv9uflmupfnc.png,https://www.instagram.com/drakenugent9/?hl=en, -George Odum,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/sqpxhoycdpegkyjn6ooc.jpg,https://www.instagram.com/george.w.odum/?hl=en, -Sam Okuayinonu,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/fyolr2zk2nplfbdze75l.jpg,https://www.instagram.com/sam.ok97/?hl=en, -Terique Owens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/okhin0uwdon2nimvbtwd.png,https://www.instagram.com/terique_owens/?hl=en, -Ricky Pearsall,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/to7q7w4kjiajseb4ljcx.png,https://www.instagram.com/ricky.pearsall/?hl=en, -Jason Pinnock,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/on29awacb9frijyggtgt,https://www.instagram.com/jpinny15/?hl=en, -Austen Pleasants,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wsbs5emdyzuc1sudbcls.png,https://www.instagram.com/oursf49ers/p/DDr48a4PdcO/?hl=en, -Mason Pline,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/mvjlaxpu8bu33ohspqot.png,https://www.instagram.com/mpline12/?hl=en, -Dominick Puni,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/tq1snozjpjrgrjoflrfg.png,https://www.instagram.com/dompuni/?hl=en, -Brock Purdy,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wt42ykvuxpngm4m1axxn.png,https://www.instagram.com/brock.purdy13/?hl=en,https://www.youtube.com/watch?v=O-ft3FPYwiA -Curtis Robinson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/x3xyzgeapcafr0gicl5y.jpg,https://www.instagram.com/curtis_robinsonn/?hl=en,https://www.youtube.com/watch?v=8wyHHbXoFZI -Demarcus Robinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/lakf0xue1qqb7ed4p6ge,https://www.instagram.com/demarcusrobinson/?hl=en,https://www.youtube.com/watch?v=1vwP8vs-mXI -Patrick Taylor Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/hochjncae0hqcoveuexq.jpg,https://www.instagram.com/patricktaylor/?hl=en, -Trent Taylor,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/j8lom4fnsveujt8hykef.jpg,https://www.instagram.com/trent5taylor/?hl=en,https://www.youtube.com/watch?v=kiEy31sL0co -Tre Tomlinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/n5pfv126xw0psc0d1ydz,https://www.instagram.com/trevius/?hl=en, -Jake Tonges,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/la3z5y6u7tix6rnq2m5l.jpg,https://www.instagram.com/jaketonges/?hl=en, -Fred Warner,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/zo4ftfar4bshrbipceuk.jpg,https://www.instagram.com/fred_warner/?hl=en,https://www.youtube.com/watch?v=IwBlFktlNwY -Jon Weeks,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/d9fvm74pu4vyinveopbf,https://www.instagram.com/jonweeks46/?hl=en,https://www.youtube.com/watch?v=FO_iJ1IEOQU -DaShaun White,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/mjnpmkw3ar6zcj2hxxzd,https://www.instagram.com/demoeto/?hl=en,https://www.youtube.com/watch?v=mk4aHkdYaUQ -Trent Williams,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/bnq8i5urjualxre5caqz.jpg,https://www.instagram.com/trentwilliams71/?hl=en,https://www.youtube.com/watch?v=k7FDcmcawL0 -Brayden Willis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xmo7hsuho3ehmsjwvthc.jpg,https://www.instagram.com/brayden_willis/?hl=en,https://www.youtube.com/watch?v=3KNc8s3Xwos -Dee Winters,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ggf13riajo0kn0y6kbu0.jpg,https://www.instagram.com/dwints_/?hl=en, -Mitch Wishnowsky,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mkf1xr1x8nr9l55oq72a.jpg,https://www.instagram.com/mitchwish3/?hl=en,https://www.youtube.com/watch?v=ZkH6eWs5Yd8 -Nick Zakelj,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/o92tva22zezdz4aksadl.jpg,https://www.instagram.com/nickzakelj/?hl=en, diff --git a/data/april_11_multimedia_data_collect/player_headshots.py b/data/april_11_multimedia_data_collect/player_headshots.py deleted file mode 100644 index 9e5f1445f1cc342fd0e6e5a80a9e0448ffc64e15..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/player_headshots.py +++ /dev/null @@ -1,73 +0,0 @@ -import requests -from bs4 import BeautifulSoup -import csv - -ROSTER_URL = "https://www.49ers.com/team/players-roster/" - -def scrape_49ers_roster(output_csv='niners_players_headshots.csv'): - """ - Scrapes the 49ers roster page for player data and saves to CSV. - Extracts: - - Name - - Headshot Image URL - """ - response = requests.get(ROSTER_URL) - response.raise_for_status() - soup = BeautifulSoup(response.text, 'html.parser') - - player_rows = soup.select('div.d3-o-table--horizontal-scroll tbody tr') - if not player_rows: - raise ValueError("No player rows found. The page structure may have changed.") - - roster_data = [] - for row in player_rows: - try: - # Extract player name and headshot - player_cell = row.find('td') - name_tag = player_cell.select_one('.nfl-o-roster__player-name') - name = name_tag.get_text(strip=True) if name_tag else "" - - img_tag = player_cell.find('img') - headshot_url = img_tag['src'] if img_tag and img_tag.get('src') else "" - - # Fix the URL by replacing t_lazy with t_thumb_squared_2x - if headshot_url: - headshot_url = headshot_url.replace('/t_thumb_squared/t_lazy/', '/t_thumb_squared_2x/') - - # Other stats (in order of table columns) - # cells = row.find_all('td') - # jersey_number = cells[1].get_text(strip=True) if len(cells) > 1 else "" - # position = cells[2].get_text(strip=True) if len(cells) > 2 else "" - # height = cells[3].get_text(strip=True) if len(cells) > 3 else "" - # weight = cells[4].get_text(strip=True) if len(cells) > 4 else "" - # age = cells[5].get_text(strip=True) if len(cells) > 5 else "" - # experience = cells[6].get_text(strip=True) if len(cells) > 6 else "" - # college = cells[7].get_text(strip=True) if len(cells) > 7 else "" - - roster_data.append({ - 'name': name, - # 'jersey_number': jersey_number, - # 'position': position, - # 'height': height, - # 'weight': weight, - # 'age': age, - # 'experience': experience, - # 'college': college, - 'headshot_url': headshot_url - }) - - except Exception as e: - print(f"[WARNING] Skipping row due to error: {e}") - continue - - # Save to CSV - with open(output_csv, 'w', newline='', encoding='utf-8') as f: - fieldnames = ['name', 'headshot_url'] - writer = csv.DictWriter(f, fieldnames=fieldnames) - writer.writeheader() - writer.writerows(roster_data) - - print(f"[INFO] Successfully saved {len(roster_data)} players to '{output_csv}'.") - -if __name__ == "__main__": - scrape_49ers_roster() diff --git a/data/april_11_multimedia_data_collect/schedule_with_result_and_logo_urls.csv b/data/april_11_multimedia_data_collect/schedule_with_result_and_logo_urls.csv deleted file mode 100644 index f4c1558bdb681d00f4db3e42a460c2b275df74d6..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/schedule_with_result_and_logo_urls.csv +++ /dev/null @@ -1,18 +0,0 @@ -Match Number,Round Number,Date,Location,Home Team,Away Team,Result,game_result,home_team_logo_url,away_team_logo_url -1,1,10/09/2024 00:15,Levi's Stadium,San Francisco 49ers,New York Jets,32 - 19,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/nyj.png -28,2,15/09/2024 17:00,U.S. Bank Stadium,Minnesota Vikings,San Francisco 49ers,23 - 17,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/min.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png -38,3,22/09/2024 20:25,SoFi Stadium,Los Angeles Rams,San Francisco 49ers,27 - 24,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/lar.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png -55,4,29/09/2024 20:05,Levi's Stadium,San Francisco 49ers,New England Patriots,30 - 13,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/ne.png -70,5,06/10/2024 20:05,Levi's Stadium,San Francisco 49ers,Arizona Cardinals,23 - 24,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/ari.png -92,6,11/10/2024 00:15,Lumen Field,Seattle Seahawks,San Francisco 49ers,24 - 36,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sea.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png -96,7,20/10/2024 20:25,Levi's Stadium,San Francisco 49ers,Kansas City Chiefs,18 - 28,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/kc.png -109,8,28/10/2024 00:20,Levi's Stadium,San Francisco 49ers,Dallas Cowboys,30 - 24,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/dal.png -149,10,10/11/2024 18:00,Raymond James Stadium,Tampa Bay Buccaneers,San Francisco 49ers,20 - 23,Win,https://a.espncdn.com/i/teamlogos/nfl/500/tb.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png -158,11,17/11/2024 21:05,Levi's Stadium,San Francisco 49ers,Seattle Seahawks,17 - 20,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/sea.png -169,12,24/11/2024 21:25,Lambeau Field,Green Bay Packers,San Francisco 49ers,38 - 10,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/gb.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png -181,13,02/12/2024 01:20,Highmark Stadium,Buffalo Bills,San Francisco 49ers,35 - 10,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/buf.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png -199,14,08/12/2024 21:25,Levi's Stadium,San Francisco 49ers,Chicago Bears,38 - 13,Win,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/chi.png -224,15,13/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Los Angeles Rams,6 - 12,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/lar.png -228,16,22/12/2024 21:25,Hard Rock Stadium,Miami Dolphins,San Francisco 49ers,29 - 17,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/mia.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png -246,17,31/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Detroit Lions,34 - 40,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png,https://a.espncdn.com/i/teamlogos/nfl/500/det.png -257,18,05/01/2025 21:25,State Farm Stadium,Arizona Cardinals,San Francisco 49ers,47 - 24,Loss,https://a.espncdn.com/i/teamlogos/nfl/500/ari.png,https://a.espncdn.com/i/teamlogos/nfl/500/sf.png diff --git a/data/april_11_multimedia_data_collect/team_logos.py b/data/april_11_multimedia_data_collect/team_logos.py deleted file mode 100644 index 37d5e32aebc78446fe93b1b5a05a40b0f28d8d42..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/team_logos.py +++ /dev/null @@ -1,298 +0,0 @@ -import requests -from bs4 import BeautifulSoup -import csv -import os -import time -import re -import json -import logging - -# Set up logging -logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s') -logger = logging.getLogger(__name__) - -# Constants -NFL_TEAMS_URL = "https://www.nfl.com/teams/" -OUTPUT_DIR = "team_logos" -CSV_OUTPUT = "nfl_team_logos.csv" -EXPECTED_TEAM_COUNT = 32 - -def ensure_output_dir(dir_path): - """Ensure output directory exists""" - if not os.path.exists(dir_path): - os.makedirs(dir_path) - logger.info(f"Created directory: {dir_path}") - -def download_image(url, file_path): - """Download image from URL and save to file_path""" - try: - headers = { - 'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.124 Safari/537.36', - } - response = requests.get(url, headers=headers, stream=True) - response.raise_for_status() - - with open(file_path, 'wb') as f: - for chunk in response.iter_content(chunk_size=8192): - f.write(chunk) - - return True - except Exception as e: - logger.error(f"Failed to download image from {url}: {e}") - return False - -def get_team_logo_urls(): - """ - Get team logo URLs directly from team pages. - Returns a dictionary mapping team names to their logo URLs. - """ - logger.info(f"Fetching team information from {NFL_TEAMS_URL}") - - headers = { - 'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.124 Safari/537.36', - } - - try: - response = requests.get(NFL_TEAMS_URL, headers=headers) - response.raise_for_status() - except Exception as e: - logger.error(f"Failed to fetch NFL teams page: {e}") - return {} - - soup = BeautifulSoup(response.text, 'html.parser') - - # Find all team links - team_links = [] - for a_tag in soup.find_all('a', href=True): - if '/teams/' in a_tag['href'] and a_tag['href'].count('/') >= 3: - # This looks like a team-specific link - team_links.append(a_tag['href']) - - # Get unique team URLs - team_urls = {} - for link in team_links: - # Extract team slug (e.g., 'cardinals', '49ers') - match = re.search(r'/teams/([a-z0-9-]+)/?$', link) - if match: - team_slug = match.group(1) - if team_slug not in team_urls: - full_url = f"https://www.nfl.com{link}" if not link.startswith('http') else link - team_urls[team_slug] = full_url - - logger.info(f"Found {len(team_urls)} unique team URLs") - - # Visit each team page to get the official logo - team_logos = {} - for slug, url in team_urls.items(): - try: - logger.info(f"Visiting team page: {url}") - team_response = requests.get(url, headers=headers) - team_response.raise_for_status() - - team_soup = BeautifulSoup(team_response.text, 'html.parser') - - # Get team name from title - title_tag = team_soup.find('title') - if title_tag: - title_text = title_tag.text - team_name = title_text.split('|')[0].strip() - if not team_name: - team_name = slug.replace('-', ' ').title() # Fallback to slug - else: - team_name = slug.replace('-', ' ').title() # Fallback to slug - - # Look for team logo in various places - logo_url = None - - # Method 1: Look for logo in meta tags (most reliable) - og_image = team_soup.find('meta', property='og:image') - if og_image and og_image.get('content'): - logo_url = og_image.get('content') - - # Method 2: Look for team logos in certain image tags or SVGs - if not logo_url: - team_header = team_soup.find('div', class_=lambda c: c and ('team-header' in c or 'logo' in c)) - if team_header: - img = team_header.find('img') - if img and img.get('src'): - logo_url = img.get('src') - - # Method 3: JavaScript data - if not logo_url: - scripts = team_soup.find_all('script') - for script in scripts: - if script.string and ('logo' in script.string.lower() or 'image' in script.string.lower()): - # Try to extract JSON data with logo information - json_matches = re.findall(r'({.*?"logo".*?})', script.string) - for match in json_matches: - try: - data = json.loads(match) - if 'logo' in data and isinstance(data['logo'], str): - logo_url = data['logo'] - break - except: - continue - - # Method 4: Fallback to a known pattern based on team abbreviation - if not logo_url and len(slug) > 2: - # Some teams have standardized logo URLs with abbreviations - team_abbr = slug[:2].upper() # Get first 2 chars as abbreviation - logo_url = f"https://static.www.nfl.com/t_headshot_desktop/f_auto/league/api/clubs/logos/{team_abbr}" - - # If we found a logo, add it to our dictionary - if logo_url: - # If necessary, make the URL absolute - if not logo_url.startswith('http'): - logo_url = f"https://www.nfl.com{logo_url}" if logo_url.startswith('/') else f"https://www.nfl.com/{logo_url}" - - team_logos[team_name] = logo_url - logger.info(f"Found logo for {team_name}: {logo_url}") - else: - logger.warning(f"Could not find logo URL for {team_name}") - - # Be polite with rate limiting - time.sleep(1) - - except Exception as e: - logger.error(f"Error processing team page {url}: {e}") - - logger.info(f"Found logos for {len(team_logos)} teams") - return team_logos - -def download_team_logos(): - """Download NFL team logos and save to CSV""" - logger.info("Starting NFL team logo download") - - # Ensure output directory exists - ensure_output_dir(OUTPUT_DIR) - - # Get team logo URLs from team pages - team_logos = get_team_logo_urls() - - # Use a backup approach for any missing teams - if len(team_logos) < EXPECTED_TEAM_COUNT: - logger.warning(f"Only found {len(team_logos)} team logos from web scraping. Using ESPN API as backup.") - # We'll use ESPN's API to get team data including logos - try: - espn_url = "https://site.api.espn.com/apis/site/v2/sports/football/nfl/teams" - response = requests.get(espn_url) - response.raise_for_status() - - espn_data = response.json() - if 'sports' in espn_data and len(espn_data['sports']) > 0: - if 'leagues' in espn_data['sports'][0] and len(espn_data['sports'][0]['leagues']) > 0: - if 'teams' in espn_data['sports'][0]['leagues'][0]: - for team_data in espn_data['sports'][0]['leagues'][0]['teams']: - team = team_data.get('team', {}) - team_name = team.get('displayName') - if team_name and team_name not in team_logos: - logo_url = team.get('logos', [{}])[0].get('href') - if logo_url: - team_logos[team_name] = logo_url - logger.info(f"Added {team_name} logo from ESPN API: {logo_url}") - except Exception as e: - logger.error(f"Error fetching from ESPN API: {e}") - - # If we still don't have enough teams, use a manually defined dictionary - if len(team_logos) < EXPECTED_TEAM_COUNT: - logger.warning(f"Still only have {len(team_logos)} teams. Adding manual definitions for missing teams.") - - # Standard team names that should be present - standard_teams = [ - "Arizona Cardinals", "Atlanta Falcons", "Baltimore Ravens", "Buffalo Bills", - "Carolina Panthers", "Chicago Bears", "Cincinnati Bengals", "Cleveland Browns", - "Dallas Cowboys", "Denver Broncos", "Detroit Lions", "Green Bay Packers", - "Houston Texans", "Indianapolis Colts", "Jacksonville Jaguars", "Kansas City Chiefs", - "Las Vegas Raiders", "Los Angeles Chargers", "Los Angeles Rams", "Miami Dolphins", - "Minnesota Vikings", "New England Patriots", "New Orleans Saints", "New York Giants", - "New York Jets", "Philadelphia Eagles", "Pittsburgh Steelers", "San Francisco 49ers", - "Seattle Seahawks", "Tampa Bay Buccaneers", "Tennessee Titans", "Washington Commanders" - ] - - # Manual dictionary of team logos (use correct ones from NFL's CDN) - manual_logos = { - "Arizona Cardinals": "https://static.www.nfl.com/image/private/f_auto/league/u9fltoslqdsyao8cpm0k", - "Atlanta Falcons": "https://static.www.nfl.com/image/private/f_auto/league/d8m7hzwsyzgg0smz7ifyj", - "Baltimore Ravens": "https://static.www.nfl.com/image/private/f_auto/league/ucsdijmddsqcj1i9tddd", - "Buffalo Bills": "https://static.www.nfl.com/image/private/f_auto/league/giphcy6ie9mxbnldntsf", - "Carolina Panthers": "https://static.www.nfl.com/image/private/f_auto/league/ervfzgrqdpnc7lh5gqwq", - "Chicago Bears": "https://static.www.nfl.com/image/private/f_auto/league/ra0poq2ivwyahbaq86d2", - "Cincinnati Bengals": "https://static.www.nfl.com/image/private/f_auto/league/bpx88i8nw4nnabuq0oob", - "Cleveland Browns": "https://static.www.nfl.com/image/private/f_auto/league/omlzo6n7dpxzbpwrqaak", - "Dallas Cowboys": "https://static.www.nfl.com/image/private/f_auto/league/dxibuyxbk0b9ua5ih9hn", - "Denver Broncos": "https://static.www.nfl.com/image/private/f_auto/league/t0p7m5cjdjy18rnzzqbx", - "Detroit Lions": "https://static.www.nfl.com/image/private/f_auto/league/dhfidtn8jrumakbawoxz", - "Green Bay Packers": "https://static.www.nfl.com/image/private/f_auto/league/q1l7xmkuuyrpdmnutkzf", - "Houston Texans": "https://static.www.nfl.com/image/private/f_auto/league/bpx88i8nw4nnabuq0oob", - "Indianapolis Colts": "https://static.www.nfl.com/image/private/f_auto/league/ketwqeuschqzjsllbid5", - "Jacksonville Jaguars": "https://static.www.nfl.com/image/private/f_auto/league/bwl1nuab0n2bhi8nxiar", - "Kansas City Chiefs": "https://static.www.nfl.com/image/private/f_auto/league/ujshjqvmnxce8m4obmvs", - "Las Vegas Raiders": "https://static.www.nfl.com/image/private/f_auto/league/gzcojbzcyjgubgyb6xf2", - "Los Angeles Chargers": "https://static.www.nfl.com/image/private/f_auto/league/dhfidtn8jrumakbawoxz", - "Los Angeles Rams": "https://static.www.nfl.com/image/private/f_auto/league/rjxoqpjirhjvvitffvwh", - "Miami Dolphins": "https://static.www.nfl.com/image/private/f_auto/league/lits6p8ycthy9to70bnt", - "Minnesota Vikings": "https://static.www.nfl.com/image/private/f_auto/league/teguylrnqqmfcwxvcmmz", - "New England Patriots": "https://static.www.nfl.com/image/private/f_auto/league/moyfxx3dq5pio4aiftnc", - "New Orleans Saints": "https://static.www.nfl.com/image/private/f_auto/league/grhjkahghuebpwzo6kxn", - "New York Giants": "https://static.www.nfl.com/image/private/f_auto/league/t6mhdmgizi6qhndh8b9p", - "New York Jets": "https://static.www.nfl.com/image/private/f_auto/league/ekijosiae96gektbo1lj", - "Philadelphia Eagles": "https://static.www.nfl.com/image/private/f_auto/league/puhrqgj71gobgmwb5g3p", - "Pittsburgh Steelers": "https://static.www.nfl.com/image/private/f_auto/league/xujik9a3j8hl6jjumu25", - "San Francisco 49ers": "https://static.www.nfl.com/image/private/f_auto/league/dxibuyxbk0b9ua5ih9hn", - "Seattle Seahawks": "https://static.www.nfl.com/image/private/f_auto/league/gcytzwpjdzbpwnwxincg", - "Tampa Bay Buccaneers": "https://static.www.nfl.com/image/private/f_auto/league/v8uqiualryypwqgvwcih", - "Tennessee Titans": "https://static.www.nfl.com/image/private/f_auto/league/pln44vuzugjgipyidsre", - "Washington Commanders": "https://static.www.nfl.com/image/private/f_auto/league/xymxwrxtyj9fhaegfwof" - } - - # Fill in any missing teams with manual data - for team_name in standard_teams: - if team_name not in team_logos and team_name in manual_logos: - team_logos[team_name] = manual_logos[team_name] - logger.info(f"Added {team_name} logo from manual dictionary") - - # Process and download team logos - results = [] - for team_name, logo_url in team_logos.items(): - # Create safe filename - safe_name = team_name.replace(' ', '_').lower() - file_extension = '.png' # Default to PNG - filename = f"{safe_name}{file_extension}" - local_path = os.path.join(OUTPUT_DIR, filename) - - # Download the logo - logger.info(f"Downloading logo for {team_name} from {logo_url}") - download_success = download_image(logo_url, local_path) - - if download_success: - results.append({ - 'team_name': team_name, - 'logo_url': logo_url, - 'local_path': local_path - }) - logger.info(f"Successfully downloaded logo for {team_name}") - else: - logger.error(f"Failed to download logo for {team_name}") - - # Add a small delay - time.sleep(0.5) - - # Save to CSV - with open(CSV_OUTPUT, 'w', newline='', encoding='utf-8') as f: - fieldnames = ['team_name', 'logo_url', 'local_path'] - writer = csv.DictWriter(f, fieldnames=fieldnames) - writer.writeheader() - writer.writerows(results) - - logger.info(f"Successfully saved {len(results)} team logos out of {len(team_logos)} teams.") - logger.info(f"CSV data saved to '{CSV_OUTPUT}'") - - if len(results) < EXPECTED_TEAM_COUNT: - logger.warning(f"Only downloaded {len(results)} team logos, expected {EXPECTED_TEAM_COUNT}.") - else: - logger.info(f"SUCCESS! Downloaded all {EXPECTED_TEAM_COUNT} NFL team logos!") - - return results - -if __name__ == "__main__": - download_team_logos() \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/team_news_articles.csv b/data/april_11_multimedia_data_collect/team_news_articles.csv deleted file mode 100644 index 0ce6546625e8ab624edf17ee876d6075947f9c55..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/team_news_articles.csv +++ /dev/null @@ -1,37 +0,0 @@ -Team_name,season,city,conference,division,logo_url,summary,topic,link_to_article -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers are considering contingency plans for the upcoming NFL Draft due to their need for a defensive tackle after releasing Maliek Collins and Javon Hargrave. With the risk of other teams selecting top prospects before their picks, the 49ers are exploring acquiring Jon Franklin-Myers from the Denver Broncos. Franklin-Myers, a reliable defensive player with strong run defense skills, could be a valuable addition, reducing pressure on drafted rookies. As he enters the final year of his contract, the 49ers could acquire him for a Day 3 pick, allowing them to focus on other positions in the early rounds of the draft.","San Francisco 49ers Roster, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/17/24410197/49ers-robert-saleh-john-franklin-myers-javon-hargrave-maliek-collins -San Francisco 49ers,2025,San Francisco,NFC,West,,"The article explores the possibility of the San Francisco 49ers trading up in the draft, considering scenarios where they could secure top prospects like Travis Hunter or Abdul Carter. If the 49ers trade with the Giants for the third pick, they could potentially select Carter to bolster their defense alongside Nick Bosa. Alternatively, if Carter is taken by Cleveland, Hunter could be a strong addition for both defensive and offensive versatility. The article also discusses a smaller trade-up option with Carolina at the eighth pick, contingent on the availability of key players like Mason Graham or Jalon Walker, emphasizing the risks and potential rewards of trading up in the draft.","San Francisco 49ers Roster, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/17/24410294/49ers-armand-membou-will-campbell-mason-graham -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers hosted linebacker Chris ""Pooh"" Paul Jr., who previously played for Arkansas and Ole Miss, where he earned second-team All-SEC and third-team All-American honors. Despite being smaller than typical linebackers, Paul Jr. has shown athleticism and tackling ability, but struggles with taking on blocks. The 49ers have previously selected smaller linebackers like Dee Winters, indicating a preference for speed and physicality over size. For Paul Jr. to succeed, especially as a run defender, the 49ers would need to strengthen their defensive line to keep him clean from blockers.","San Francisco 49ers Mock Drafts, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/17/24410527/49ers-fred-warner-chris-paul-dee-winters -San Francisco 49ers,2025,San Francisco,NFC,West,,"The 49ers are exploring options to strengthen their linebacker position, hosting Ole Miss' Chris Paul, a third-team All-American and Butkus Award finalist, and Oregon's Jeffrey Bassa, both projected mid-round draft picks. The team is leveraging their success in selecting players like Dre Greenlaw and Fred Warner in similar draft rounds. Additionally, the 49ers are evaluating other prospects, including offensive linemen, a wide receiver, and a cornerback, ahead of the 2025 NFL Draft. Meanwhile, offensive lineman Alarcón, signed in January 2024, has been suspended for six games.",San Francisco 49ers News,https://www.ninersnation.com/2025/4/17/24410172/49ers-news-nfl-draft-prospect-visits-top-30-john-lynch-defensive-offensive-linemen-offseason-brock -San Francisco 49ers,2025,San Francisco,NFC,West,,"San Francisco 49ers offensive tackle Isaac Alarcon has been suspended without pay for the first six games of the 2025 regular season due to a violation of the NFL’s Performance-Enhancing Substances Policy. Despite the suspension, Alarcon can still participate in offseason activities and preseason games. His absence is not expected to significantly impact the 49ers' depth chart, as the team has several other tackles on the roster. Alarcon, part of the NFL’s International Player Pathway Program, has yet to play a regular-season snap for the team.","San Francisco 49ers Roster, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/16/24410021/49ers-isaac-alacron-colton-mckivitiz-kyle-shanahan-trent-williams -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers released several defensive linemen this offseason, leaving Nick Bosa as the only remaining starter. The team plans to draft multiple defensive linemen, but it's unlikely they will start three rookies alongside Bosa. Among the current players, Yetur Gross-Matos, Sam Okuayinonu, Kalia Davis, and Drake Jackson are potential candidates to step up. Gross-Matos and Okuayinonu have shown potential, while Evan Anderson could contribute in a rotational role.","San Francisco 49ers Roster, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/16/24409910/49ers-yetur-gross-matos-sam-okuayinonu-robert-beal -San Francisco 49ers,2025,San Francisco,NFC,West,,"With the 2025 NFL Draft approaching, the San Francisco 49ers hold the No. 11 overall pick and are evaluating potential selections, particularly at the tight end position. Michigan's Colston Loveland and LSU's Mason Taylor are top prospects, with Loveland being a potential first-round choice if the team trades down, despite past injury concerns. Other tight end prospects like Bowling Green's Harold Fannin, Georgia Tech's Jackson Hawes, and Texas Tech's Jalin Conyers have also been considered for later rounds, offering various skills in pass-catching and blocking. The 49ers are seeking a long-term successor to George Kittle, as well as potential cost-effective options in free agency.","San Francisco 49ers Roster, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/16/24409848/san-francisco-49ers-realistic-targets-tight-end-2025-nfl-draft-colston-loveland-mason-taylor -San Francisco 49ers,2025,San Francisco,NFC,West,,"As the NFL draft approaches, the San Francisco 49ers are poised to benefit from potential early quarterback selections, allowing a premium player to fall to them at pick 11. Bleacher Report's mock draft predicts the 49ers will select Penn State tight end Tyler Warren, forming a formidable duo with George Kittle and offering long-term offensive dynamism. The 49ers are also projected to strengthen their offensive line with Josh Conerly from Oregon and bolster their defensive line with T.J. Sanders from South Carolina. These picks aim to address both immediate and future team needs.","San Francisco 49ers Draft, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/16/24409746/49ers-load-up-on-offense-in-latest-3-round-mock-draft-tyler-warren-tj-sanders-bleacher-report -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers have key roster needs in the offensive and defensive lines, with cornerback as a close third, as the NFL Draft approaches. Betting odds suggest high likelihoods for players like OT Josh Simmons and DT Mason Graham to be first-round picks, while others like CB Maxwell Hairston and Edge James Pearce Jr. also have strong chances. Fourteen prospects are considered for the 49ers' 11th pick, with potential for trade moves depending on draft developments.","San Francisco 49ers Roster, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/16/24408997/49ers-mock-draft-fan-duel-odds -San Francisco 49ers,2025,San Francisco,NFC,West,,"The 49ers are focusing on strengthening their offensive line in the 2025 NFL Draft and are hosting Ohio State tackle Josh Simmons for a visit. Simmons is considered a potential successor to their current left tackle, Trent Williams, who is nearing the end of his career. Despite his impressive performance at Ohio State, Simmons' recent knee injury is a concern, and the 49ers are thoroughly evaluating his condition. If satisfied with his recovery, Simmons could be a key future asset for the team.","NFL, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/16/24409650/49ers-hosting-visit-potential-trent-williams-successor-one-significant-red-flag -San Francisco 49ers,2025,San Francisco,NFC,West,,"The 49ers are exploring options to enhance their roster depth, particularly at running back and offensive tackle. They are considering SMU’s Brashard Smith, a versatile player with impressive all-purpose yardage, and LSU's Will Campbell, a strong left tackle prospect. The team is also evaluating potential draft picks in other positions, including Virginia Tech wideout Felton, Cal linebacker Teddye Buchanan, and several defensive backs like Quincy Riley and Mello Dotson. These prospects offer a range of skills that could address the team's needs in both offensive and defensive roles.",San Francisco 49ers News,https://www.ninersnation.com/2025/4/16/24409398/49ers-news-offseason-mock-draft-defensive-tackle-running-back-deebo-samuel-replacement-nfl-lynch -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers hold the No. 11 pick in the upcoming 2025 NFL Draft and are considered a potential wild-card team due to their draft strategy flexibility. ESPN’s Field Yates suggests they could trade up if certain scenarios unfold, such as Colorado quarterback Shedeur Sanders being picked third overall. This could push top offensive tackles down the board, tempting the 49ers to address their significant offensive line needs by leapfrogging teams like the Chicago Bears. With 11 picks, including four in the Top 100, San Francisco has the draft capital to make such a move, though it remains uncertain if they will do so.","San Francisco 49ers Mock Drafts, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/15/24409188/san-francisco-49ers-top-trade-up-candidate-round-1-2025-nfl-draft-espn-kyle-shanahan-john-lynch -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers are focusing on drafting an impact defensive lineman with their first-round pick, particularly at pick 11, to bolster their defensive line alongside Nick Bosa. With the departures of key players like Javon Hargrave and Leonard Floyd, the team aims to find a three-down player to enhance their pass rush and return to their successful defensive strategies of the past. The 49ers are considering prospects like Mason Graham and Kenneth Grant, emphasizing the need for an immediate contributor due to past struggles with first-round picks. The team's strategy is driven by the return of Robert Saleh as defensive coordinator and the development work of Kris Kocurek.","San Francisco 49ers Draft, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/15/24409069/the-49ers-must-return-to-their-pass-rushing-roots-in-2025-nfl-draft-robert-saleh -San Francisco 49ers,2025,San Francisco,NFC,West,,"In a mock draft by ESPN's Mel Kiper Jr. and Field Yates, the San Francisco 49ers selected Kelvin Banks Jr., an offensive tackle from Texas, at No. 11, addressing future needs on the offensive line. In the second round, they picked James Pearce Jr., an edge rusher from Tennessee, to enhance pass-rush depth, despite concerns about his motor. The third round saw the selection of Alfred Collins, a defensive tackle from Texas, to bolster the defensive line, and Upton Stout, a cornerback from Western Kentucky, to strengthen the secondary. Each pick aimed to address specific team needs with a mix of immediate impact and developmental potential.","San Francisco 49ers Mock Drafts, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/15/24408996/49ers-james-pearce-kelvin-banks-upton-stout-alfred-collins -San Francisco 49ers,2025,San Francisco,NFC,West,,"The Miami Dolphins and cornerback Jalen Ramsey are exploring trade options, despite Ramsey signing a contract extension in September 2024. The Dolphins would absorb most of his contract's financial burden if traded, making it feasible for another team, like the 49ers, to acquire him. The 49ers, familiar with Ramsey through past coaching connections, could benefit from his experience and leadership, especially given their need for an established veteran in the secondary. Ramsey, still performing at a high level, would likely cost the 49ers no more than a third-round pick, making him a valuable addition to their roster.","NFL, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/15/24408922/49ers-jalen-ramsey-robert-saleh-gus-bradley -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers, holding the No. 11 overall pick in the 2025 NFL Draft, are unlikely to select a wide receiver early due to other pressing team needs and the lack of a consensus top receiver. However, they are exploring wide receiver options for Day 2 and beyond, with prospects like Iowa State's Jayden Higgins, TCU's Savion Williams, Washington State's Kyle Williams, UNLV's Ricky White, and Tennessee's Dont’e Thornton being considered. Each prospect offers unique skills, such as Higgins' size and athleticism, Savion Williams' potential for versatility, Kyle Williams' speed, White's route-running abilities, and Thornton's vertical threat, which could complement the 49ers' existing roster needs","San Francisco 49ers Roster, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/15/24408628/san-francisco-49ers-realistic-targets-wide-receivers-2025-nfl-draft-jayden-higgins-savion-williams -San Francisco 49ers,2025,San Francisco,NFC,West,,"Baldinger identifies James Pearce Jr. as an ideal first-round pick for the 49ers, highlighting his elite athleticism and ability to collapse the pocket, as evidenced by his impressive performance metrics and high grades from Pro Football Focus. The 49ers are also exploring other prospects, hosting Toledo DT Darius Alexander, known for his versatility, and Ole Miss LB Chris Paul Jr. for pre-draft visits. Additionally, Tennessee DT Omari Thomas, noted for his versatility and leadership, has met with the team, showcasing his ability to play multiple defensive positions.",San Francisco 49ers News,https://www.ninersnation.com/2025/4/15/24408720/49ers-news-mock-draft-defensive-linemen-pre-visit-hosting-meeting-kyle-kris-robert-saleh-brock-purdy -San Francisco 49ers,2025,San Francisco,NFC,West,,"With the 2025 NFL Draft approaching, a new mock draft predicts the San Francisco 49ers will trade down from their No. 11 pick to No. 14, selecting Texas A&M defensive lineman Shemar Stewart. At No. 42, they choose Notre Dame cornerback Benjamin Morrison, contingent on his recovery from a hip injury. The 49ers also plan to bolster their defensive line with Collins in the third round and add versatility in the secondary by picking Texas safety Andrew Mukuba at No. 80. Finally, they aim to secure linebacker depth by selecting Chris Paul Jr. at No. 100, potentially as Dre Greenlaw's future replacement.","San Francisco 49ers Mock Drafts, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/14/24408361/san-francisco-49ers-3-round-mock-draft-shemar-stewart-defense-wins-championships-kyle-shanahan -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers are considering Toledo defensive tackle Darius Alexander during their pre-draft visits. Known for his elite pass rush win rate and athleticism, Alexander consistently performs as a 3-technique, offering solid run defense and disruptive pass-rushing plays. While his ceiling may not be the highest, he is reliable in his performance. If drafted, Alexander would likely be a second-round pick at No. 43 overall, fitting the team's potential shift towards more powerful defensive tackles.","San Francisco 49ers Roster, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/14/24408266/49ers-darius-alexander-robert-saleh-nfl-draft -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers are focusing on acing their upcoming draft to address roster age and cap issues, especially after a disappointing season with significant player departures. Despite previous success in later draft rounds, the team is under pressure to find impactful first-round talent, particularly for their lines of scrimmage. With 11 draft picks, including the 11th overall, the 49ers aim to secure key players to fill gaps on both the offensive and defensive lines. The team also faces challenges with minimal offseason additions and ongoing contract negotiations with QB Brock Purdy.","San Francisco 49ers Draft, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/14/24408255/49ers-need-to-ace-their-nfl-draft-john-lynch-kyle-shanahan -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers are set to meet with Washington State wide receiver Kyle Williams, a prospect from the Senior Bowl. Williams had a standout year in 2024 with 70 receptions, 1,196 yards, and 14 touchdowns, but concerns remain about his suitability for the NFL due to his small stature and limited route-running skills. Despite his speed, his college offense was simplistic, and his ability to transition to the professional level is questionable. Some suggest that another player, Jacob Cowing, might be a more promising prospect.","San Francisco 49ers Roster, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/14/24408194/49ers-kyle-williams-washington-state-jacob-cowing-nfl-draft -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers, with 11 draft picks, are considering trade-back options in the upcoming draft to address their needs after a disappointing 6-11 season. If top targets like Mason Graham, Armand Membou, and Will Campbell are unavailable, the team could trade back from the 11th pick, potentially targeting Boise State running back Ashton Jeanty as a trade asset. A deal with Denver, moving to the 20th pick and gaining an additional second-round pick, is one possibility. This strategy would allow the 49ers to acquire more selections without significantly dropping in the draft order, providing flexibility to compete for the Lombardi Trophy in 2025.","San Francisco 49ers Roster, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/14/24407798/49ers-draft-scenarios-trade-back-walter-nolen -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers face significant roster turnover heading into the 2025 NFL Draft, needing to replace 16.6% of their snaps, the fourth-highest in the league. While the offense remains mostly stable, losing only 10.5% of snaps, the defense will undergo major changes, with 22.6% of its snaps needing replacement. Key defensive players like De’Vondre Campbell, Maliek Collins, and Charvarius Ward will be replaced, impacting positions such as linebacker, defensive tackle, and cornerback. Additionally, improvements in special teams are anticipated, given the previous season's underperformance.","San Francisco 49ers Roster, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/14/24407808/49ers-leonard-floyd-charvarius-ward-talanoa-hufanga -San Francisco 49ers,2025,San Francisco,NFC,West,,"The NFL plans to release the full 2025 schedule around May 13-15, according to Mike North, the league's VP of broadcast planning and scheduling. Meanwhile, the San Francisco 49ers are conducting Top 30 pre-draft visits to evaluate prospects for the 2025 NFL Draft, with updates on these visits being tracked.",San Francisco 49ers News,https://www.ninersnation.com/2025/4/14/24407898/49ers-news-schedule-release-offseason-pre-draft-visit-tracker-prospects-brock-purdy-brandon-aiyuk -San Francisco 49ers,2025,San Francisco,NFC,West,,"The 49ers are considering selecting Texas' Jahdae Barron in the 2024 NFL Draft to bolster their secondary, despite having more pressing needs on the defensive line. Barron, known for his versatility and superb ball skills, could provide significant long-term benefits to the 49ers' defensive backfield. His ability to play multiple positions, including outside corner, slot, and safety, offers the team flexibility and potential strategic advantages. While the 49ers have traditionally focused on strengthening their defensive front, adding Barron could enhance their secondary's playmaking capabilities and overall defensive strategy.","San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/13/24407322/would-jahdae-barron-make-sense-49ers-surprise-selection-no-11-2025-draft -San Francisco 49ers,2025,San Francisco,NFC,West,,"The 49ers are considering several prospects for the NFL draft, including Ezeiruaku, an edge rusher known for his effective use of 34-inch arms and impressive college stats of 47 tackles for loss and 30 sacks over four seasons. Despite his slightly smaller size for a 4-3 defensive end, he demonstrates good explosiveness and balance. They also met with Georgia DT Warren Brinson, who has consistently high defensive grades, and WR prospect Mumpfield, noted for his exceptional route running and ability to make contested catches.",San Francisco 49ers News,https://www.ninersnation.com/2025/4/13/24407284/49ers-news-pre-draft-visit-prospects-mock-aiyuk-brock-purdy-contract-trade-offseason-kyle-jed-john -San Francisco 49ers,2025,San Francisco,NFC,West,,"Tom Brady is collaborating with AMC Networks and several production companies to create a docuseries titled ""Gold Rush,"" set to premiere in 2026, which will explore the San Francisco 49ers' impact on the NFL. The series will feature interviews with 49ers legends and previously unseen NFL Films footage. Meanwhile, the 49ers are strategizing on how to replace linebacker Dre Greenlaw, considering several draft prospects. Additionally, a potential shoulder surgery for Saints quarterback Derek Carr could influence the 49ers' draft options by shifting available prospects.",San Francisco 49ers News,https://www.ninersnation.com/2025/4/12/24406730/49ers-news-offseason-mock-draft-pre-visits-prospects-derek-carr-injury-shoulder-surgery-brock-aiyuk -San Francisco 49ers,2025,San Francisco,NFC,West,,"George Kittle, a star NFL player for the San Francisco 49ers, is a lifelong wrestling enthusiast who has actively blended his love for football and wrestling. He made a notable appearance at WrestleMania 39, where he got involved in the action by clotheslining The Miz, thrilling the crowd. Kittle continues to celebrate his passion for wrestling by hosting ""KittleMania,"" a fan event in Las Vegas, and collaborating with WWE star Penta El Zero Miedo on a wrestling-inspired clothing line. Although he remains focused on football, Kittle has not ruled out a future in WWE, and his charisma and passion make him a natural fit for the wrestling world.",San Francisco 49ers News,https://www.ninersnation.com/2025/4/11/24405991/49ers-tight-end-to-turnbuckle-george-kittles-epic-wrestling-journey -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers, under Kyle Shanahan and John Lynch, have had a mixed draft record with notable successes like Brock Purdy and George Kittle, but also some first-round misses. Despite not having first-round picks in 2022 and 2023, their overall draft performance over the last decade ranks them eighth according to Betway's analysis, with a score of 30.7 out of 100. The rankings place them behind recent Super Bowl winners like the Chiefs and Rams. The upcoming 2025 draft is crucial for the 49ers to enhance their roster and maintain competitiveness.","San Francisco 49ers Draft, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/11/24406301/49ers-last-10-years-in-the-nfl-draft-trent-baalke-john-lynch -San Francisco 49ers,2025,San Francisco,NFC,West,,"As the 2025 NFL Draft approaches, the San Francisco 49ers are conducting their Top-30 visits to evaluate potential draft picks. These visits focus on key areas such as the defensive line, secondary, tight end, and offensive line, indicating the team's strategic priorities. The inclusion of prospects like Walter Nolen and Omarr Norman-Lott suggests a focus on enhancing the pass rush and run defense, while engagements with cornerbacks and safeties aim to bolster the defensive backfield. Additionally, the team is exploring options for depth at tight end and offensive positions, reflecting a comprehensive strategy to strengthen their roster.","San Francisco 49ers Draft, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/11/24405659/49ers-draft-strategy-by-looking-at-their-top-30-visits -San Francisco 49ers,2025,San Francisco,NFC,West,,"In the 2024 NFL Draft, the San Francisco 49ers are expected to prioritize adding a pass catcher due to the trade of Deebo Samuel and uncertainty around Brandon Aiyuk's return. The team has a history of drafting wide receivers and tight ends, and this year's class offers a variety of options in both positions. The article suggests that while dynamic tight ends are available, the 49ers might find value in selecting wide receivers like Bond or Horton in the fourth round. The team is likely to explore options beyond the early rounds to enhance their depth chart.","San Francisco 49ers Draft, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/11/24405840/49ers-savion-williams-jaylin-noel-jack-bech-jacob-cowing -San Francisco 49ers,2025,San Francisco,NFC,West,,"Stanford wide receiver Elic Ayomanor is appealing to the 49ers, highlighting his strength, speed, and blocking abilities as a good fit for their team. San Jose State's Nash, a prolific college receiver, is seen as a potential fifth-round pick due to his slot receiver experience and lack of breakaway speed, despite his physicality and late switch to the position. Washington State's Pole, a quick learner with a basketball background, excelled as a left tackle, not allowing any sacks last season. Louisville's Quincy Riley and Georgia Tech's Jackson Hawes are among other prospects visiting the 49ers, while veteran kicker Gay, known for his accuracy inside 50 yards, could compete with Moody.",San Francisco 49ers News,https://www.ninersnation.com/2025/4/11/24405927/49ers-news-brock-purdy-contract-extension-mock-draft-nfl-prospects-stanford-visits-agents-trade -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers are expected to heavily invest in their defensive line during the 2025 NFL Draft, but their strategy for the offensive line remains uncertain. With Trent Williams recovering from an injury-plagued season and no clear successor, the team would benefit from drafting a tackle early. However, head coach Kyle Shanahan has suggested that Spencer Burford, a versatile 2022 draft pick, might fill the role of swing tackle despite his previous challenges. If the 49ers do not select a tackle by day three of the draft, it may indicate confidence in Burford as a backup for both Williams and Colton McKivitz.","NFL, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/10/24405550/49ers-belief-2022-selection-influence-plans-premium-position-2025-draft -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers are preparing for the 2025 NFL Draft, where they hold the 11th overall pick. In a mock draft scenario, they trade down with the Tampa Bay Buccaneers to acquire an extra third-round pick, selecting Missouri's Armand Membou as a future franchise left tackle at No. 11. They further bolster their defensive line by drafting T.J. Sanders and Darius Alexander, addressing key needs following departures in that area. Additionally, they select Michigan defensive end Josiah Stewart and Clemson linebacker Barrett Carter to strengthen their roster with high-upside talent.","San Francisco 49ers Mock Drafts, San Francisco 49ers Draft, San Francisco 49ers News",https://www.ninersnation.com/2025/4/10/24405644/san-francisco-49ers-news-3-round-mock-draft-armand-membou-will-johnson-2025-nfl-draft -San Francisco 49ers,2025,San Francisco,NFC,West,,"The San Francisco 49ers, once a perennial NFC title contender, faced a challenging 2024 season with only six wins, largely due to injuries and coaching issues. Key players like Brandon Aiyuk, Trent Williams, and Christian McCaffrey were sidelined, and the team struggled with a poor special teams unit and a change in defensive coordinators. With several key defensive players departing, the 49ers are focusing on rebuilding through the 2025 NFL Draft, targeting needs on the defensive line and other positions. Despite setbacks, there is optimism for the future, highlighted by strong performances from George Kittle and the rookie class.","San Francisco 49ers Draft, San Francisco 49ers Depth Chart, San Francisco 49ers News",https://www.ninersnation.com/2025/4/10/24405441/49ers-news-what-is-the-state-of-the-49ers-franchise -San Francisco 49ers,2025,San Francisco,NFC,West,,"AMC Networks will premiere ""Gold Rush,"" a four-part docuseries exploring the history and legacy of the San Francisco 49ers. The series will include exclusive interviews with players, coaches, and executives, providing insights into the team's evolution from its early days to its current status in the NFL. This announcement comes as interest in sports documentaries grows, with previous documentaries on the 49ers already available. While the premiere date is not yet announced, anticipation is high among fans eager to learn more about the team's storied past.",San Francisco 49ers News,https://www.ninersnation.com/2025/4/10/24405108/four-part-49ers-documentary-in-the-works-at-amc-networks-tom-brady diff --git a/data/april_11_multimedia_data_collect/team_news_scraper.py b/data/april_11_multimedia_data_collect/team_news_scraper.py deleted file mode 100644 index e6a8d4f66607bfcedf1b00d8f8672984c0971e39..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/team_news_scraper.py +++ /dev/null @@ -1,370 +0,0 @@ -import os -import csv -import time -from datetime import datetime, timedelta, timezone -import requests -from bs4 import BeautifulSoup -from dotenv import load_dotenv -import openai # Added for LLM Summarization - -# Load environment variables (for API keys) -load_dotenv() -OPENAI_API_KEY = os.getenv("OPENAI_API_KEY") -OPENAI_MODEL = os.getenv("OPENAI_MODEL", "gpt-4o") # Default to gpt-4o if not set - -if not OPENAI_API_KEY: - print("Warning: OPENAI_API_KEY not found in environment variables. Summarization will be skipped.") - # Or raise an error if summarization is critical: - # raise ValueError("OPENAI_API_KEY environment variable is required for summarization.") - -TARGET_URL = "https://www.ninersnation.com/san-francisco-49ers-news" -OUTPUT_CSV_FILE = "team_news_articles.csv" -DAYS_TO_SCRAPE = 60 # Scrape articles from the past 60 days -REQUEST_DELAY = 1 # Delay in seconds between requests to be polite - -# Add a flag to enable/disable summarization easily -ENABLE_SUMMARIZATION = True if OPENAI_API_KEY else False - -def fetch_html(url): - """Fetches HTML content from a URL with error handling.""" - try: - response = requests.get(url, headers={'User-Agent': 'Mozilla/5.0'}) # Basic user-agent - response.raise_for_status() # Raise HTTPError for bad responses (4xx or 5xx) - return response.text - except requests.exceptions.RequestException as e: - print(f"Error fetching {url}: {e}") - return None - -def parse_article_list(html_content): - """Parses the main news page to find article links and dates.""" - print("Parsing article list page...") - soup = BeautifulSoup(html_content, 'html.parser') - articles = [] - # SBNation common structure: find compact entry boxes - # Note: Class names might change, may need adjustment if scraping fails. - article_elements = soup.find_all('div', class_='c-entry-box--compact') - if not article_elements: - # Fallback: Try another common pattern if the first fails - article_elements = soup.find_all('div', class_='p-entry-box') - - print(f"Found {len(article_elements)} potential article elements.") - - for elem in article_elements: - # Find the main link within the heading - heading = elem.find('h2') - link_tag = heading.find('a', href=True) if heading else None - - # Find the time tag for publication date - time_tag = elem.find('time', datetime=True) - - if link_tag and time_tag and link_tag['href']: - url = link_tag['href'] - # Ensure the URL is absolute - if not url.startswith('http'): - # Attempt to join with base URL (requires knowing the base, careful with relative paths) - # For now, we'll rely on SBNation typically using absolute URLs or full paths - # from urllib.parse import urljoin - # base_url = "https://www.ninersnation.com" - # url = urljoin(base_url, url) - # Let's assume they are absolute for now based on typical SBNation structure - print(f"Warning: Found potentially relative URL: {url}. Skipping for now.") - continue # Skip potentially relative URLs - - date_str = time_tag['datetime'] # e.g., "2024-05-20T10:00:00-07:00" - if url and date_str: - articles.append((url, date_str)) - else: - print("Skipping element: Couldn't find link or time tag.") # Debugging - - print(f"Extracted {len(articles)} articles with URL and date.") - return articles - -def parse_article_details(html_content, url): - """Parses an individual article page to extract details including raw content.""" - print(f"Parsing article details for: {url}") - soup = BeautifulSoup(html_content, 'html.parser') - - details = { - "title": None, - "content": None, # This will store the raw content for summarization - "publication_date": None, - "link_to_article": url, - "tags": [] - } - - # Extract Title (Usually the main H1) - title_tag = soup.find('h1') # Find the first H1 - if title_tag: - details['title'] = title_tag.get_text(strip=True) - else: - print(f"Warning: Title tag (h1) not found for {url}") - - # Extract Publication Date (Look for time tag in byline) - # SBNation often uses - byline_time_tag = soup.find('span', class_='c-byline__item') - time_tag = byline_time_tag.find('time', datetime=True) if byline_time_tag else None - if time_tag and time_tag.get('datetime'): - details['publication_date'] = time_tag['datetime'] - else: - # Fallback: Search for any time tag with datetime attribute if specific class fails - time_tag = soup.find('time', datetime=True) - if time_tag and time_tag.get('datetime'): - details['publication_date'] = time_tag['datetime'] - else: - print(f"Warning: Publication date tag (time[datetime]) not found for {url}") - - # Extract Content (Paragraphs within the main content div) - content_div = soup.find('div', class_='c-entry-content') - if content_div: - paragraphs = content_div.find_all('p') - # Join non-empty paragraphs, ensuring None safety - # Store this raw content for potential summarization - details['content'] = '\n\n'.join([p.get_text(strip=True) for p in paragraphs if p.get_text(strip=True)]) - else: - print(f"Warning: Content div (div.c-entry-content) not found for {url}") - - # Extract Tags (Look for tags/labels, e.g., under "Filed under:") - # SBNation often uses a ul/div with class like 'c-entry-group-labels' or 'c-entry-tags' - tags_container = soup.find('ul', class_='m-tags__list') # A common SBNation tag structure - if tags_container: - tag_elements = tags_container.find_all('a') # Tags are usually links - details['tags'] = list(set([tag.get_text(strip=True) for tag in tag_elements if tag.get_text(strip=True)])) - else: - # Fallback: Look for another potential container like the one in the example text - filed_under_div = soup.find('div', class_='c-entry-group-labels') # Another possible class - if filed_under_div: - tag_elements = filed_under_div.find_all('a') - details['tags'] = list(set([tag.get_text(strip=True) for tag in tag_elements if tag.get_text(strip=True)])) - else: - # Specific structure from example text if needed ('Filed under:' section) - # This requires finding the specific structure around 'Filed under:' - # Could be more fragile, attempt simpler methods first. - print(f"Warning: Tags container not found using common classes for {url}") - # Example: Search based on text 'Filed under:' - less reliable - # filed_under_header = soup.find(lambda tag: tag.name == 'h2' and 'Filed under:' in tag.get_text()) - # if filed_under_header: - # parent_or_sibling = filed_under_header.parent # Adjust based on actual structure - # tag_elements = parent_or_sibling.find_all('a') if parent_or_sibling else [] - # details['tags'] = list(set([tag.get_text(strip=True) for tag in tag_elements])) - - # Basic validation - ensure essential fields were extracted for basic processing - # Content is needed for summarization but might be missing on some pages (e.g., galleries) - if not details['title'] or not details['publication_date']: - print(f"Failed to extract essential details (title or date) for {url}. Returning None.") - return None - - # Content check specifically before returning - needed for summary - if not details['content']: - print(f"Warning: Missing content for {url}. Summary cannot be generated.") - - return details - -def is_within_timeframe(date_str, days): - """Checks if a date string (ISO format) is within the specified number of days from now.""" - if not date_str: - return False - try: - # Parse the ISO format date string, handling potential 'Z' for UTC - pub_date = datetime.fromisoformat(date_str.replace('Z', '+00:00')) - - # Ensure pub_date is offset-aware (has timezone info) - # If fromisoformat gives naive datetime, assume UTC (common practice for 'Z') - if pub_date.tzinfo is None or pub_date.tzinfo.utcoffset(pub_date) is None: - pub_date = pub_date.replace(tzinfo=timezone.utc) # Assume UTC if naive - - # Get current time as an offset-aware datetime in UTC - now_utc = datetime.now(timezone.utc) - - # Calculate the cutoff date - cutoff_date = now_utc - timedelta(days=days) - - # Compare offset-aware datetimes - return pub_date >= cutoff_date - except ValueError as e: - print(f"Could not parse date: {date_str}. Error: {e}") - return False # Skip if date parsing fails - except Exception as e: - print(f"Unexpected error during date comparison for {date_str}: {e}") - return False - -def generate_summary(article_content): - """Generates a 3-4 sentence summary using OpenAI API.""" - if not ENABLE_SUMMARIZATION or not article_content: - print("Skipping summary generation (disabled or no content).") - return "" # Return empty string if summarization skipped or no content - - print("Generating summary...") - try: - client = openai.OpenAI(api_key=OPENAI_API_KEY) - - # Simple prompt for summarization - prompt = f"""Please provide a concise 3-4 sentence summary of the following article content. -Focus on the key information and main points. Do not include any information not present in the text. : - ---- -{article_content} ---- - -Summary:""" - - # Limit content length to avoid excessive token usage (adjust limit as needed) - max_content_length = 15000 # Approx limit, GPT-4o context window is large but be mindful of cost/speed - if len(prompt) > max_content_length: - print(f"Warning: Content too long ({len(article_content)} chars), truncating for summarization.") - # Truncate content intelligently if needed, here just slicing prompt - prompt = prompt[:max_content_length] - - response = client.chat.completions.create( - model=OPENAI_MODEL, - messages=[ - {"role": "system", "content": "You are an AI assistant tasked with summarizing news articles concisely."}, - {"role": "user", "content": prompt} - ], - temperature=0.5, # Adjust for desired creativity vs factuality - max_tokens=150 # Limit summary length - ) - - summary = response.choices[0].message.content.strip() - print("Summary generated successfully.") - return summary - - except openai.APIError as e: - print(f"OpenAI API returned an API Error: {e}") - except openai.APIConnectionError as e: - print(f"Failed to connect to OpenAI API: {e}") - except openai.RateLimitError as e: - print(f"OpenAI API request exceeded rate limit: {e}") - except Exception as e: - print(f"An unexpected error occurred during summarization: {e}") - - return "" # Return empty string on failure - -def scrape_and_summarize_niners_nation(): - """Main function to scrape, parse, summarize, and return structured data.""" - print("Starting Niners Nation scraping and summarization process...") - main_page_html = fetch_html(TARGET_URL) - if not main_page_html: - print("Failed to fetch the main news page. Exiting.") - return [] - - articles_on_page = parse_article_list(main_page_html) - - scraped_and_summarized_data = [] - now_utc = datetime.now(timezone.utc) - cutoff_datetime = now_utc - timedelta(days=DAYS_TO_SCRAPE) - print(f"Filtering articles published since {cutoff_datetime.strftime('%Y-%m-%d %H:%M:%S %Z')}") - - processed_urls = set() - - for url, date_str in articles_on_page: - if url in processed_urls: - continue - - if not is_within_timeframe(date_str, DAYS_TO_SCRAPE): - continue - - print(f"Fetching article: {url}") - article_html = fetch_html(url) - if article_html: - details = parse_article_details(article_html, url) - if details: - # Generate summary if content exists and summarization enabled - article_summary = "" # Initialize summary - if details.get('content'): - article_summary = generate_summary(details['content']) - else: - print(f"Skipping summary for {url} due to missing content.") - - # Add the summary to the details dictionary - details['summary'] = article_summary - - # Proceed to structure data (now including the summary) - structured_row = structure_data_for_csv_row(details) # Use a helper for single row - if structured_row: - scraped_and_summarized_data.append(structured_row) - processed_urls.add(url) - print(f"Successfully scraped and summarized: {details['title']}") - else: - print(f"Failed to structure data for {url}") - - else: - print(f"Failed to parse essential details for article: {url}") - else: - print(f"Failed to fetch article page: {url}") - - print(f"Waiting for {REQUEST_DELAY} second(s)...") - time.sleep(REQUEST_DELAY) - - print(f"Scraping & Summarization finished. Collected {len(scraped_and_summarized_data)} articles.") - return scraped_and_summarized_data - -def structure_data_for_csv_row(article_details): - """Processes a single article's details into the final CSV structure.""" - current_year = datetime.now().year - - # Extract and parse publication date to get the year - season = current_year # Default to current year - pub_date_str = article_details.get("publication_date") - if pub_date_str: - try: - pub_date = datetime.fromisoformat(pub_date_str.replace('Z', '+00:00')) - season = pub_date.year - except ValueError: - print(f"Warning: Could not parse date '{pub_date_str}' for season. Using default {current_year}.") - - # Get tags and format as topic string - tags = article_details.get("tags", []) - topic = ", ".join(tags) if tags else "General News" - - # Build the dictionary for the CSV row - structured_row = { - "Team_name": "San Francisco 49ers", - "season": season, - "city": "San Francisco", - "conference": "NFC", - "division": "West", - "logo_url": "", - "summary": article_details.get("summary", ""), # Get the generated summary - "topic": topic, - "link_to_article": article_details.get("link_to_article", ""), - } - return structured_row - -def write_to_csv(data, filename): - """Writes the structured data to a CSV file.""" - if not data: - print("No data to write to CSV.") - return - - fieldnames = [ - "Team_name", "season", "city", "conference", "division", - "logo_url", "summary", "topic", "link_to_article" - ] - - if not all(key in data[0] for key in fieldnames): - print(f"Error: Mismatch between defined fieldnames and data keys.") - print(f"Expected: {fieldnames}") - print(f"Got keys: {list(data[0].keys())}") - return - - print(f"Writing {len(data)} rows to {filename}...") - try: - with open(filename, 'w', newline='', encoding='utf-8') as csvfile: - writer = csv.DictWriter(csvfile, fieldnames=fieldnames) - writer.writeheader() - writer.writerows(data) - print(f"Successfully wrote {len(data)} rows to {filename}") - except IOError as e: - print(f"Error writing to CSV file {filename}: {e}") - except Exception as e: - print(f"An unexpected error occurred during CSV writing: {e}") - -# --- Main Execution --- -if __name__ == "__main__": - # Call the main orchestrator function that includes summarization - processed_articles = scrape_and_summarize_niners_nation() - - if processed_articles: - write_to_csv(processed_articles, OUTPUT_CSV_FILE) - else: - print("No articles were processed.") \ No newline at end of file diff --git a/data/april_11_multimedia_data_collect/youtube_highlights.csv b/data/april_11_multimedia_data_collect/youtube_highlights.csv deleted file mode 100644 index c6939f2ac29c3e1f491b4a6bc337a000ba4d9108..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/youtube_highlights.csv +++ /dev/null @@ -1,3053 +0,0 @@ -video_id,title,description,published_at,video_url -PZCVP0l8uVk,49ers Re-Sign FB Kyle Juszczyk | Juszczyk's Top Career Plays with the San Francisco 49ers,"#49ers #FTTB #NFL - -Watch fullback Kyle Juszczyk's top highlights during his eight seasons with the San Francisco 49ers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-03-19T21:06:10Z,https://www.youtube.com/watch?v=PZCVP0l8uVk -hR4ZsHZl384,Every Deebo Samuel Sr. Touchdown with the 49ers,"#49ers #FTTB #NFL - -Watch every touchdown scored by wide receiver Deebo Samuel Sr. in his career with the San Francisco 49ers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-03-13T19:36:20Z,https://www.youtube.com/watch?v=hR4ZsHZl384 -h-uvula5tNo,Deommodore Lenoir Breaks Down His Top Highlights | Inside the Play | 49ers,"#49ers #DeommodoreLenoir #InsideThePlay - -San Francisco 49ers defensive back Deommodore Lenoir takes fans inside his biggest career moments in the first episode of 'Inside the Play' presented by Microsoft Surface Pro. @surface - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-02-06T21:52:45Z,https://www.youtube.com/watch?v=h-uvula5tNo -zWs6JsUQYno,49ers Top 10 Plays from the 2024 Season,"#49ers #NFL #FTTB - -Relive the San Francisco 49ers 10 best plays from the 2024 NFL Season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-01-23T22:29:47Z,https://www.youtube.com/watch?v=zWs6JsUQYno -pzavmpzB2cs,Talanoa Hufanga Breaks Down His Top Highlights | Inside the Play | 49ers,"#49ers #TalanoaHufanga #InsideThePlay - -San Francisco 49ers safety Talanoa Hufanga takes fans inside his biggest career moments in the first episode of 'Inside the Play' presented by Microsoft Surface Pro. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-01-23T22:18:25Z,https://www.youtube.com/watch?v=pzavmpzB2cs -URvcwUEQYMw,"Best Plays from 49ers 2025 Pro Bowlers | Kittle, Warner, Bosa, Juszczyk","#49ers #NFL #FTTB - -Watch highlights of San Francisco 49ers 2025 Pro Bowlers TE George Kittle, LB Fred Warner, DL Nick Bosa and FB Kyle Juszczyk from the 2024 NFL Season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-01-07T01:15:31Z,https://www.youtube.com/watch?v=URvcwUEQYMw -ZfeJIi6WHE8,🧃JUICED 🧃,,2025-01-06T01:39:01Z,https://www.youtube.com/watch?v=ZfeJIi6WHE8 -v62sybG_3Lk,Joshua Dobbs' Best Plays from 3-TD Game vs. Arizona Cardinals | 49ers,"#49ers #NFL #FTTB - -Watch San Francisco 49ers quarterback Joshua Dobbs' best plays from his three touchdown game vs. the Arizona Cardinals during Week 18 of the 2024 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2025-01-06T01:18:23Z,https://www.youtube.com/watch?v=v62sybG_3Lk -RzMVbATV95w,"George Kittle Reaches 1,000 Yard Mark on ""Monday Night Football"" vs. Lions | 49ers","#49ers #NFL #GeorgeKittle - -Check out San Francisco 49ers tight end George Kittle's best catches from his 112-yard game vs. the Detroit Lions during Week 17 of the 2024 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-12-31T05:57:55Z,https://www.youtube.com/watch?v=RzMVbATV95w -AooNLyum7Ng,San Francisco 49ers Top Plays vs. Detroit Lions | 2024 Week 17,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Detroit Lions from Week 17. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-12-31T05:54:42Z,https://www.youtube.com/watch?v=AooNLyum7Ng -O-ft3FPYwiA,Purdy to Saubert! TOUCHDOWN,,2024-12-23T00:09:15Z,https://www.youtube.com/watch?v=O-ft3FPYwiA -dmzWmiTDAMU,28-Yard Catch + Run by Kittle!,,2024-12-22T23:33:15Z,https://www.youtube.com/watch?v=dmzWmiTDAMU -IMYYCIOUJXk,KOTM 🙌,,2024-12-22T23:26:09Z,https://www.youtube.com/watch?v=IMYYCIOUJXk -rzTYQ07DQgE,There goes Deebo 😤,,2024-12-22T22:18:15Z,https://www.youtube.com/watch?v=rzTYQ07DQgE -qmzSVmVNaFg,Brock Purdy's Best Plays vs. Chicago Bears in Week 14 | 49ers,"#49ers #NFL #BrockPurdy - -Watch San Francisco 49ers quarterback Brock Purdy's best plays from his two-touchdown game against the Chicago Bears in Week 14. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-12-09T00:59:00Z,https://www.youtube.com/watch?v=qmzSVmVNaFg -kFkNlmUQVu0,Every Jauan Jennings Catch From His 2-TD Game vs. Bears in Week 14 | 49ers,"#49ers #NFL #Highlights - -Watch highlights from San Francisco 49ers wide receiver Jauan Jennings in Week 14 as he caught seven passes for 90 yards and a pair of touchdowns against the Chicago Bears. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-12-09T00:52:32Z,https://www.youtube.com/watch?v=kFkNlmUQVu0 -9DHE1YnGfSg,San Francisco 49ers Top Plays vs. Chicago Bears | 2024 Week 14,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Chicago Bears from Week 14. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-12-09T00:44:24Z,https://www.youtube.com/watch?v=9DHE1YnGfSg -pVP5sOr8H0Q,George Kittle’s Top 10 Receptions of His Career (So Far) | 49ers,"#49ers #NFL #GeorgeKittle - -Check out the top 10 catches from San Francisco 49ers tight end George Kittle from his eight year career, so far. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-28T01:09:11Z,https://www.youtube.com/watch?v=pVP5sOr8H0Q -8_6Z15HdCjA,George Kittle Climbs Franchise Charts in Week 12 | 49ers,"#49ers #NFL #SFvsGB - -Watch the San Francisco 49ers top highlights from TE George Kittle, WR Deebo Samuel Sr., DL Leonard Floyd and more vs. the Green Bay Packers in Week 12. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-26T00:29:56Z,https://www.youtube.com/watch?v=8_6Z15HdCjA -LaDE1QBC3Cc,San Francisco 49ers Top Plays vs. Seattle Seahawks | 2024 Week 11,"#49ers #NFL #SEAvsSF - -Watch the San Francisco 49ers top highlights vs. the Seattle Seahawks from Week 11. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-19T19:13:14Z,https://www.youtube.com/watch?v=LaDE1QBC3Cc -IwBlFktlNwY,Fred Warner's Top Plays from the 2024 Season (So Far) | 49ers,"#49ers #FredWarner #NFL - -Check out the best plays from San Francisco 49ers linebacker Fred Warner during the first 11 weeks of the 2024 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-19T18:45:37Z,https://www.youtube.com/watch?v=IwBlFktlNwY -PdcTCRTLjbo,Deommodore Lenoir's Top Plays from His NFL Career (So Far) | 49ers,"#49ers #DeommodoreLenoir #nfl - -Check out the best plays from San Francisco 49ers defensive back Deommodore Lenoir's first four seasons in the NFL. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-14T00:35:26Z,https://www.youtube.com/watch?v=PdcTCRTLjbo -607mv01G8UU,San Francisco 49ers Top Plays vs. Tampa Bay Buccaneers | 2024 Week 10,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Tampa Bay Buccaneers from Week 10. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-10T22:00:17Z,https://www.youtube.com/watch?v=607mv01G8UU -cu78Okf6VSo,Christian McCaffrey's Best Plays from his First Game of 2024 Season | Week 10,"#49ers #NFL #SFvsTB - -Check out the best plays from San Francisco 49ers running back Christian McCaffrey's 2024 regular season debut. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-10T22:24:47Z,https://www.youtube.com/watch?v=cu78Okf6VSo -Lit2ZywZtWU,49ers Best Plays from Every Week of 2024 Season So Far,"#49ers #FTTB #NFL - -Check out the San Francisco 49ers top plays from each week of the first half of the 2024 NFL regular season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-11-08T00:23:07Z,https://www.youtube.com/watch?v=Lit2ZywZtWU -NwmwuWBBW2Q,Every 49ers Touchdown from the 2024 Season So Far,"#49ers #FTTB #NFL - -Watch every San Francisco 49ers touchdown from the first half of the 2024 NFL regular season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-31T22:10:04Z,https://www.youtube.com/watch?v=NwmwuWBBW2Q -N1_czgJhoj8,It's tricky 😼 #Shorts,,2024-10-31T18:27:40Z,https://www.youtube.com/watch?v=N1_czgJhoj8 -W4QlEmvWjVg,Brock Purdy’s Top Plays from the First Half of the 2024 Season | 49ers,"#49ers #BrockPurdy #NFL - -Relive highlight-reel plays from San Francisco 49ers quarterback Brock Purdy during the first eight weeks of the 2024 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-30T18:19:05Z,https://www.youtube.com/watch?v=W4QlEmvWjVg -7nTBwPljD-Q,San Francisco 49ers Top Plays vs. Dallas Cowboys | 2024 Week 8,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Dallas Cowboys from Week 8. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-28T04:27:33Z,https://www.youtube.com/watch?v=7nTBwPljD-Q -6E4YAOL7JOw,Top Plays by Legendary 49ers Tight Ends,"#49ers #Highlights #NFL - -Take a look at the best plays from George Kittle, Vernon Davis and more legendary San Francisco 49ers tight ends throughout franchise history. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-25T22:54:07Z,https://www.youtube.com/watch?v=6E4YAOL7JOw -OeYpDKWmxnE,49ers catches that get increasingly difficult 😱 #Shorts,,2024-10-25T00:27:30Z,https://www.youtube.com/watch?v=OeYpDKWmxnE -_bi3eaCA8H8,CLUTCH: 49ers Catches that Get Increasingly Difficult,"#49ers #Highlights #NFL - -Watch highlights of amazing catches from Brandon Aiyuk, Jerry Rice and more San Francisco 49ers players throughout history. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-24T22:23:24Z,https://www.youtube.com/watch?v=_bi3eaCA8H8 -4_xM1tOK-28,San Francisco 49ers Top Plays vs. Kansas City Chiefs | 2024 Week 7,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Kansas City Chiefs from Week 7. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-21T17:35:14Z,https://www.youtube.com/watch?v=4_xM1tOK-28 -VMPRSGk7bUg,San Francisco 49ers Top Plays vs. Seattle Seahawks | 2024 Week 6,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Seattle Seahawks from Week 6. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-11T03:47:34Z,https://www.youtube.com/watch?v=VMPRSGk7bUg -HfqGFWVdf9w,San Francisco 49ers Top Plays vs. Arizona Cardinals | 2024 Week 5,"#49ers #NFL #AZvsSF - -Watch the San Francisco 49ers top highlights vs. the Arizona Cardinals in the Week 5 contest. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-07T00:21:19Z,https://www.youtube.com/watch?v=HfqGFWVdf9w -uVhBcSOxlow,Brock Purdy's Best Plays vs. the Arizona Cardinals in Week 5 | 49ers,"#49ers #NFL #AZvsSF - -Watch San Francisco 49ers quarterback Brock Purdy's Week 5 highlights against the Arizona Cardinals. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-07T00:00:49Z,https://www.youtube.com/watch?v=uVhBcSOxlow -TlAgJDpoOYk,Brandon Aiyuk's Best Plays vs. the Arizona Cardinals in Week 5 | 49ers,"#49ers #NFL #AZvsSF - -Watch San Francisco 49ers wide receiver Brandon Aiyuk's Week 5 highlights from his 147-yard game against the Arizona Cardinals. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-10-07T00:21:35Z,https://www.youtube.com/watch?v=TlAgJDpoOYk -NCUjGFJILLo,San Francisco 49ers Top Plays vs. New England Patriots | 2024 Week 4,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the New England Patriots from Week 4. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-09-30T00:00:00Z,https://www.youtube.com/watch?v=NCUjGFJILLo -Y1dnhN-1ryU,San Francisco 49ers Top Plays vs. Los Angeles Rams | 2024 Week 3,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Los Angeles Rams from Week 3. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-09-23T03:37:00Z,https://www.youtube.com/watch?v=Y1dnhN-1ryU -PzeAh_8Uwi4,49ers Most Electric Plays vs. NFC West of All Time,"#49ers #FTTB #NFCWest - -Take a look at some of the San Francisco 49ers best plays versus NFC West opponents of all time. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-09-18T19:53:05Z,https://www.youtube.com/watch?v=PzeAh_8Uwi4 -jTJw2uf-Pdg,Jordan Mason's Best Plays from 104-Yard Game vs. the Minnesota Vikings in Week 2 | 49ers,"#49ers #SFvsMIN #NFL - -San Francisco 49ers running back Jordan Mason's best plays vs. the Minnesota Vikings in the Week 2 matchup. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-09-15T20:58:12Z,https://www.youtube.com/watch?v=jTJw2uf-Pdg -igOb4mfV7To,San Francisco 49ers Top Plays vs. New York Jets | 2024 Week 1,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the New York Jets from Week 1. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-09-12T19:36:37Z,https://www.youtube.com/watch?v=igOb4mfV7To -a5kS2geBDB0,Top 10 Brandon Aiyuk Plays from the 2023 Season | 49ers,"#49ers #Highlights #NFL - -Watch a countdown of the 10 best highlight plays made by San Francisco 49ers wide receiver Brandon Aiyuk during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-08-30T19:35:21Z,https://www.youtube.com/watch?v=a5kS2geBDB0 -UWaw7BekTR8,San Francisco 49ers Top Plays vs. Las Vegas Raiders | 2024 Preseason Week 3,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the Las Vegas Raiders in the preseason Week 2 game. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-08-24T06:20:05Z,https://www.youtube.com/watch?v=UWaw7BekTR8 -Nj72Fq1wdhc,San Francisco 49ers Top Plays vs. New Orleans Saints | 2024 Preseason Week 2,"#49ers #NFL #Highlights - -Watch the San Francisco 49ers top highlights vs. the New Orleans Saints in the preseason Week 2 game. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-08-19T03:53:31Z,https://www.youtube.com/watch?v=Nj72Fq1wdhc -DWvf5LQPVnM,Top Highlights from the 49ers Second Block of Training Camp Practices,"#49ers #nfl #trainingcamp - -Check out some of the best moments from the San Francisco 49ers second block of training camp practices at the SAP Performance Facility. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Follow us on TikTok: https://www.tiktok.com/@49ers -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-08-01T21:42:56Z,https://www.youtube.com/watch?v=DWvf5LQPVnM -Eqloe6frltc,Every 2023 49ers Touchdown Increasing in Length,"#49ers #NFL #NFLHighlights - -Watch every touchdown from the San Francisco 49ers 2023 season starting with QB Brock Purdy at the one yard line and ending with WR Brandon Aiyuk’s 76-yard touchdown. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-04-02T18:27:22Z,https://www.youtube.com/watch?v=Eqloe6frltc -FJ-j8LkHM_E,Top 10 Brock Purdy Plays from the 2023 Season | 49ers,"#49ers #Highlights #NFL - -Watch a countdown of the 10 best highlight plays made by San Francisco 49ers quarterback Brock Purdy during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-03-05T02:24:08Z,https://www.youtube.com/watch?v=FJ-j8LkHM_E -yXM5m3r5Dss,Top 10 Christian McCaffrey Plays from the 2023 Season | 49ers,"#49ers #Highlights #NFL - -Watch a countdown of the 10 best highlight plays made by San Francisco 49ers running back Christian McCaffrey during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-03-05T02:27:58Z,https://www.youtube.com/watch?v=yXM5m3r5Dss -CYOlEPYUREQ,Top 10 Deebo Samuel Plays from the 2023 Season | 49ers,"#49ers #Highlights #NFL - -Watch a countdown of the 10 best highlight plays made by San Francisco 49ers wide receiver Deebo Samuel during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-03-05T02:18:57Z,https://www.youtube.com/watch?v=CYOlEPYUREQ -mAD67jjXydE,Top 10 San Francisco 49ers Plays from the 2023 Season,"#49ers #Highlights #FTTB - -Watch a countdown of the 10 best plays made by the San Francisco 49ers during the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-03-04T20:32:49Z,https://www.youtube.com/watch?v=mAD67jjXydE -ckwWROecuXI,Every 49ers Playoff Touchdown Ahead of Super Bowl LVIII,"#49ers #DoItForTheBay #FTTB - -Watch every San Francisco 49ers touchdown from the team's playoff games at Levi's® Stadium. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-01-31T18:21:09Z,https://www.youtube.com/watch?v=ckwWROecuXI -9tewGO9F3eo,San Francisco 49ers Highlights vs. Detroit Lions in the NFC Championship Game,"#49ers #DoItForTheBay #DETvsSF -Watch the San Francisco 49ers top highlights vs. the Detroit Lions in the NFC Championship Game. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-01-29T04:03:09Z,https://www.youtube.com/watch?v=9tewGO9F3eo -iIooO2pTjt4,San Francisco 49ers Highlights vs. the Green Bay Packers in the Divisional Round,"Watch the San Francisco 49ers top highlights vs. Green Bay Packers in the 2023 Divisional Round at Levi's® Stadium. -#49ers #DoItForTheBay #FTTB - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-01-21T05:03:08Z,https://www.youtube.com/watch?v=iIooO2pTjt4 -3JfiboQ6ZC8,San Francisco 49ers Top Plays vs. the Los Angeles Rams in Week 18,"Watch the San Francisco 49ers top highlights vs. the Los Angeles Rams during Week 18 of the 2023 Regular Season. -#49ers #Highlights #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2024-01-08T00:55:33Z,https://www.youtube.com/watch?v=3JfiboQ6ZC8 -pdordsOZMXw,San Francisco 49ers Highlights vs. the Washington Commanders in Week 17,"Watch the San Francisco 49ers top highlights vs. the Washington Commanders in Week 17 of the 2023 regular season. -#49ers #NFL #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-31T22:07:34Z,https://www.youtube.com/watch?v=pdordsOZMXw -Y39sHyTa_uU,Brock Sturdy #49ers #Shorts,,2023-12-31T23:14:26Z,https://www.youtube.com/watch?v=Y39sHyTa_uU -xE4jfmV7kGg,Inside the Play: Eric Davis Breaks Down the 49ers Playoff Win vs. Washington,"#49ers #InsidethePlay #NFL - -San Francisco 49ers alumnus Eric Davis broke down his first playoff start during the Inside the Play series presented by Devcon Construction, Inc. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-27T19:45:36Z,https://www.youtube.com/watch?v=xE4jfmV7kGg -srMiMx4x9V4,San Francisco 49ers Top Plays vs. the Baltimore Ravens in Week 16,"Watch the San Francisco 49ers best plays vs. the Baltimore Ravens in Week 16 of the 2023 regular season. - -#49ers #Highlights #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-26T05:25:12Z,https://www.youtube.com/watch?v=srMiMx4x9V4 -AjJWXxqf0ag,Every Brandon Aiyuk Catch from His 113-Yard Game in Week 16 | 49errs,"Watch every catch from San Francisco 49ers wide receiver Brandon Aiyuk's 113-yard game vs. the Baltimore Ravens from Week 16 of the 2023 NFL season. - -#49ers #Aiyuk #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-26T05:21:19Z,https://www.youtube.com/watch?v=AjJWXxqf0ag --R7I1NOQxM4,Every George Kittle Catch from His 126-Yard Game in Week 16 | 49ers,"Watch every catch from San Francisco 49ers tight end George Kittle's 126-yard game vs. the Baltimore Ravens from Week 16 of the 2023 NFL season. -#49ers #GeorgeKittle #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-26T05:19:55Z,https://www.youtube.com/watch?v=-R7I1NOQxM4 -fsUDlRPuO3A,San Francisco 49ers Highlights vs. the Arizona Cardinals | 2023 Regular Season Week 15,"Watch the San Francisco 49ers top highlights vs. the Arizona Cardinals in Week 15. -#49ers #SFvsAZ #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-18T00:58:46Z,https://www.youtube.com/watch?v=fsUDlRPuO3A -ZUdU1Z_fULU,San Francisco 49ers Top Plays vs. Seattle Seahawks in Week 14 | 49ers,"San Francisco 49ers Highlights vs. Seattle Seahawks | 2023 Regular Season Week 14, 12/10/2023 -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-11T02:07:58Z,https://www.youtube.com/watch?v=ZUdU1Z_fULU -Fe0J80Ro5R4,Brandon Aiyuk's Best Plays from 126-Yard Game vs. Seahawks | 49ers,"Watch San Francisco 49ers wide receiver Brandon Aiyuk's top highlights from his 126-yard game against the Seattle Seahawks in Week 14. - -#49ers #SEAvsSF #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-11T01:14:28Z,https://www.youtube.com/watch?v=Fe0J80Ro5R4 -J8jWok-WEuU,San Francisco 49ers Top Plays vs. the Philadelphia Eagles in Week 13 | 49ers,"#49ers #nfl - -Watch the San Francisco 49ers top highlights vs. the Philadelphia Eagles in Week 13 of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-04T02:29:39Z,https://www.youtube.com/watch?v=J8jWok-WEuU -IlpJhaxeQTo,Brock Purdy's Best Plays from 4-TD Game vs. the Eagles,"Watch the top highlights from San Francisco 49ers quarterback Brock Purdy's four-touchdown game in the Week 13 matchup against the Philadelphia Eagles. - -#49ers #SFvsPHI #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-12-04T02:20:49Z,https://www.youtube.com/watch?v=IlpJhaxeQTo -ZQCUAHPL2iQ,These one-handed catches 🤯 #49ers #Shorts,"#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-29T17:13:26Z,https://www.youtube.com/watch?v=ZQCUAHPL2iQ -fCi5vgeeL5A,San Francisco 49ers Top Plays of November,"#49ers #NFL #Highlights - -Relive the San Francisco 49ers top highlights from November of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-28T18:34:56Z,https://www.youtube.com/watch?v=fCi5vgeeL5A -XhJv0ltTkX0,San Francisco 49ers Week 12 Highlights vs. the Seattle Seahawks on Thanksgiving,"Watch the San Francisco 49ers top highlights vs. Seattle Seahawks at Lumen Field. - -#49ers #SFvsSEA #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-24T04:55:30Z,https://www.youtube.com/watch?v=XhJv0ltTkX0 -DFXuxH05enI,San Francisco 49ers Top Plays vs. the Tampa Bay Buccaneers in Week 11,"Watch the San Francisco 49ers highlights from Week 11 of the 2023 NFL season against the Tampa Bay Buccaneers. - -#49ers #TBvsSF #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-20T18:14:59Z,https://www.youtube.com/watch?v=DFXuxH05enI -LFn0s7Mr5uc,Every TD from Christian McCaffrey's Record-Tying 17-Game Streak | 49ers,"#49ers #CMC #NFL - -Watch Christian McCaffrey tie an all-time NFL record with at least one touchdown in every game for 17 weeks straight. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-13T21:41:01Z,https://www.youtube.com/watch?v=LFn0s7Mr5uc -aJQzSsz5tAI,San Francisco 49ers Top Plays vs. the Jacksonville Jaguars in Week 10,"Watch the San Francisco 49ers highlights from Week 10 of the 2023 NFL season against the Jacksonville Jaguars. - -#49ers #NFL #SFvsJAX - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-12T23:07:38Z,https://www.youtube.com/watch?v=aJQzSsz5tAI -9wFDp_aFNSg,Every George Kittle Catch from 116-Yard Game in Jacksonville,"#49ers #Kittle #Highlights - -Watch tight end George Kittle's best highlights from the 49ers Week 10 win over the Jacksonville Jaguars. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-12T22:21:36Z,https://www.youtube.com/watch?v=9wFDp_aFNSg -9h0W12IcVDc,Brock Purdy's Best Plays from 3-TD Game vs. Jaguars | 49ers,"#49ers #Highlights #NFL - -Watch quarterback Brock Purdy's top highlights from the 49ers Week 10 win over the Jacksonville Jaguars. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-12T22:19:21Z,https://www.youtube.com/watch?v=9h0W12IcVDc -ss_ZZuECkks,Christian McCaffrey's Best Plays from 142-Yard Game vs. Jaguars | 49ers,"#49ers #CMC #highlights - -Watch running back Christian McCaffrey's best plays during the 49ers Week 10 win over the Jacksonville Jaguars. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-12T22:18:19Z,https://www.youtube.com/watch?v=ss_ZZuECkks -QMwuZJitPQk,Chase Young's Top Career Plays Since Being Drafted in 2020,"#49ers #ChaseYoung #nfl - -Watch some of the top plays from the 49ers newest defensive lineman, Chase Young. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-09T20:14:22Z,https://www.youtube.com/watch?v=QMwuZJitPQk -3U1PaeUQGYI,George Kittle’s Top Career Receptions (So Far) | 49ers,"#49ers #Kittle #FTTB - -George Kittle has officially claimed the San Francisco 49ers franchise record for most receiving yards by a tight end. Relive some of his best catches, so far. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-07T02:47:30Z,https://www.youtube.com/watch?v=3U1PaeUQGYI -Tfnmy_YpuyQ,Every 49ers Sack from the First Half of the 2023 Season,"#49ers #Highlights #NFL - -Watch all of the San Francisco 49ers sacks through eight weeks of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-01T18:48:14Z,https://www.youtube.com/watch?v=Tfnmy_YpuyQ -4iSgsunUTyE,Every 49ers Touchdown from the First Half of the 2023 Season,"#49ers #Highlights #NFL - -Watch all of the San Francisco 49ers touchdowns through eight weeks of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-11-01T18:52:43Z,https://www.youtube.com/watch?v=4iSgsunUTyE -EyL3TVJatDo,San Francisco 49ers Top Plays vs. the Cincinnati Bengals in Week 8,"Watch the San Francisco 49ers top plays from their Week 8 matchup against the Cincinnati Bengals. -#49ers #CINvsSF #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-30T00:48:19Z,https://www.youtube.com/watch?v=EyL3TVJatDo -kNeezS2yaiE,Christian McCaffrey's Best Plays vs. Vikings | 49ers,"#49ers #NFL #SFvsMIN - -Watch running back Christian McCaffrey's best plays from his Week 7 performance in Minnesota. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-24T04:15:04Z,https://www.youtube.com/watch?v=kNeezS2yaiE --iiCYtIkb0A,San Francisco 49ers Top Plays vs. Minnesota Vikings | 2023 Regular Season Week 7,"Watch the San Francisco 49ers top highlights from their ""Monday Night Football"" matchup against the Minnesota Vikings. -#49ers #nfl #sfvsmin - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-24T03:33:33Z,https://www.youtube.com/watch?v=-iiCYtIkb0A -AfEhCvLpTKM,Brock Purdy's Best Plays vs. the Cowboys in Week 5 | 49ers,"#49ers #DALvsSF #nfl -Watch San Francisco 49ers quarterback Brock Purdy's highlights against the Dallas Cowboys. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-09T03:53:33Z,https://www.youtube.com/watch?v=AfEhCvLpTKM -nlc7yzmw_aY,Christian McCaffrey Named NFC Offensive Player of the Month | 49ers,"#49ers #CMC #McCaffrey - -Watch San Francisco 49ers running back Christian McCaffrey's top highlights from the month of September. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-03T16:19:14Z,https://www.youtube.com/watch?v=nlc7yzmw_aY -U6PtMhEqMAk,San Francisco 49ers Highlights vs. Arizona Cardinals | 2023 Regular Season Week 4,"Watch the San Francisco 49ers highlights vs. the Arizona Cardinals at Levi's® Stadium. -#49ers #azvssf #nfl - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-02T00:52:25Z,https://www.youtube.com/watch?v=U6PtMhEqMAk --CuK0xjYeiY,Every Catch by Brandon Aiyuk from the 49ers Week 4 Win Over the Cardinals,"#49ers #AZvsSF #Aiyuk - -Watch every catch from Brandon Aiyuk's 148-yard outing against the Arizona Cardinals at Levi's® Stadium. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-10-02T00:33:31Z,https://www.youtube.com/watch?v=-CuK0xjYeiY -MmRXio8_B3Y,San Francisco 49ers Top Plays of September,"#49ers #Highlights #FTTB - -Watch the best plays by the San Francisco 49ers from Weeks 1 through 3 of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-28T19:09:12Z,https://www.youtube.com/watch?v=MmRXio8_B3Y -e2k2WtAgRFE,San Francisco 49ers Top Plays vs. the New York Giants | 2023 Regular Season Week 3,"Watch the San Francisco 49ers highlights vs. the New York Giants at Levi's® Stadium. -#49ers #NYGvsSF #FTTB - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-22T03:43:55Z,https://www.youtube.com/watch?v=e2k2WtAgRFE -FO_iJ1IEOQU,Baldy's Breakdowns: Brock Purdy's Top 5 Plays Through Two Weeks | 49ers,"#49ers #Highlights #FTTB - -NFL analyst Brian Baldinger broke down San Francisco 49ers quarterback Brock Purdy's top five plays through the first two weeks of the 2023 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-20T23:21:00Z,https://www.youtube.com/watch?v=FO_iJ1IEOQU -7JEXiZTFr8s,Every Brandon Aiyuk Catch from His 129-Yard Game vs. Steelers,"#49ers #sfvspit - -Watch San Francisco 49ers wide receiver Brandon Aiyuk’s best plays against the Pittsburgh Steelers in Week 1. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ - -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-10T20:49:41Z,https://www.youtube.com/watch?v=7JEXiZTFr8s -0BoQAP50Kuw,Christian McCaffrey's Best Plays vs. Steelers in Week 1,"#49ers #sfvspit -Watch San Francisco 49ers running back Christian McCaffrey's highlights against the Pittsburgh Steelers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-10T21:04:01Z,https://www.youtube.com/watch?v=0BoQAP50Kuw -95p-qzV2D1s,Nick Bosa's Top Career Plays in Red and Gold | 49ers,"#49ers #NickBosa #FTTB - -Watch the best plays by San Francisco 49ers defensive lineman Nick Bosa in four seasons in the NFL. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-09-08T15:00:55Z,https://www.youtube.com/watch?v=95p-qzV2D1s -NIs3Pbbpark,Brock Purdy's Top Plays in Preseason Week 2 vs. the Broncos | 49ers,"#49ers #Highlights #BrockPurdy - -Watch highlights of San Francisco 49ers quarterback Brock Purdy from the team's preseason win over the Denver Broncos at Levi's® Stadium. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-08-21T17:50:08Z,https://www.youtube.com/watch?v=NIs3Pbbpark -RYjDov7giO8,49ers Top Plays from their Preseason Win Over the Broncos | 2023 Preseason Week 2,"Watch the San Francisco 49ers best highlights vs. the Denver Broncos during their preseason game. -#49ers #denvssf #nfl - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-08-20T03:48:58Z,https://www.youtube.com/watch?v=RYjDov7giO8 -KsP1YLnOOjw,Brandon Aiyuk's Top Plays from the 2022 season | 49ers,"Relive some of wide receiver Brandon Aiyuk's top highlights from the 2022 NFL season. - -#49ers #BrandonAiyuk #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-09T21:04:54Z,https://www.youtube.com/watch?v=KsP1YLnOOjw -wjNu4dDsH18,Brock Purdy’s Top Plays from the 2022 Season | 49ers,"#49ers #Purdy #FTTB - -Watch rookie quarterback Brock Purdy’s top highlights from the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-10T18:20:02Z,https://www.youtube.com/watch?v=wjNu4dDsH18 -NEnqADyYwSU,Deebo Samuel’s Top Plays from the 2022 Season | 49ers,"Recap wide receiver Deebo Samuel's top highlights from the 2022 NFL season. - -#49ers #DeeboSamuel #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-09T21:05:35Z,https://www.youtube.com/watch?v=NEnqADyYwSU -DGvYrPC5LmE,10 Plays from the 49ers 2022 Season,"#49ers #Highlights #FTTB - -Watch some of the best highlight plays made by the San Francisco 49ers in the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-09T16:36:06Z,https://www.youtube.com/watch?v=DGvYrPC5LmE -RIcfmyZwSEg,10 Nick Bosa Plays from the 2022 NFL Season | 49ers,"#49ers #DPOY #FTTB - -Watch some of Nick Bosa's top plays from the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-10T02:27:55Z,https://www.youtube.com/watch?v=RIcfmyZwSEg -2ctMlW_F2nQ,George Kittle's Top Plays from the 2022 Season | 49ers,"Relive some of George Kittle's top highlights from the 2022 NFL season. - -#49ers #GeorgeKittle #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-02-02T17:32:26Z,https://www.youtube.com/watch?v=2ctMlW_F2nQ -6xeK2aTDieo,Baldy's Breakdowns: Evaluating the 49ers ‘No-Weakness' Defense vs. the Cowboys,"#49ers #NFLPlayoffs #FTTB - -NFL analyst Brian Baldinger broke down how the San Francisco 49ers defeated the Dallas Cowboys in the Divisional Round. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-01-25T02:14:06Z,https://www.youtube.com/watch?v=6xeK2aTDieo -iZUSk4QpDog,San Francisco 49ers Top Plays vs. Las Vegas Raiders | 2022 Regular Season Week 17,"Watch the San Francisco 49ers top highlights vs. the Las Vegas Raiders in Week 17. -#49ers #SFvsLV #highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2023-01-02T00:58:26Z,https://www.youtube.com/watch?v=iZUSk4QpDog -9SRMJqAKAis,San Francisco 49ers Top Plays of December | 2022 Season,"#49ers #Highlights #FTTB - -Watch the best plays by the San Francisco 49ers from Weeks 13 through 16 of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-28T20:00:21Z,https://www.youtube.com/watch?v=9SRMJqAKAis -Q5omo-EzmYE,49ers Top 5 Plays vs. the Raiders | NFL Throwback,"#49ers #Highlights #Throwback - -Relive some of the San Francisco 49ers greatest plays against the Las Vegas Raiders. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-28T19:41:01Z,https://www.youtube.com/watch?v=Q5omo-EzmYE -1tNocIwRz9o,Brock Purdy's Best Plays from 2-Touchdown Game vs. Commanders in Week 16 | 49ers,"#49ers #WASvsSF #Highlights - -Watch San Francisco 49ers quarterback Brock Purdy's best plays from his two-touchdown game during Week 16 of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-28T19:46:07Z,https://www.youtube.com/watch?v=1tNocIwRz9o -qLsxYxdH9Wk,Every George Kittle Catch from 2-TD Game vs. Seahawks | 49ers,"#49ers #SFvsSEA #Kittle - -Watch every catch made by San Francisco 49ers tight end George Kittle during his two-touchdown game in Week 15 of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-16T05:47:05Z,https://www.youtube.com/watch?v=qLsxYxdH9Wk -Gir9PdppfgA,Nick Bosa's Best Plays in 3-Sack Game vs. Dolphins | Week 13,"#49ers #MIAvsSF #Bosa - -Watch some of Nick Bosa's top highlights from the 49ers Week 13 matchup against the Miami Dolphins. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-12-05T01:34:31Z,https://www.youtube.com/watch?v=Gir9PdppfgA -Z5qPtjL2eJM,Top 10 49ers Plays at Midseason | 2022 NFL Season,"#49ers #Highlights #FTTB - -Look back at 10 on the team's top plays from the first eight weeks of the season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-11-10T00:19:30Z,https://www.youtube.com/watch?v=Z5qPtjL2eJM -RyIXKZJ753w,Every Nick Bosa Sack From the First Half of the 2022 Season | 49ers,"#49ers #Bosa #highlights - -Watch all 8.0 sacks by San Francisco 49ers defensive lineman Nick Bosa through 8 weeks of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-11-02T17:47:36Z,https://www.youtube.com/watch?v=RyIXKZJ753w -AoJyUaQ7NgI,Top 49ers Offensive Plays From the First Half of the 2022 Season,"#49ers #Highlights #FTTB - -Watch the San Francisco 49ers best plays on offense through 8 weeks of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-11-02T17:43:26Z,https://www.youtube.com/watch?v=AoJyUaQ7NgI -5W95hlIgi9g,Christian McCaffrey's Top Plays from His 49ers Debut | Week 7,"#49ers - -Watch San Francisco 49ers running back Christian McCaffrey's top plays in his first game with the team in Week 7 of the 2022 NFL season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-10-26T17:22:56Z,https://www.youtube.com/watch?v=5W95hlIgi9g -D4IbUDX6wgY,San Francisco 49ers Top Plays vs. Carolina Panthers | 2022 Regular Season Week 5,"Watch the 49ers top highlights vs. the Panthers during the team's Week 5 win in Carolina. -#49ers #SFvsCAR #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-10-09T23:47:39Z,https://www.youtube.com/watch?v=D4IbUDX6wgY -ZkH6eWs5Yd8,NFC Special Teams Player of the Month: Mitch Wishnowsky | 49ers,"#49ers #NFL33 #topplays - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-09-29T18:42:18Z,https://www.youtube.com/watch?v=ZkH6eWs5Yd8 -6__NLw9_UuA,San Francisco 49ers Highlights vs. Chicago Bears | 2022 Regular Season Week 1,"Watch the 49ers top plays vs. the Chicago Bears in the team's season opener at Soldier Field. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 -#NFL33 #topplays -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-09-11T21:19:12Z,https://www.youtube.com/watch?v=6__NLw9_UuA -5qjnJwd0QZs,San Francisco 49ers Top Plays vs. Houston Texans | 2022 Preseason Week 3,"#NFL #49ers #SFvsHOU #NFL33 #topplays - -Check out the San Francisco 49ers highlights from their final preseason game against the Houston Texans. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-08-26T03:53:16Z,https://www.youtube.com/watch?v=5qjnJwd0QZs -P0wzVnKg2Qo,San Francisco 49ers Top Plays vs. Minnesota Vikings | 2022 Preseason Week 2,"San Francisco 49ers Highlights vs. Minnesota Vikings | 2022 PreSeason Week 2, 08/20/2022 -#49ers #SFvsMIN #NFL33 #topplays - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-08-21T02:29:01Z,https://www.youtube.com/watch?v=P0wzVnKg2Qo -rtBtGh02HvA,San Francisco 49ers Top Plays vs. Green Bay Packers | NFL 2022 Preseason Week 1,"San Francisco 49ers highlights vs. Green Bay Packers | 2022 Preseason Week 1, 08/13/2022 -#49ers #nfl33 #topplays - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-08-13T03:55:47Z,https://www.youtube.com/watch?v=rtBtGh02HvA -b9JDLy63n-8,Remembering Hall of Famer Hugh McElhenny | 49ers,"#49ers - -Looking back at Hall of Famer Hugh McElhenny's 49ers career. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-06-23T21:39:38Z,https://www.youtube.com/watch?v=b9JDLy63n-8 -v6rtV3CwCQ4,Frank Gore's Career Highlights in Red and Gold | 49ers,"#49ers #FrankGore #Highlights - -Relive some of the best plays ever made by the 49ers all-time leading rusher. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-06-02T20:00:33Z,https://www.youtube.com/watch?v=v6rtV3CwCQ4 -qRFyHM2G-xA,Elijah Mitchell's Top 10 Plays From the 2021 Season | 49ers,"Watch NFL Network's countdown of the top 10 highlight-reel plays made by 49ers rookie running back Elijah Mitchell during the 2021 season. - -#49ers #ElijahMitchell - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-03-04T17:16:37Z,https://www.youtube.com/watch?v=qRFyHM2G-xA -TfwJEBTMqBw,George Kittle's Top Plays From the 2021 Season | 49ers,"Watch NFL Network's top highlight-reel plays made by 49ers tight end George Kittle during the 2021 season. - -#49ers #GeorgeKittle - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-03-01T21:27:35Z,https://www.youtube.com/watch?v=TfwJEBTMqBw -W4zGzxo7BB0,Jimmy Garoppolo's Top Plays From the 2021 Season | 49ers,"Watch NFL Network's top highlight-reel plays made by 49ers quarterback Jimmy Garoppolo during the 2021 season. - -#49ers #JimmyGaroppolo #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-02-28T16:43:07Z,https://www.youtube.com/watch?v=W4zGzxo7BB0 -QtC5A3m9YW4,Deebo Samuel's Top Plays From the 2021 Season | 49ers,"Relive some of the top plays made by 49ers ""wide back"" Deebo Samuel during the 2021 NFL season. - -#49ers #Deebo - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-02-10T17:23:26Z,https://www.youtube.com/watch?v=QtC5A3m9YW4 -Dh8LlQkPeoU,San Francisco 49ers Highlights vs. Green Bay Packers | 2021 Playoffs Divisional Round,"Watch the best highlights from the 49ers Divisional Round win over the Green Bay Packers. - -#49ers #SFvsGB - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-01-23T04:37:30Z,https://www.youtube.com/watch?v=Dh8LlQkPeoU -01Iv4MqENgs,San Francisco 49ers Highlights vs. Dallas Cowboys | 2021 Playoffs Wild Card,"Watch the 49ers best moments vs. the Dallas Cowboys at AT&T Stadium during Super Wild Card Weekend. - -#49ers #SFvsDAL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-01-17T01:42:45Z,https://www.youtube.com/watch?v=01Iv4MqENgs -0dd3W0dioQI,49ers Top Plays from Week 18 vs. Rams | San Francisco 49ers,"Check out the 49ers best plays from the team's Week 18 overtime win against the Los Angeles Rams. - -#49ers #SFvsLAR - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-01-10T03:24:54Z,https://www.youtube.com/watch?v=0dd3W0dioQI -VkR4sUkzvDo,49ers Top Plays from Week 17 vs. Texans | San Francisco 49ers,"Check out the 49ers best plays from the Week 17 matchup against the Houston Texans. - -#49ers #Highlights #HOUvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2022-01-03T00:27:44Z,https://www.youtube.com/watch?v=VkR4sUkzvDo -Bu13vKntD6U,49ers Best Defensive Plays vs. Falcons | Week 15,"Relive some of the 49ers defense's best plays from their Week 15 win over the Atlanta Falcons. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-21T20:15:04Z,https://www.youtube.com/watch?v=Bu13vKntD6U -SeU_I2IYrMU,Jeff Wilson Jr. Highlights from Week 15 | San Francisco 49ers,"Check out Jeff Wilson Jr.'s best plays from his 110-yard performance against the Atlanta Falcons. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-20T00:17:10Z,https://www.youtube.com/watch?v=SeU_I2IYrMU -1J_shMXQHPM,49ers Top Plays from Week 15 vs. Falcons | San Francisco 49ers,"Check out the 49ers best plays from their Week 15 win over the Atlanta Falcons. - -#49ers #ATLvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-20T00:10:12Z,https://www.youtube.com/watch?v=1J_shMXQHPM -TfT9m6HiGRI,Keena Turner Breaks Down Pro Bowl Worthy Plays from 2021 | 49ers,"Turner analyzed a few of the best plays from Nick Bosa, Brandon Aiyuk, George Kittle, Jimmie Ward and other 49ers so far this season, presented by Seaport Diagnostics. Vote your favorite 49ers players into the Pro Bowl at nfl.com/pro-bowl/ballot/. - -#49ers #SDXDNAofaPlay #KeenaTurner - -Chapters -0:00 WR Brandon Aiyuk vs. the Arizona Cardinals -1:47 DL Nick Bosa vs. the Seattle Seahawks -3:12 S Jimmie Ward vs. the Los Angeles Rams -4:10 TE George Kittle vs. the Seattle Seahawks -5:30 G Laken Tomlinson vs. the Philadelphia Eagles - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-13T06:39:59Z,https://www.youtube.com/watch?v=TfT9m6HiGRI -NP2IjeTgsTo,Every George Kittle Catch from 151-Yard Game (Week 14) | San Francisco 49ers,"Check out George Kittle's best plays from the 49ers Week 14 win over the Cincinnati Bengals. - -#49ers #GeorgeKittle - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-13T01:24:41Z,https://www.youtube.com/watch?v=NP2IjeTgsTo -ET5m87OdpUc,49ers Top Plays from Week 14 vs. Bengals | San Francisco 49ers,"Check out the 49ers best plays from the Week 14 matchup against the Cincinnati Bengals. - -#49ers #SFvsCIN - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-13T01:18:05Z,https://www.youtube.com/watch?v=ET5m87OdpUc -yG8vJrrEecM,George Kittle Highlights from Week 13 | San Francisco 49ers,"Watch every play from 49ers tight end George Kittle from his 181-yard performance in Seattle. - -#49ers #GeorgeKittle - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-06T01:33:46Z,https://www.youtube.com/watch?v=yG8vJrrEecM -7KssnidD9Ps,49ers Top Plays From Week 13 vs. Seahawks | San Francisco 49ers,"Check out the 49ers best plays from the Week 13 matchup against the Seattle Seahawks. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-12-06T01:26:50Z,https://www.youtube.com/watch?v=7KssnidD9Ps -oJNkOCBS1mQ,Elijah Mitchell Highlights from Week 12 | San Francisco 49ers,"Check out Elijah Mitchell's best plays from the Week 12 matchup against the Minnesota Vikings. - -#49ers #ElijahMitchell #MINvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-29T01:00:48Z,https://www.youtube.com/watch?v=oJNkOCBS1mQ -wWQJXylbVBo,49ers Top Plays from Week 12 vs. Vikings | San Francisco 49ers,"Check out the 49ers best plays from the Week 12 matchup against the Minnesota Vikings. -#49ers #MINvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-29T00:50:18Z,https://www.youtube.com/watch?v=wWQJXylbVBo -W5oZOMKe8H0,Deebo Samuel Highlights from Week 11 | San Francisco 49ers,"Check out Deebo Samuel's best plays from the Week 11 matchup against the Jacksonville Jaguars. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-21T22:31:25Z,https://www.youtube.com/watch?v=W5oZOMKe8H0 -BDUTG4qO_oA,49ers Top Plays from Week 11 vs. Jaguars | San Francisco 49ers,"Check out the 49ers best plays from the Week 11 matchup against the Jacksonville Jaguars. - -#49ers #SFvsJAX - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-21T21:23:01Z,https://www.youtube.com/watch?v=BDUTG4qO_oA -yrujVYArwb4,49ers Highlights from Week 10 vs. Rams | San Francisco 49ers,"#49ers #LARvsSF - -Check out the 49ers best plays from the team's Week 10 matchup against the Los Angeles Rams. - -Tune in to the 49ers Week 11 matchup against the Jacksonville Jaguars at 10:00 AM PT on FOX and watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-17T21:47:28Z,https://www.youtube.com/watch?v=yrujVYArwb4 -MuOAZcQ_0C4,49ers Best Plays from Week 10 Win Over Rams,"#49ers #LARvsSF #BeatLA - -Watch the San Francisco 49ers top plays vs. the Los Angeles Rams during Week 10 of the NFL 2021 season. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-16T05:05:46Z,https://www.youtube.com/watch?v=MuOAZcQ_0C4 -hf-d6PWqFRU,49ers Top Plays from Week 9 vs. Cardinals | San Francisco 49ers,"Check out the 49ers best plays from the Week 9 matchup against the Arizona Cardinals. - -#49ers #AZvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-08T00:50:49Z,https://www.youtube.com/watch?v=hf-d6PWqFRU -hgeFj8YygEo,"Deebo Samuel’s Top Plays This Season, So Far | 49ers","#49ers #Deebo - -Watch Deebo Samuel’s top highlights through the 49ers first seven games of the 2021 season. - -Tune in to the 49ers Week 9 matchup against the Arizona Cardinals at 1:25 PM PT on FOX and watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-11-02T22:21:56Z,https://www.youtube.com/watch?v=hgeFj8YygEo -yZmjDl4a4_I,Deebo Samuel Highlights from Week 8 | San Francisco 49ers,"Check out Deebo Samuel's best plays from the 49ers Week 8 matchup against the Chicago Bears. - -#49ers #SFvsCHI - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-31T21:39:32Z,https://www.youtube.com/watch?v=yZmjDl4a4_I -bxQo0t1I7ok,49ers Top Plays from Week 8 vs. the Chicago Bears | San Francisco,"Check out the 49ers best plays from the Week 8 matchup against the Chicago Bears. - -#49ers #SFvsCHI - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-31T20:49:17Z,https://www.youtube.com/watch?v=bxQo0t1I7ok -B-uSWjFr5iA,Elijah Mitchell's Top Highlights from Week 7 | San Francisco 49ers,"Check out Elijah Mitchell's best plays from the 49ers Week 7 matchup against the Indianapolis Colts. - -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-25T04:00:07Z,https://www.youtube.com/watch?v=B-uSWjFr5iA -6qXjdIe10s8,49ers Top Plays from Week 7 vs. Colts | San Francisco 49ers,"Check out the 49ers best plays from the Week 7 matchup against the Indianapolis Colts. -#49ers - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-25T03:30:56Z,https://www.youtube.com/watch?v=6qXjdIe10s8 -iF7_-v_ndMA,49ers Top Plays from Week 5 vs. Cardinals | San Francisco 49ers,"Check out the 49ers best plays from the team's Week 5 matchup against the Arizona Cardinals. - -#49ers #SFvsARI - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-11T00:24:57Z,https://www.youtube.com/watch?v=iF7_-v_ndMA -0sRwG7LRQq8,Every Deebo Samuel Touch from His 156-Yard Game | San Francisco 49ers,"Watch every play from 49ers wide receiver Deebo Samuel's 156-yard game against the Seattle Seahawks from Week 4 of the 2021 NFL Season. - -#49ers #NFL #Deebo - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-04T01:16:46Z,https://www.youtube.com/watch?v=0sRwG7LRQq8 -pEOJ9JyjRSI,49ers Top Plays from Week 4 vs. Seahawks | San Francisco 49ers,"Check out the 49ers best plays from the team's Week 4 matchup against the Seattle Seahawks. - -#49ers #SEAvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-10-04T00:43:19Z,https://www.youtube.com/watch?v=pEOJ9JyjRSI -mBKYZxIFrMY,Mitch Wishnowsky Highlights: NFC Special Teams Player of the Month | 49ers,"#49ers #Wishnowsky #Highlights - -Watch San Francisco 49ers punter Mitch Wishnowsky's September highlights to celebrate his first-ever NFC Special Teams Player of the Month. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-30T17:38:20Z,https://www.youtube.com/watch?v=mBKYZxIFrMY -yQNOSmeJeso,49ers Top Plays from Week 3 vs. Packers | San Francisco 49ers,"Check out the 49ers best plays from the Week 3 matchup against the Green Bay Packers. - -#49ers #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-27T16:54:56Z,https://www.youtube.com/watch?v=yQNOSmeJeso -dwjdQaqED7Y,SDX DNA of a Play: Arik Armstead Breaks Down 49ers Goal Line Stand in Philly,"#49ers #DNAofaPlay #SFvsPHI - -Armstead analyzed a few of the key plays that propelled the 49ers to a win over the Philadelphia Eagles, presented by Seaport Diagnostics. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-24T18:28:07Z,https://www.youtube.com/watch?v=dwjdQaqED7Y -0h1ARUNbdPo,Every Deebo Samuel Catch From his 93-Yard Performance vs. Eagles | San Francisco 49ers,"Watch every catch from wide receiver Deebo Samuel's 93-yard outing against the Philadelphia Eagles in Week 2. - -#49ers #SFvsPHI #Deebo - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-19T22:42:10Z,https://www.youtube.com/watch?v=0h1ARUNbdPo -tuzaTxHUhXg,49ers Top Plays from Week 2 vs. Philadelphia Eagles | San Francisco 49ers,"Check out the 49ers best plays from the Week 2 matchup against the Philadelphia Eagles. - -#49ers #SFvsPHI - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-19T21:40:23Z,https://www.youtube.com/watch?v=tuzaTxHUhXg -hz9gT9zODiI,Every Deebo Samuel Catch from Week 1 | San Francisco 49ers,"Check out every Deebo Samuel catch from his 189-yard performance during the 49ers win over the Detroit Lions. - -#49ers #Deebo #SFvsDET - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-13T00:48:07Z,https://www.youtube.com/watch?v=hz9gT9zODiI -5Tsbuw8bqbU,49ers Top Plays from Week 1 vs. Lions | San Francisco 49ers,"Check out the 49ers best plays from the Week 1 matchup against the Detroit Lions. - -#49ers #NFL #SFvsDET - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-09-12T21:00:27Z,https://www.youtube.com/watch?v=5Tsbuw8bqbU -X1jf7pkcLsk,49ers Top Plays vs. Las Vegas Raiders | Preseason Week 3,"#49ers #Highlights #LVvsSF - -Watch some of the top plays from the 49ers preseason matchup against the Las Vegas Raiders. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-29T23:16:08Z,https://www.youtube.com/watch?v=X1jf7pkcLsk -6x9lKfSL5B0,How Did Trey Lance Fare in Second Preseason Game?,"#49ers #BaldysBreakdowns #NFLNetwork - -NFL Network's Brian Baldinger broke down Trey Lance's performance against the Chargers in Week 2 of the preseason. - -For more highlights and analysis, go to 49ers.com - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-26T20:29:52Z,https://www.youtube.com/watch?v=6x9lKfSL5B0 -LvJtgicO84A,Trey Lance: ‘It Was Super Cool to See Red’ at SoFi Stadium | 49ers,"#49ers #PressPass #SFvsLAC - -Lance highlighted the impact of 49ers Faithful during the team’s matchup at SoFi Stadium and evaluated his performance against the Chargers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-23T06:26:52Z,https://www.youtube.com/watch?v=LvJtgicO84A -2zK5eWkjDfU,49ers Top Plays vs. Chargers | Preseason Week 2 Game Highlights,"#49ers #Highlights #SFvsLAC - -Watch the top plays from the San Francisco 49ers during the team's preseason Week 2 matchup against the Los Angeles Chargers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-23T03:29:38Z,https://www.youtube.com/watch?v=2zK5eWkjDfU -H5-IVaXfqwg,49ers Best Plays vs. Chargers at Joint Practice | 49ers,"#49ers #49ersCamp #Highlights - -Check out highlights from the San Francisco 49ers two joint practices with the Los Angeles Chargers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-20T21:25:01Z,https://www.youtube.com/watch?v=H5-IVaXfqwg -kiEy31sL0co,Looking Back at John Taylor's Hall of Fame Career | 49ers,"#49ers #HOF #JohnTaylor - -Congratulations to the legendary wide receiver as he heads to the Edward J. DeBartolo Sr. San Francisco 49ers Hall of Fame. - -Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-18T16:25:23Z,https://www.youtube.com/watch?v=kiEy31sL0co -glc5f6pLHx8,Breaking Down Trey Lance's NFL Debut | Baldy Breakdowns,"Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -Para más contenido de la NFL en Español, suscríbete a https://www.youtube.com/nflenespanol -NFL Fantasy Football https://www.youtube.com/nflfantasyfootball -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Football #AmericanFootball",2021-08-19T04:21:02Z,https://www.youtube.com/watch?v=glc5f6pLHx8 -wDfTalbbhhg,Top 49ers Plays from Preseason Week 1 vs. Chiefs | San Francisco 49ers,"Check out the 49ers best plays from their Preseason Week 1 matchup against the Kansas City Chiefs. - -#SanFrancisco49ers #49ers #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-15T06:15:44Z,https://www.youtube.com/watch?v=wDfTalbbhhg -mdp8xlfdHik,Highlights from Padded Practices at #49ersCamp,"#49ers #49ersCamp #Highlights - -Watch some of the top highlights from the second block of 49ers training camp, including the best plays from the team's Open Practice at Levi's® Stadium. - -Watch more highlights, interviews and 49ers training camp updates on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-08T17:45:09Z,https://www.youtube.com/watch?v=mdp8xlfdHik -YoFjjj-r8Cs,Top Plays from the 49ers First Block of Training Camp Practices,"#49ers #TrainingCamp #Highlights - -Check out some of the highlights from the 49ers first five days of training camp practices at the SAP Performance Facility. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-03T01:49:20Z,https://www.youtube.com/watch?v=YoFjjj-r8Cs -81EVNxQkwQ0,Best Catches from the First Four Days of #49ersCamp,"#49ers #49ersCamp #Highlights - -Check out some of the top catches from George Kittle, Brandon Aiyuk, Deebo Samuel and Mohamed Sanu Sr. during the first week of 49ers training camp, presented by SAP. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-08-01T01:06:50Z,https://www.youtube.com/watch?v=81EVNxQkwQ0 -3KNc8s3Xwos,Patrick Willis is Headed to the 49ers Hall of Fame,"#49ers #PatrickWillis #HOF - -Congratulations to the legendary linebacker as he heads to the Edward J. DeBartolo Sr. San Francisco 49ers Hall of Fame. - -Watch more highlights on 49ers.com 🎥 - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-07-15T18:38:40Z,https://www.youtube.com/watch?v=3KNc8s3Xwos -MeeBOtGrEmM,Jerry Rice's Top 50 Plays | 49ers,"#49ers #JerryRice #Top50 - -From one-handed grabs to Super Bowl touchdowns, watch the 50 greatest plays of Jerry Rice's legendary career. - -Watch more on 49ers.com - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-06-10T23:11:31Z,https://www.youtube.com/watch?v=MeeBOtGrEmM -9b34FakB1xI,Joe Montana's Top 50 Plays | 49ers,"#49ers #JoeMontana #Top50 - -Watch the 50 greatest plays from Joe Montana's Hall of Fame career. - -Watch more highlights on 49ers.com - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-06-10T23:05:09Z,https://www.youtube.com/watch?v=9b34FakB1xI -9alnd7r5Rzk,Best Plays from Javon Kinlaw's Rookie Season | 49ers,"#49ers #JavonKinlaw - -Watch the highlights of 49ers first-round defensive end Javon Kinlaw from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T20:43:56Z,https://www.youtube.com/watch?v=9alnd7r5Rzk -pPoEP-1VqvQ,Jerry Rice: The Greatest WR Super Bowl Performer of ALL-TIME | Legends of the Playoffs,"Hall of fame wide receiver Jerry Rice reveals the surprising details of each of his Super Bowl touchdowns as he analyzes his amazing Super Bowl career. - -The NFL Throwback is your home for all things NFL history. - -Check out our other channels: -NFL Films - YouTube.com/NFLFilms -NFL Network- YouTube.com/NFLNetwork -NFL Rush - YouTube.com/NFLRush -NFL - YouTube.com/NFL - -#NFL #NFLThrowback #NFLHistory #Football #AmericanFootball #NFLVault",2021-02-02T22:05:52Z,https://www.youtube.com/watch?v=pPoEP-1VqvQ -mNBgjFUh2uY,Brandon Aiyuk's Top Plays from the 2020 Season | 49ers,"#49ers #BrandonAiyuk - -Watch the best plays of San Francisco's rookie wide receiver Brandon Aiyuk from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T21:01:34Z,https://www.youtube.com/watch?v=mNBgjFUh2uY -9PfI-Sxty6k,Top Plays of Fred Warner's All-Pro Season | 49ers,"#49ers #FredWarner #AllProFred - -Watch the highlights of San Francisco's All-Pro, Pro Bowl linebacker Fred Warner from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T20:53:38Z,https://www.youtube.com/watch?v=9PfI-Sxty6k -3RsfhZ5fm6Q,Best Offensive Plays from the 49ers 2020 Season,"#49ers #Offense #Highlights - -Watch the best plays by the San Francisco 49ers from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T20:50:10Z,https://www.youtube.com/watch?v=3RsfhZ5fm6Q -hceAK2ZQG7Y,49ers Best Defensive Plays of 2020,"#49ers #Defense #Highlights - -Take a look back at some of the top plays on defense by the 49ers from the 2020 NFL season. Watch more highlights on 49ers.com. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2021-01-26T20:56:41Z,https://www.youtube.com/watch?v=hceAK2ZQG7Y -2lw3tmLfOcs,Raheem Mostert Relives Record-Setting 2019 NFC Championship | Legends of the Playoffs,"Check out Raheem Mostert breaking down his record-setting performance in the 2019 NFC Championship game leading the San Francisco 49ers to the Super Bowl. - -The NFL Throwback is your home for all things NFL history. - -Check out our other channels: -NFL Films - YouTube.com/NFLFilms -NFL Network- YouTube.com/NFLNetwork -NFL Rush - YouTube.com/NFLRush -NFL - YouTube.com/NFL - -#NFL #NFLThrowback #NFLHistory #Football #AmericanFootball #NFLVault",2021-01-26T18:11:30Z,https://www.youtube.com/watch?v=2lw3tmLfOcs -6x4zGqDw7A8,49ers Top 5 Storylines From Week 12,"Check out the these highlights of Deebo Samuel, Richard Sherman, Javon Kinlaw and other 49ers from the team's victory over the Rams. - -Tune in to the 49ers Week 13 matchup against the Buffalo Bills on Monday Night Football - -#49ers #SFvsLAR - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-12-01T19:59:40Z,https://www.youtube.com/watch?v=6x4zGqDw7A8 -r0pcyL9-NAw,NFL Throwback: 49ers Top 5 Plays vs. Saints,"Check out some of the San Francisco 49ers greatest plays against the New Orleans Saints. - -Watch #SFvsNO on Sunday, November 15 at 1:25 pm PT on FOX. - -#49ers #Highlights #Top5 - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-11-12T00:50:40Z,https://www.youtube.com/watch?v=r0pcyL9-NAw -5_nXPsKonUE,49ers Defense Holds the Seahawks for Four Downs in the Red Zone,"Relive the moment the 49ers defense stopped Russell Wilson and Co. in Week 17 of the 2019 season, culminating in Dre Greenlaw's game-winning stop against Jacob Hollister on the goal line to win the NFC West. - -Watch the 49ers Week 8 Matchup against the Seattle Seahawks at 1:25 pm PT on FOX. - -#49ers #SFvsSEA #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-10-22T16:36:53Z,https://www.youtube.com/watch?v=5_nXPsKonUE -ch_QddtfHgo,Baldy's Breakdowns: Jason Verrett and Emmanuel Moseley Shine on Primetime | 49ers,"NFL analyst Brian Baldinger broke down the dominant performances of Jason Verrett and Emmanuel Moseley in the 49ers Week 6 win over the Rams. - -#49ers #BaldysBreakdowns #LARvsSF - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-10-20T23:57:37Z,https://www.youtube.com/watch?v=ch_QddtfHgo -x4pYLMnzp34,Brandon Aiyuk's Top Plays So Far | 49ers,"Watch the best plays from 49ers rookie wide receiver Brandon Aiyuk from the month of September. - -Watch #MIAvsSF on Sunday, October 11 at 1:05 pm PT on FOX - -#49ers #Aiyuk #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-10-06T01:55:44Z,https://www.youtube.com/watch?v=x4pYLMnzp34 -PzfR486q2bU,49ers Top Highlights From the First Three Weeks of Football,"Watch the best plays from the San Francisco 49ers in the month of September. - -Watch #MIAvsSF on Sunday, October 11 at 1:05 pm PT on FOX - -#49ers #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-10-06T01:53:30Z,https://www.youtube.com/watch?v=PzfR486q2bU -QnD0K4lpTk0,Best Plays Throughout the 49ers 2020 Training Camp,"Check out some of the top touchdowns, interceptions and more from the 49ers 2020 training camp at the SAP Performance Facility. - -#49ers #49ersCamp #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-09-03T18:36:15Z,https://www.youtube.com/watch?v=QnD0K4lpTk0 -iqYWQ-s7Zrk,George Kittle's Top 10 Touchdowns | 49ers,"Relive George Kittle's top 10 touchdown receptions from the start of this 49ers career. - -#49ers #GeorgeKittle #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-07-23T16:00:58Z,https://www.youtube.com/watch?v=iqYWQ-s7Zrk -bvOAO5DvD5M,George Kittle's Top 10 Plays | 49ers,"Check out this countdown of George Kittle's best plays, so far. - -#49ers #GeorgeKittle #ThePeoplesTightEnd - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-08-07T21:42:45Z,https://www.youtube.com/watch?v=bvOAO5DvD5M -BKL7gd4lReM,49ers vs. LA Rams Week 6 Highlights,"The 49ers defense was lights out in LA en route to the team’s fifth-straight victory! - -Watch more condensed games on NFL Game Pass. - -Watch more 49ers full games at https://www.youtube.com/playlist?list=PLBB205pkCsyvsxjE7W3KWNcT3JwRVY3ny - -#49ers #Rams #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-06-21T17:41:34Z,https://www.youtube.com/watch?v=BKL7gd4lReM -H0CBhpb1raM,Browns vs 49ers 2019 Highlights,"Relive Nick Bosa’s breakout performance during the 49ers dominant 31-3 victory over the Browns on ""Monday Night Football"". Watch full condensed games on NFL Game Pass. - -#49ers #Bosa #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-05-22T04:41:22Z,https://www.youtube.com/watch?v=H0CBhpb1raM -ErvZ0JQZQpU,Joe Staley's Career Highlights | 49ers,"Watch Joe Staley's best highlights from his tenure with the San Francisco 49ers. - -#49ers #Staley #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-04-25T20:40:09Z,https://www.youtube.com/watch?v=ErvZ0JQZQpU -eaV9vn-EZnk,49ers Best Passing Touchdowns | 2019 Season,"Relive the best 49ers touchdown passes of the 2019 season. - -#49ers #Touchdown #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:56:52Z,https://www.youtube.com/watch?v=eaV9vn-EZnk -hQQNPt84qEo,DeForest Buckner's Best Plays | 2019 Season | 49ers,"Watch DeForest Buckner's top sacks, tackles, forced fumbles and fumble recoveries from the 2019 season. - -#49ers #Buckner #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T22:14:14Z,https://www.youtube.com/watch?v=hQQNPt84qEo -jj8ty5kKo94,Fred Warner's Best Plays | 2019 Season | 49ers,"Watch the best plays from Fred Warner's sophomore season in San Francisco. - -#49ers #Fred Warner #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:40:39Z,https://www.youtube.com/watch?v=jj8ty5kKo94 -TrewqME6Mhk,Kendrick Bourne's Best Catches | 2019 Season | 49ers,"Check out Kendrick Bourne's best plays, touchdowns and celebrations from the 2019 season. - -#49ers #KendrickBourne #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:26:43Z,https://www.youtube.com/watch?v=TrewqME6Mhk -B7nGWxc7a2g,49ers Best Rushing Touchdowns | 2019 Season,"Check out the best rushing touchdown plays from the 49ers offense during the 2019 season. - -#49ers #Touchdown #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T20:59:57Z,https://www.youtube.com/watch?v=B7nGWxc7a2g -5u9wXsG1SIU,Tevin Coleman's Best Plays | 2019 Season | 49ers,"49ers running back Tevin Coleman's best plays from the 2019 season. - -#49ers #TevinColeman #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:11:05Z,https://www.youtube.com/watch?v=5u9wXsG1SIU -Pf5tUzN3syg,Emmanuel Sander's Best Plays | 2019 Season | 49ers,"49ers wide receiver Emmanuel Sanders' best plays from the 2019 season. - -#49ers #EmmanuelSanders #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T21:07:26Z,https://www.youtube.com/watch?v=Pf5tUzN3syg -xJ2CdvhNLd4,49ers Top Defensive Takeaways | 2019 Season,"Check out the defense's best interceptions and fumble recoveries from the 2019 season. - -#49ers #Interception #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T19:30:51Z,https://www.youtube.com/watch?v=xJ2CdvhNLd4 -X-ktlFyNcX4,49ers Top Highlights | 2019 Season,"See some of the 49ers top highlights from the 2019 NFL season. - -#49ers #Highlights #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-13T19:24:25Z,https://www.youtube.com/watch?v=X-ktlFyNcX4 -6otVZxw1YGA,Nick Bosa's Best Plays | 2019 Season | 49ers,"See some of Nick Bosa's top highlights from the 2019 NFL season. - -#49ers #highlights #NickBosa - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-11T01:20:32Z,https://www.youtube.com/watch?v=6otVZxw1YGA -PkwLNNsx3Ng,49ers Top 10 Plays | 2019 season,"See a countdown of the top 10 San Francisco 49ers highlights from the 2019 NFL regular season. - -#49ers #Highlights #GeorgeKittle - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-02-05T17:35:23Z,https://www.youtube.com/watch?v=PkwLNNsx3Ng -s9PIssEGnPo,49ers Defense DOMINATES Vikings w/ 6 Sacks! | NFL 2019 Highlights,"The 49ers defense showed up big, taking Kirk Cousins down 6 times along with an interception by Richard Sherman. The Minnesota Vikings take on the San Francisco 49ers during the Divisional Round of the 2019 NFL postseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Vikings #49ers",2020-01-12T19:47:05Z,https://www.youtube.com/watch?v=s9PIssEGnPo -nMJVlo2h104,Vikings vs. 49ers Divisional Round Highlights | NFL 2019 Playoffs,"The Minnesota Vikings take on the San Francisco 49ers during the Divisional Round of the 2019 NFL postseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Vikings #49ers",2020-01-12T19:46:51Z,https://www.youtube.com/watch?v=nMJVlo2h104 -TTEdSfnQKiI,Tevin Coleman Has Himself a Day w/ 105 Yds & 2 TDs | NFL 2019 Highlights,"Tevin Coleman could not be stopped as he rushed on the day for 105 yards and 2 touchdowns. The Minnesota Vikings take on the San Francisco 49ers during the Divisional Round of the 2019 NFL postseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #TevinColeman #49ers",2020-01-12T19:46:58Z,https://www.youtube.com/watch?v=TTEdSfnQKiI -PgW5i-MioVk,Jimmy Garoppolo’s Best Plays from 2019,"Watch the best plays from Jimmy Garoppolo in the 2019 regular season. Tune in for the 49ers Divisional Game on NBC on 1/11. - -#49ers #JimmyGaroppolo #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-01-01T20:03:22Z,https://www.youtube.com/watch?v=PgW5i-MioVk -djbGLTRr0Gs,Top Plays from George Kittle’s 2019 Season,"Watch the best plays from George Kittle in the 2019 season. Tune in for the 49ers Divisional Game on NBC on 1/11. - -#49ers #GeorgeKittle #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-01-01T19:56:41Z,https://www.youtube.com/watch?v=djbGLTRr0Gs -xWK54tYbA9Q,49ers Best Defensive Plays of 2019,"Watch the best defensive plays from the San Francisco 49ers during the 2019 regular season. Tune in for the 49ers Divisional Game on NBC on 1/11. - -#49ers #Defense #Highlights - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-01-01T20:14:24Z,https://www.youtube.com/watch?v=xWK54tYbA9Q -l1Ai-5yZnqU,49ers Best Offensive Plays of 2019,"Watch the best plays from Jimmy Garoppolo and Co. during the 2019 regular season. Tune in for the 49ers Divisional Game on NBC on 1/11. - -#49ers #Highlights #Touchdown - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2020-01-01T20:08:45Z,https://www.youtube.com/watch?v=l1Ai-5yZnqU -Bru8AddADvo,49ers vs. Seahawks Week 17 Highlights | NFL 2019,"The San Francisco 49ers take on the Seattle Seahawks during Week 17 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Seahawks",2019-12-30T07:14:41Z,https://www.youtube.com/watch?v=Bru8AddADvo -i01R1fA6gos,49ers vs. Saints Week 14 Highlights | NFL 2019,"The San Francisco 49ers take on the New Orleans Saints during Week 14 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Saints",2019-12-09T00:26:05Z,https://www.youtube.com/watch?v=i01R1fA6gos -VNvzPiatHiA,49ers at Ravens Highlights,"View the 49ers best plays from the team's Week 13 matchup against the Baltimore Ravens. - -#49ers #SFvsBAL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-12-02T23:48:33Z,https://www.youtube.com/watch?v=VNvzPiatHiA -9Cx7a_riY7g,49ers Defense Feasts on Aaron Rodgers | NFL 2019 Highlights,"The 49ers defense dominated in primetime with 5 sacks on the night. The Green Bay Packers take on the San Francisco 49ers during Week 12 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Defense",2019-11-25T08:22:57Z,https://www.youtube.com/watch?v=9Cx7a_riY7g -UEFXe5PFop4,George Kittle Puts on a Show vs. Packers w/ 129 Yds & 1 TD | NFL 2019 Highlights,"George Kittle makes his returns with 129 yards and 1 touchdown on the night. The Green Bay Packers take on the San Francisco 49ers during Week 12 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #GeorgeKittle #49ers",2019-11-25T08:22:52Z,https://www.youtube.com/watch?v=UEFXe5PFop4 -rF9PJp1q_AQ,Jimmy G Shines in Primetime vs. Packers | NFL 2019 Highlights,"Jimmy Garoppolo helped lead the 49ers to victory with 253 yards and two touchdowns. The Green Bay Packers take on the San Francisco 49ers during Week 12 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyG #49ers",2019-11-25T08:22:47Z,https://www.youtube.com/watch?v=rF9PJp1q_AQ -ZJMyUgvrx2k,Packers vs. 49ers Week 12 Highlights | NFL 2019,"The Green Bay Packers take on the San Francisco 49ers during Week 12 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Packers #49ers",2019-11-25T08:22:39Z,https://www.youtube.com/watch?v=ZJMyUgvrx2k -0gqxZzgLlWE,Cardinals vs. 49ers Week 11 Highlights | NFL 2019,"The Arizona Cardinals take on the San Francisco 49ers during Week 11 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Cardinals #49ers",2019-11-18T05:03:56Z,https://www.youtube.com/watch?v=0gqxZzgLlWE -MUIrIrd523Y,Jimmy G Had Himself a Day w/ 424 Passing YDs & 4 TDs | NFL 2019 Highlights,"Jimmy G played to win with 4 TDs and 424 passing yards. The Arizona Cardinals take on the San Francisco 49ers during Week 11 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyG #49ers",2019-11-18T05:03:28Z,https://www.youtube.com/watch?v=MUIrIrd523Y -Nucd5grgLAE,Jimmy Garoppolo Flies High w/ 4 TDs! | NFL 2019 Highlights,"Jimmy G threw for 317 yards and 4 touchdowns to give the 49ers the edge. The San Francisco 49ers take on the Arizona Cardinals during Week 9 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyGaroppolo #49ers",2019-11-01T04:24:59Z,https://www.youtube.com/watch?v=Nucd5grgLAE -qAkM3Vyt8WY,49ers vs. Cardinals Week 9 Highlights | NFL 2019,"The San Francisco 49ers take on the Arizona Cardinals during Week 9 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Cardinals",2019-11-01T04:24:53Z,https://www.youtube.com/watch?v=qAkM3Vyt8WY -hOjCOX71pj4,49ers Smoke Panthers w/ 7 Sacks & 3 INTs | NFL 2019 Highlights,"The 49ers Defense were relentless and kept the pressure on the whole game. The Carolina Panthers take on the San Francisco 49ers during Week 8 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ersDefense #49ers",2019-10-28T00:52:14Z,https://www.youtube.com/watch?v=hOjCOX71pj4 -9qh98Vk4OC8,Panthers vs. 49ers Week 8 Highlights | NFL 2019,"The Carolina Panthers take on the San Francisco 49ers during Week 8 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Panthers #49ers",2019-10-28T00:51:45Z,https://www.youtube.com/watch?v=9qh98Vk4OC8 -AZa4NscgwsE,49ers Defense SHUTS OUT Washington | NFL 2019 Highlights,"49ers held the Redskins to a goose egg today and put three sacks on the board. The San Francisco 49ers take on the Washington Redskins during Week 7 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Redskins",2019-10-20T22:50:25Z,https://www.youtube.com/watch?v=AZa4NscgwsE -Ay_42hl38qA,49ers vs. Redskins Week 7 Highlights | NFL 2019,"The San Francisco 49ers take on the Washington Redskins during Week 7 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Redskins",2019-10-20T22:50:36Z,https://www.youtube.com/watch?v=Ay_42hl38qA -F7LX1MuQdqQ,Robert Saleh is the Hype Man We All Need | 49ers,"Watch Robert Saleh's reactions on the sideline as the 49ers beat the defending NFC Champion Los Angeles Rams in Week 6 to start the 2019 season 5-0. - -#49ers #RobertSaleh #Celebration - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-10-14T17:55:23Z,https://www.youtube.com/watch?v=F7LX1MuQdqQ -uWcBVGwk8i4,49ers Defense Dominates vs. Rams | NFL 2019 Highlights,"49ers defense had 4 sacks against the Rams. The San Francisco 49ers take on the Los Angeles Rams during Week 6 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Rams",2019-10-14T02:23:52Z,https://www.youtube.com/watch?v=uWcBVGwk8i4 -i3OcQg4T9Wk,Jimmy Garoppolo Keeps the 49ers Undefeated! | 2019 NFL Highlights,"Jimmy Garoppolo and the 49ers defeat the Rams to move to 5-0! The San Francisco 49ers take on the Los Angeles Rams during Week 6 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyGaroppolo #49ers",2019-10-14T02:23:57Z,https://www.youtube.com/watch?v=i3OcQg4T9Wk -9heYbDdzMIY,49ers vs. Rams Week 6 Highlights | NFL 2019,"The San Francisco 49ers take on the Los Angeles Rams during Week 6 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Rams",2019-10-14T00:07:18Z,https://www.youtube.com/watch?v=9heYbDdzMIY --HIneUUVhx8,Nick Bosa Named NFC Defensive Player of the Week | 49ers,"View the best moments from Bosa's standout Week 5 performance in the 49ers 31-3 victory over the Browns. - -#49ers #NickBosa #MondayNightFootball - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-10-09T05:02:47Z,https://www.youtube.com/watch?v=-HIneUUVhx8 -VbjBUMke8Ik,Breida & Coleman Combine for 211 Rushing Yards! | NFL 2019 Highlights,"Matt Breida and Tevin Coleman combine for 211 rushing yards and three touchdowns. The Cleveland Browns take on the San Francisco 49ers during Week 5 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #TevinColeman #MattBreida",2019-10-08T07:19:46Z,https://www.youtube.com/watch?v=VbjBUMke8Ik -u1smaezh-KE,Browns vs. 49ers Week 5 Highlights | NFL 2019,"The Cleveland Browns take on the San Francisco 49ers during Week 5 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Browns #49ers",2019-10-08T07:19:57Z,https://www.youtube.com/watch?v=u1smaezh-KE -NekSsqXTQk0,Top Plays of the Season So Far… | 49ers,"#49ers #JimmyGaroppolo #RichardSherman - -Relive the team’s 3-0 start with highlight plays from Jimmy Garoppolo, George Kittle, Richard Sherman and other members of the San Francisco 49ers. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-10-01T19:28:09Z,https://www.youtube.com/watch?v=NekSsqXTQk0 -XKoFLlv0xes,Jimmy Garoppolo Week 3 Highlights vs. Steelers | NFL 2019,"Jimmy Garoppolo orchestrates a game-winning drive to get the 49ers the W! The Pittsburgh Steelers take on the San Francisco 49ers during Week 3 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyGaroppolo #49ers",2019-09-23T01:21:34Z,https://www.youtube.com/watch?v=XKoFLlv0xes -VMqmQZ1hB18,Steelers vs. 49ers Week 3 Highlights | NFL 2019,"The Pittsburgh Steelers take on the San Francisco 49ers during Week 3 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Steelers #49ers",2019-09-23T01:21:22Z,https://www.youtube.com/watch?v=VMqmQZ1hB18 -nXD7B_hwUBI,Baldy’s Breakdowns: 49ers Offensive Explosion | 49ers,"#49ers #JimmyGaroppolo #BaldyBreakdown - -Brian Baldinger analyzed the 49ers offense explosive plays from the team’s 41-17 victory over the Cincinnati Bengals. - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-09-18T17:33:15Z,https://www.youtube.com/watch?v=nXD7B_hwUBI -J7kwck08IU8,Matt Breida Breaks Away for 121 Rushing Yds in Week 2 | NFL 2019 Highlights,"Matt Breida ran past the Bengals defense for a big rushing day. The San Francisco 49ers take on the Cincinnati Bengals during Week 2 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #MattBreida #49ers",2019-09-16T21:16:51Z,https://www.youtube.com/watch?v=J7kwck08IU8 -9SJFFg--7Zc,Jimmy Garoppolo's Dominates w/ 3 TDs | NFL 2019 Highlights,"Jimmy Garoppolo's has a strong game with 297 yards and 3 touchdowns. The San Francisco 49ers take on the Cincinnati Bengals during Week 2 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #JimmyGaroppolo #49ers",2019-09-16T21:16:30Z,https://www.youtube.com/watch?v=9SJFFg--7Zc -aPesLnFhHvM,49ers vs. Bengals Week 2 Highlights | NFL 2019,"The San Francisco 49ers take on the Cincinnati Bengals during Week 2 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Bengals",2019-09-15T20:49:38Z,https://www.youtube.com/watch?v=aPesLnFhHvM -uuLY_HeJTxo,49ers vs. Buccaneers Week 1 Highlights | NFL 2019,"The San Francisco 49ers take on the Tampa Bay Buccaneers during Week 1 of the 2019 NFL season. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Bucs",2019-09-09T00:11:41Z,https://www.youtube.com/watch?v=uuLY_HeJTxo -jeVwrJuqJ2I,Chargers vs. 49ers Preseason Week 4 Highlights | NFL 2019,"The Los Angeles Chargers take on the San Francisco 49ers during Week 4 of the 2019 NFL preseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #Chargers #49ers",2019-08-30T05:37:00Z,https://www.youtube.com/watch?v=jeVwrJuqJ2I -feUG2AKhcY4,49ers vs. Chiefs Preseason Week 3 Highlights | NFL 2019,"The San Francisco 49ers take on the Kansas City Chiefs during Week 3 of the 2019 NFL preseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Chiefs",2019-08-25T04:29:25Z,https://www.youtube.com/watch?v=feUG2AKhcY4 -dVfAjne_KyI,49ers vs. Broncos Preseason Week 2 Highlights | NFL 2019,"The San Francisco 49ers take on the Denver Broncos during Week 2 of the 2019 NFL preseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush -NFL Play Football https://www.youtube.com/playfootball -NFL Podcasts https://www.youtube.com/nflpodcasts - -#NFL #49ers #Broncos",2019-08-20T04:14:09Z,https://www.youtube.com/watch?v=dVfAjne_KyI -1GSB0B5BMic,Cowboys vs. 49ers Preseason Week 1 Highlights | NFL 2019,"The Dallas Cowboys take on the San Francisco 49ers during Week 1 of the 2019 NFL preseason. - -Subscribe to NFL: http://j.mp/1L0bVBu - -Check out our other channels: -NFL Vault http://www.youtube.com/nflvault -NFL Network http://www.youtube.com/nflnetwork -NFL Films http://www.youtube.com/nflfilms -NFL Rush http://www.youtube.com/nflrush - -#NFL #Cowboys #49ers",2019-08-11T05:17:09Z,https://www.youtube.com/watch?v=1GSB0B5BMic -XISsuWXfusU,Top Highlights from the First Week of #49ersCamp | San Francisco 49ers,"Take a look at the top highlights from the first week of #49ersCamp including moments from Jimmy Garoppolo, George Kittle and Nick Bosa. - -#49ers #SanFrancisco49ers #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-09-13T23:22:24Z,https://www.youtube.com/watch?v=XISsuWXfusU -5dhoxhaCDpM,Top Plays from San Francisco 49ers Training Camp So Far.... | San Francisco 49ers,"View the top plays from Jimmy Garoppolo, Dee Ford and other members of the 49ers during the first four days of training camp presented by SAP. - -#49ers #SanFrancisco49ers #NFL - -Subscribe to the San Francisco 49ers YT Channel: https://bit.ly/2E2VgFJ -For more 49ers videos: https://bit.ly/2U9wau9 - -For more 49ers action: https://www.49ers.com/ -Like us on Facebook: https://www.facebook.com/SANFRANCISCO49ERS/ -Follow us on Twitter: https://twitter.com/49ers -Follow us on Instagram: https://www.instagram.com/49ers/ -Get the App: https://itunes.apple.com/app/id395859078?mt=8",2019-09-13T23:16:31Z,https://www.youtube.com/watch?v=5dhoxhaCDpM -fGBNiWkKo4U,"Practice Highlights: 49ers Prepare for ""Dress Rehearsal"" Preseason Matchup with Colts","View the top moments from Jimmy Garoppolo, Reuben Foster and Marquise Goodwin during Wednesday's practice.",2019-09-13T22:54:19Z,https://www.youtube.com/watch?v=fGBNiWkKo4U -KyhNdTicm_0,Camp Highlights: The Top Plays from the 49ers vs. Texans Second Joint Practice,"View the top moments during the second of two joint practices against the Houston Texans from Jimmy Garoppolo, Ahkello Witherspoon and Greg Mabin.",2019-09-13T23:27:20Z,https://www.youtube.com/watch?v=KyhNdTicm_0 -ogqGyzLjqu4,Camp Highlights: The Top Plays from the 49ers vs. Texans Joint Practice,"View the top moments during the first of two joint practices against the Houston Texans from Jimmy Garoppolo, Tarvarius Moore and Pierre Garçon.",2019-09-13T23:28:23Z,https://www.youtube.com/watch?v=ogqGyzLjqu4 -hfH5Wq3pyBY,Camp Highlights: The Top Plays from the 49ers 13th Training Camp Practice,"View the top moments during Monday's practice from Jimmy Garoppolo, Richard Sherman and Trent Taylor.",2019-09-13T23:28:05Z,https://www.youtube.com/watch?v=hfH5Wq3pyBY -zV-ic05w49g,Camp Highlights: The Top Plays from the 49ers 12th Training Camp Practice,"View the top moments during Sunday's practice from Jimmy Garoppolo, Jimmie Ward and Cole Hikutini.",2019-09-13T23:28:01Z,https://www.youtube.com/watch?v=zV-ic05w49g -8wyHHbXoFZI,Camp Highlight: Aldrick Robinson Hauls in Touchdown Pass Between Two Defenders,Jimmy Garoppolo found Robinson in the corner of the end zone for a touchdown during team drills.,2019-09-13T23:23:01Z,https://www.youtube.com/watch?v=8wyHHbXoFZI -xEK6pby5-5M,Camp Highlights: The Top Plays from the 49ers Eleventh Training Camp Practice,"View the top moments during Tuesday's practice from Jimmy Garoppolo, Aldrick Robinson and Jerick McKinnon.",2019-09-13T23:27:53Z,https://www.youtube.com/watch?v=xEK6pby5-5M -a-41mw1q4L4,Camp Highlights: The Top Plays from the 49ers Tenth Training Camp Practice,"View the top moments during Monday's practice from Jimmy Garoppolo, Pierre Garçon and Marquise Goodwin.",2019-09-13T23:27:07Z,https://www.youtube.com/watch?v=a-41mw1q4L4 -c73pnVETK54,Camp Highlights: The Top Plays from the 49ers Ninth Training Camp Practice,"View the top moments during Sunday's practice from Jimmy Garoppolo, Tarvarus McFadden and Dante Pettis.",2019-09-13T23:28:08Z,https://www.youtube.com/watch?v=c73pnVETK54 -0d0NBcZ85IQ,Camp Highlight: Garoppolo and Kittle Take Over Friday's Practice,Jimmy Garoppolo and George Kittle connected for several big games during Friday’s practice.,2019-09-13T23:23:59Z,https://www.youtube.com/watch?v=0d0NBcZ85IQ --Juq7_MZvA4,Camp Highlights: The Top Plays from the 49ers Eighth Training Camp Practice,"View the top moments during Friday's practice from Jimmy Garoppolo, Greg Mabin and Pierre Garçon.",2019-09-13T23:27:40Z,https://www.youtube.com/watch?v=-Juq7_MZvA4 -Wu-VKR-69U4,Camp Highlights: The Jimmy Garoppolo to Marquise Goodwin Connection,Garoppolo and Goodwin put on a clinic on Thursday. Take a look at the duo's top plays from 1-on-1s and team drills.,2019-09-13T23:27:25Z,https://www.youtube.com/watch?v=Wu-VKR-69U4 -GQqG1532-6U,Camp Highlights: The Top Plays from the 49ers Seventh Training Camp Practice,"View the top moments during Thursday's practice from Jimmy Garoppolo, Marquise Goodwin and Adrian Colbert",2019-09-13T23:28:12Z,https://www.youtube.com/watch?v=GQqG1532-6U -1855xRGhslI,Camp Highlights: The Top Plays from the 49ers Sixth Training Camp Practice,"View the top moments during Wednesday's practice from Jimmy Garoppolo, Dante Pettis and Tarvarus McFadden.",2019-09-13T23:27:12Z,https://www.youtube.com/watch?v=1855xRGhslI -Nw6fcvfUORI,Camp Highlight: Najee Toran 'Jumps On It' to Pump up the Faithful,The undrafted rookie showed off his dance moves to start practice as the day’s nominated “Rookie Hype Machine.”,2019-09-13T23:19:47Z,https://www.youtube.com/watch?v=Nw6fcvfUORI -8lrWb5ae084,Camp Highlight: Best of Rookie WR Dante Pettis on Day 5,Pettis shook off defenders and made big plays throughout the 49ers fifth training camp practice.,2019-09-13T23:22:27Z,https://www.youtube.com/watch?v=8lrWb5ae084 -GcJmkoGYOx4,Camp Highlight: Jimmy Garoppolo Shows off His Accuracy,"Garoppolo put on a clinic during the team’s fifth practice, connecting with Jerick McKinnon, Richie James and others.",2019-09-13T23:22:21Z,https://www.youtube.com/watch?v=GcJmkoGYOx4 -QNoy1tmyQbo,Camp Highlights: The Top Plays from the 49ers Fifth Training Camp Practice,"View the top moments during Tuesday's practice from Jimmy Garoppolo, Richard Sherman and C.J. Beathard.",2019-09-13T23:27:37Z,https://www.youtube.com/watch?v=QNoy1tmyQbo -yhuJ6gkQdZY,Camp Highlights: The Top Plays from the 49ers Fourth Training Camp Practice,"View the top moments during Sunday's practice from Jimmy Garoppolo, Marquise Goodwin, Dante Pettis and D.J. Reed Jr.",2019-09-13T23:27:04Z,https://www.youtube.com/watch?v=yhuJ6gkQdZY -0oEGEVeg9TU,Camp Highlight: The Top Plays from the 49ers First Padded Practice,Check out some of the best highlights from the team's first practice in full pads.,2019-09-13T23:19:05Z,https://www.youtube.com/watch?v=0oEGEVeg9TU -L8rlxg5otv0,Camp Highlight: Coleman Shelton Shows Off Athleticism During His 'Rookie Hype Machine' Moment,"The undrafted rookie pumped the crowd up to start practice as the day's nominated ""Rookie Hype Machine.""",2019-09-13T23:24:16Z,https://www.youtube.com/watch?v=L8rlxg5otv0 -Mtxmp-XtkHk,Camp Highlight: Beathard Finds Bourne Open Downfield,C.J. Beathard connected with Kendrick Bourne for a big play down the field during the team portion of practice.,2019-09-13T23:27:00Z,https://www.youtube.com/watch?v=Mtxmp-XtkHk -jl9koMl7eMw,Camp Highlight: Mike McGlinchey Starts the 'Rookie Hype Machine',The rookie pumped the crowd up to start practice as the day's nominated “Rookie Hype Machine.”,2019-09-13T23:25:23Z,https://www.youtube.com/watch?v=jl9koMl7eMw -YU65fLy3TL4,Camp Highlight: Antone Exum Jr.’s Tip-drill INT,Exum Jr. deflected the pass to himself and took it the other way for a big turnover.,2019-09-13T23:22:51Z,https://www.youtube.com/watch?v=YU65fLy3TL4 -p_HeZ5-UkQ8,Camp Highlight: George Kittle is Off to the Races after Catch from C.J. Beathard,The second-year tight end took off down the sideline after hauling in a pass from Beathard.,2019-09-13T23:25:06Z,https://www.youtube.com/watch?v=p_HeZ5-UkQ8 -j4S8WDeZ1Qg,Camp Highlight: Beathard and James Jr. End Day With a Long Touchdown,Richie James Jr. tracked down a deep ball from C.J. Beathard on one of the final plays in practice.,2019-09-13T23:25:18Z,https://www.youtube.com/watch?v=j4S8WDeZ1Qg -e02TG66il-0,Camp Highlight: Brock Coyle with an Impressive Pass Break up,The 49ers linebacker knocked a pass out of George Kittle's hands to take a big play away from the offense.,2019-09-13T23:21:59Z,https://www.youtube.com/watch?v=e02TG66il-0 -Tx1qiojV5bg,Practice Highlight: Jaquiski Tartt's Tip-drill Interception,The 49ers safety was in the right place at the right time to intercept the pass off of the Reuben Foster tip.,2019-09-13T23:19:13Z,https://www.youtube.com/watch?v=Tx1qiojV5bg -1vwP8vs-mXI,Practice Highlight: Brian Hoyer and Aldrick Robinson Connect for Deep TD,Aldrick Robinson hauled in the deep pass for a touchdown during Thursday's practice.,2019-09-13T23:20:50Z,https://www.youtube.com/watch?v=1vwP8vs-mXI -xZh7DJhb_R4,Practice Highlight: Top Offensive Plays - Aug. 23,"Pierre Garçon, George Kittle and Carlos Hyde provided some of the top offensive highlights as the team prepares for Week 3 of the preseason.",2019-09-13T23:18:54Z,https://www.youtube.com/watch?v=xZh7DJhb_R4 -nOuA72tWT2s,Practice Highlight: Top Defensive Plays - Aug. 23,"NaVorro Bowman, Dontae Johnson and Vinnie Sunseri were repsonsible for the defense's top three plays during Wednesday's practice.",2019-09-13T23:19:09Z,https://www.youtube.com/watch?v=nOuA72tWT2s -KuvvcUaT9vE,Practice Highlight: The Beathard-to-Kerley Connection,C.J. Beathard and Jeremy Kerley combined for several big plays in the passing game.,2019-09-13T23:18:46Z,https://www.youtube.com/watch?v=KuvvcUaT9vE -_kD-JcQQKP4,Practice Highlight: Marquise Goodwin Puts on a Show,Brian Hoyer connected with Goodwin on several highlight-reel plays during Wednesday's practice.,2019-09-13T23:19:02Z,https://www.youtube.com/watch?v=_kD-JcQQKP4 -FsaT-K_0iPE,Camp Highlight: Top Throws from Brian Hoyer on Thursday,The 49ers quarterback had several impressive completions during the second joint practice against the Denver Broncos.,2019-09-13T23:23:33Z,https://www.youtube.com/watch?v=FsaT-K_0iPE -F3ODlDuuftk,Camp Highlight: Victor Bolden Jr. Lays Out for Diving Grab,The rookie wide receiver beat Aqib Talib deep down the right sideline for a long gain.,2019-09-13T23:20:20Z,https://www.youtube.com/watch?v=F3ODlDuuftk -IRpB9-rpNw0,Camp Highlight: Will Davis Shuts Down Broncos Passing Game,The 49ers cornerback had an interception and a pass breakup during the joint practice with the Denver Broncos on Wednesday.,2019-09-13T23:25:11Z,https://www.youtube.com/watch?v=IRpB9-rpNw0 -fLfU2m5kEMM,Camp Highlight: Hoyer-to-Goodwin Connection Continues vs. Broncos,Brian Hoyer and Marquise Goodwin had it going on Wednesday in a joint practice against the Broncos.,2019-09-13T23:22:34Z,https://www.youtube.com/watch?v=fLfU2m5kEMM -uNrsTxGGn2k,Camp Highlight: NaVorro Bowman Breaks Up Pass,The 49ers middle linebacker broke up a pass intended for RB Carlos Hyde during team drills.,2019-09-13T23:27:16Z,https://www.youtube.com/watch?v=uNrsTxGGn2k -22e2UjStshA,Camp Highlight: Best of 49ers Offense on Tuesday,View the top plays from the offense during Tuesday's practice.,2019-09-13T23:24:56Z,https://www.youtube.com/watch?v=22e2UjStshA -cVUZGBBuxa4,Camp Highlight: Kendrick Bourne Scores Again,The rookie wide receiver hauled in a touchdown pass from Brian Hoyer during team drills.,2019-09-13T23:23:05Z,https://www.youtube.com/watch?v=cVUZGBBuxa4 -9owMavCvmYg,Camp Highlight: Top Defensive Plays,"S Eric Reid, DL Chris Jones and DB Adrian Colbert made some highlight-reel plays for the 49ers defense on Monday.",2019-09-13T23:18:28Z,https://www.youtube.com/watch?v=9owMavCvmYg -GSqYUKmb-WU,Camp Highlight: Victor Bolden Jr.'s Diving Grab,The rookie wide receiver made a diving catch on a deep pass from Matt Barkley.,2019-09-13T23:24:53Z,https://www.youtube.com/watch?v=GSqYUKmb-WU -1vw0KsSm6u0,Camp Highlight: Reuben Foster's Fourth Interception of Camp,The rookie linebacker read the route perfectly and hauled in his fourth interception of training camp on Tuesday.,2019-09-13T23:24:38Z,https://www.youtube.com/watch?v=1vw0KsSm6u0 -XYm9YWmemRc,Camp Highlight: Ahkello Witherspoon Records First Interception,The rookie cornerback picked off a deep pass for his first interception of camp on Wednesday.,2019-09-13T23:23:42Z,https://www.youtube.com/watch?v=XYm9YWmemRc -H9G8f12-AXY,Camp Highlight: Trent Taylor's Final Tune-up Before KC,The 49ers wide receiver had a big day during the final practice before the first preseason game.,2019-09-13T23:21:01Z,https://www.youtube.com/watch?v=H9G8f12-AXY -SyCDONkCNeA,Camp Highlight: Brian Hoyer Finds Vance McDonald For Two TDs,The veterans hooked up for twice for touchdowns during a red zone 7-on period.,2019-09-13T23:19:28Z,https://www.youtube.com/watch?v=SyCDONkCNeA -FUU_n4_iPnc,Camp Highlight: Beathard Finds Patrick for Six,QB C.J. Beathard and WR Tim Patrick connected for a touchdown during team drills on Monday.,2019-09-13T23:22:38Z,https://www.youtube.com/watch?v=FUU_n4_iPnc -5eJ9aOfmh5o,Camp Highlight: Carlos Hyde Breaks a Big Run,The running back broke into the open field with tight ends Paulsen and Bell providing key blocks.,2019-09-13T23:24:05Z,https://www.youtube.com/watch?v=5eJ9aOfmh5o -tkXsMuH6NJI,Camp Highlight: 49ers DBs Break Up Passes,"S Chanceller James, S Eric Reid and CB Will Davis break up passes during Monday's training camp practice.",2019-09-13T23:25:47Z,https://www.youtube.com/watch?v=tkXsMuH6NJI -E81mnkMS8Dk,Camp Highlight: Brian Hoyer to Logan Paulsen For Six,The veteran tight end caught a touchdown pass from Brian Hoyer to cap a scoring drive during a move-the-chains period.,2019-09-13T23:20:53Z,https://www.youtube.com/watch?v=E81mnkMS8Dk -4T0f39ocMzE,Camp Highlight: Matt Breida's Big Day,The rookie running back put on a show inside Levi's Stadium with a long run and a diving grab.,2019-09-13T23:23:16Z,https://www.youtube.com/watch?v=4T0f39ocMzE -UoSavxC2WeM,"Camp Highlight: Carradine, James Deliver Big Hits",DL Tank Carradine and S Chanceller James delivered punishing hits during open practice on Saturday.,2019-09-13T23:24:45Z,https://www.youtube.com/watch?v=UoSavxC2WeM -mAVqNjJfLfs,Camp Highlight: WR Aldrick Robinson's TD Grab,The wide receiver hauled in a touchdown pass from Matt Barkley on Saturday.,2019-09-13T23:24:49Z,https://www.youtube.com/watch?v=mAVqNjJfLfs -2UOPp1ondLI,Camp Highlight: Marquise Goodwin Shines at Open Practice,The 49ers fans enjoyed their first glimpse of San Francisco's newest playmaker during Saturday's open practice at Levi's® Stadium.,2019-09-13T23:18:36Z,https://www.youtube.com/watch?v=2UOPp1ondLI -bLK2uccn4Jw,Camp Highlight: Reuben Foster Recovers a Fumble,Prince Charles Iworah forced the ball out of Matt Breida's hands and Reuben Foster picked up the loose ball.,2019-09-13T23:20:03Z,https://www.youtube.com/watch?v=bLK2uccn4Jw -Df86Te5xg5s,Camp Highlight: Cole Hikutini Stretches the Field,The rookie tight end hauled in a pass from C.J. Beathard over the middle of the field for a big gain during Friday's practice.,2019-09-13T23:21:38Z,https://www.youtube.com/watch?v=Df86Te5xg5s -BYug25eFHSw,Camp Highlight: Ahkello Witherspoon Denies Pierre Garçon,The rookie cornerback broke up a pass intended for the Pierre Garçon during team drills.,2019-09-13T23:25:39Z,https://www.youtube.com/watch?v=BYug25eFHSw -pVb1w3GwdkM,Camp Highlight: Trent Taylor's Stellar Friday,The rookie wide receiver continued his strong camp with a great day during the team's seventh training camp practice.,2019-09-13T23:24:29Z,https://www.youtube.com/watch?v=pVb1w3GwdkM -VU2gRl8rgqw,Camp Highlight: Dontae Johnson Shows off Length with PBU,The fourth-year cornerback used all of his length to break up a pass during Friday's practice.,2019-09-13T23:25:14Z,https://www.youtube.com/watch?v=VU2gRl8rgqw -35zxjfOqJF4,"Camp Highlight: Burbridge, Smelter Score TDs",Aaron Burbridge and DeAndre Smelter showed off their footwork hauling in endzone fades for touchdowns during 1-on-1s.,2019-09-13T23:20:56Z,https://www.youtube.com/watch?v=35zxjfOqJF4 -tb_xb1ujPZM,Camp Highlight: Kendrick Bourne Shows Off Speed,The undrafted rookie wide receiver broke free for a long gain during the team's sixth training camp practice.,2019-09-13T23:18:58Z,https://www.youtube.com/watch?v=tb_xb1ujPZM --bVwrTLrLoQ,Camp Highlight: C.J. Beathard and Matt Breida Connect for TD,The 49ers rookies hooked up for a touchdown during the team's red zone drills during Thursday's practice.,2019-09-13T23:26:49Z,https://www.youtube.com/watch?v=-bVwrTLrLoQ -jIkpRYAiqDk,Camp Highlight: Carlos Hyde's Two-touchdown Day,The 49ers running back found his way into the endzone twice during a team red-zone period.,2019-09-13T23:23:23Z,https://www.youtube.com/watch?v=jIkpRYAiqDk -Pbi3ui3GWz8,Camp Highlight: Trent Taylor's Highlight-reel Grab,The rookie wide receiver made another stellar toe-tapping catch on the sideline during Thursday's practice.,2019-09-13T23:19:31Z,https://www.youtube.com/watch?v=Pbi3ui3GWz8 -yDAcyWJi6qQ,Camp Highlight: Johnson and Colbert's PBUs,Dontae Johnson and Adrian Colbert showed off their athleticism with a pair of key pass breakups during Thursday's practice.,2019-09-13T23:23:19Z,https://www.youtube.com/watch?v=yDAcyWJi6qQ -wxKVbNk-yQ0,Camp Highlight: Trent Taylor's Toe-tap Touchdown,The rookie wide receiver showed off his play-making ability with an acrobatic touchdown reception on a pass from Matt Barkley.,2019-09-13T23:22:13Z,https://www.youtube.com/watch?v=wxKVbNk-yQ0 -Wb6HeZDsOa4,Camp Highlight: Hoyer-to-Garçon for Six,The veterans connected once again on a touchdown pass during the 49ers practice on Wednesday.,2019-09-13T23:21:53Z,https://www.youtube.com/watch?v=Wb6HeZDsOa4 -dLZoIzPo48o,Camp Highlight: Reuben Foster's Third Interception of Camp,The rookie linebacker continues to dominate as he grabbed his third interception of 49ers training camp.,2019-09-13T23:25:35Z,https://www.youtube.com/watch?v=dLZoIzPo48o -yVSZO5kKJis,Camp Highlight: Big Day for WR Aldrick Robinson,The 49ers wide receiver made highlight-reel play after highlight-reel play during monday's practice.,2019-09-13T23:20:47Z,https://www.youtube.com/watch?v=yVSZO5kKJis -Yk50BaCAYQk,Camp Highlight: Pierre Garçon Makes Juggling Catch,The veteran wide receiver found a way to haul in a tipped pass during the team's fourth training camp practice.,2019-09-13T23:23:46Z,https://www.youtube.com/watch?v=Yk50BaCAYQk -WlkONZl9X34,Camp Highlight: More Touchdowns for Marquise Goodwin,The 49ers wide receiver continues to be a star of training camp with two more long touchdowns.,2019-09-13T23:19:25Z,https://www.youtube.com/watch?v=WlkONZl9X34 -SasI-5kg6Rk,Camp Highlight: Reuben Foster Records Another Interception,"The first-round pick continues to impress, intercepting his second pass of training camp on Sunday.",2019-09-13T23:24:35Z,https://www.youtube.com/watch?v=SasI-5kg6Rk -UOXaKoRGXD8,Camp Highlight: Kyle Juszczyk Shines in Passing Game,"The 49ers ""offensive weapon"" made two impressive catches during the team's first padded practice of training camp.",2019-09-13T23:24:24Z,https://www.youtube.com/watch?v=UOXaKoRGXD8 -tTcZ6OEZbgQ,Camp Highlight: Bruce Ellington's One-Handed Grab,The 49ers wide receiver hauled in this pass with some flair during the team's third training camp practice.,2019-09-13T23:21:15Z,https://www.youtube.com/watch?v=tTcZ6OEZbgQ -gnzLbor2C8s,Camp Highlight: The Hoyer-to-Garçon Connection,The two new veterans on the 49ers offense linked up for a pair of highlight-reel plays during Sunday's practice.,2019-09-13T23:18:32Z,https://www.youtube.com/watch?v=gnzLbor2C8s -S7D6P6DDEAQ,Camp Highlight: Lorenzo Jerome Grabs an Interception,"The undrafted free agent defensive back lived up to his ""ball hawk"" moniker during the second training camp practice with an interception during 11-on-11 team drills.",2019-09-13T23:23:52Z,https://www.youtube.com/watch?v=S7D6P6DDEAQ -BJrrYsFsT-U,Camp Highlight: George Kittle Makes a Diving Catch,The 49ers rookie tight end used every inch of his 6-foot-4 frame to haul in a pass from Brian Hoyer.,2019-09-13T23:20:24Z,https://www.youtube.com/watch?v=BJrrYsFsT-U --YlPZzh7aOg,Camp Highlight: Trent Taylor Makes Two Impressive Grabs,The rookie slot receiver showcased his sure-handedness in a 7-on-7 period during the 49ers second training camp practice.,2019-09-13T23:22:31Z,https://www.youtube.com/watch?v=-YlPZzh7aOg -bgsEO1WyEzw,Camp Highlight: Reuben Foster Grabs Intercepts a Tipped Pass,The rookie linebacker picked off a batted pass during the team's first training camp practice.,2019-09-13T23:24:09Z,https://www.youtube.com/watch?v=bgsEO1WyEzw -weq98Su-C6I,Camp Highlight: Brian Hoyer Threads the Needle to Pierre Garçon,Two of the new faces on the 49ers offense linked up for a big gain in the team's first practice of training camp.,2019-09-13T23:19:21Z,https://www.youtube.com/watch?v=weq98Su-C6I -Q8TSX63uIR8,Camp Highlight: Marquise Goodwin Flashes Speed on Long TD,The 49ers wide receiver hauled in a slant pass from Brian Hoyer and took it all the way for a touchdown.,2019-09-13T23:23:12Z,https://www.youtube.com/watch?v=Q8TSX63uIR8 -_T3ce4HlrSo,Every Jerry Rice Touchdown of 50+ Yards,NFL Network highlights every Jerry Rice touchdown of 50 yards or more.,2019-09-13T23:26:09Z,https://www.youtube.com/watch?v=_T3ce4HlrSo -oVmLaVLsu9w,Ahkello Witherspoon Colorado Highlights,View the top plays of 49ers third round pick Ahkello Witherspoon's Colorado career.,2019-09-13T23:29:18Z,https://www.youtube.com/watch?v=oVmLaVLsu9w -k7FDcmcawL0,Joe Williams Utah Highlights,Joe Williams holds the Utah single-game rushing record with 332 yards against UCLA. Here are some of the top plays from his college career.,2019-09-13T23:29:00Z,https://www.youtube.com/watch?v=k7FDcmcawL0 -CILIhVA4qio,C.J. Beathard and George Kittle Iowa Highlights,View the top plays of C.J. Beathard and George Kittle during their time together at the University of Iowa.,2019-09-13T23:28:57Z,https://www.youtube.com/watch?v=CILIhVA4qio -TylWJVa84VE,D.J. Jones Ole Miss Highlights,View the top plays of 49ers sixth round pick D.J. Jones during his Ole Miss career.,2019-09-13T23:28:19Z,https://www.youtube.com/watch?v=TylWJVa84VE -SFF1411eLEo,Trent Taylor Louisiana Tech Highlights,Trent Taylor scored 32 career touchdowns at Louisiana Tech. Here are a handful of those highlight plays.,2019-09-13T23:27:30Z,https://www.youtube.com/watch?v=SFF1411eLEo -xn_mm6uLqQk,Solomon Thomas Stanford Highlights,View the top plays of 49ers first round pick Solomon Thomas during his Stanford career.,2019-09-13T23:29:13Z,https://www.youtube.com/watch?v=xn_mm6uLqQk -isGECfflMF4,Camp Highlight: Bowman Stuffs the Run,"The 49ers middle linebacker met Denver Broncos running back Kapri Bibbs in the backfield for a tackle for loss during the team's joint practice in Englewood, Colo.",2019-09-13T23:25:56Z,https://www.youtube.com/watch?v=isGECfflMF4 -W1_wztWjLIw,"Camp Highlight: Jeff Driskel, DiAndre Campbell Connect for Six","Jeff Driskel tossed a strike to DiAndre Campbell for a touchdown during team drills in the joint practice with the Denver Broncos in Englewood, Colo.",2019-09-13T23:21:04Z,https://www.youtube.com/watch?v=W1_wztWjLIw -3i80rgGiQ_I,Camp Highlight: Defense Records Multiple PBUs,"Jim O'Neil's defense was swarming on Wednesday, breaking up several passes at the joint practice with the Denver Broncos in Englewood, Colo.",2019-09-13T23:19:34Z,https://www.youtube.com/watch?v=3i80rgGiQ_I -WFgb5eDM_14,Camp Highlight: Christian Ponder Throws Two Touchdown Passes,"In his first practice as a member of the 49ers, QB Christian Ponder found wide receiver DeAndrew White twice for scores during the joint practice with the Broncos.",2019-09-13T23:25:31Z,https://www.youtube.com/watch?v=WFgb5eDM_14 -EF62BV1Gv50,Camp Highlight: Jaquiski Tartt Picks off Texans QB,The 49ers second-year safety recorded an interception during a team period in Friday's practice against the Houston Texans.,2019-09-13T23:26:16Z,https://www.youtube.com/watch?v=EF62BV1Gv50 -Y1Pgx00eNXw,Camp Highlight: Bryce Treggs Makes Sideline Catch,The undrafted rookie wide receiver continues to impress at 49ers training camp. Here's an acrobatic catch against the Texans.,2019-09-13T23:24:41Z,https://www.youtube.com/watch?v=Y1Pgx00eNXw -CEE7QsuFt04,"Camp Highlight: Blaine Gabbert, Jerome Simpson Connect Again",Quarterback Blaine Gabbert connected with wide receiver Jerome Simpson down the sidelines during San Francisco's joint practice with the Houston Texans.,2019-09-13T23:22:48Z,https://www.youtube.com/watch?v=CEE7QsuFt04 -S4JEUsq6iow,Camp Highlight: Defense Records Several PBUs,"Jim O'Neil's defense was swarming on Thursday, breaking up several passes at practice from the SAP Performance Facility.",2019-09-13T23:26:34Z,https://www.youtube.com/watch?v=S4JEUsq6iow -sO20A2zDxjw,Camp Highlight: Jaquiski Tartt Makes Diving Interception,The second-year safety makes a diving play on the ball deflected by fellow safety Eric Reid.,2019-09-13T23:20:33Z,https://www.youtube.com/watch?v=sO20A2zDxjw -RrYRTEM3wew,Camp Highlight: Jeff Driskel Tosses Two Touchdowns,The rookie quarterback had one of his best days of camp as he closed practice by completing touchdown passes to Bryce Treggs and Dres Anderson.,2019-09-13T23:19:18Z,https://www.youtube.com/watch?v=RrYRTEM3wew -Bp2ltJ8K-YA,Camp Highlight: Jerome Simpson Catches Quick-screen TD,The veteran receiver caught a short pass from Blaine Gabbert and turned it into a touchdown on Day 7 of 49ers training camp.,2019-09-13T23:20:16Z,https://www.youtube.com/watch?v=Bp2ltJ8K-YA -SpZALGF6Wg0,Camp Highlight: CB Keith Reaser Breaks up Pass,49ers cornerback Keith Reaser made an athletic play on the ball to swat down a pass and record a PBU.,2019-09-13T23:26:22Z,https://www.youtube.com/watch?v=SpZALGF6Wg0 -dNY-ntmkNuY,Camp Highlight: Blaine Gabbert Throws TD Pass to Blake Bell,The second-year tight end celebrated his birthday with this touchdown pass from Blaine Gabbert at Sunday's training camp practice.,2019-09-13T23:19:56Z,https://www.youtube.com/watch?v=dNY-ntmkNuY -KDGZyBbUylA,Camp Highlight: Blake Bell Makes Grab up the Seam,The second-year tight end hauled in the 25-yard pass from Kaepernick during 7-on-7 drills.,2019-09-13T23:25:42Z,https://www.youtube.com/watch?v=KDGZyBbUylA -mMQ1Gx0Vq9Q,Camp Highlight: Blaine Gabbert Connects with Vance McDonald,Quarterback Blaine Gabbert found tight end Vance McDonald open over the middle of the field for a nice gain.,2019-09-13T23:26:39Z,https://www.youtube.com/watch?v=mMQ1Gx0Vq9Q -XVVn-Ju2FmQ,Camp Highlight: Colin Kaepernick Finds Bruce Ellington Deep,Quarterback Colin Kaepernick connects with wide receiver Bruce Ellington deep down the sidelines for a big gain.,2019-09-13T23:19:50Z,https://www.youtube.com/watch?v=XVVn-Ju2FmQ -euNcelEkB2o,Camp Highlight: Blaine Gabbert Finds DeAndre Smelter For Deep TD,Gabbert found wide receiver DeAndre Smelter wide open for the touchdown after a nice execution of his stop-and-go route.,2019-09-13T23:21:18Z,https://www.youtube.com/watch?v=euNcelEkB2o -mk4aHkdYaUQ,Camp Highlight: Blaine Gabbert and DeAndrew White Connect Again,Quarterback Blaine Gabbert and wide receiver DeAndrew White continue to build a nice rapport as the two connect for another big play down the sidelines.,2019-09-13T23:21:24Z,https://www.youtube.com/watch?v=mk4aHkdYaUQ -P7WPKZjGPYE,Camp Highlight: Colin Kaepernick Lofts a TD to Garrett Celek,Colin Kaepernick connected with tight end Garrett Celek on a nifty toss deep in the red zone.,2019-09-13T23:25:52Z,https://www.youtube.com/watch?v=P7WPKZjGPYE -8KyeL4kMkLk,Camp Highlight: Kenneth Acker Grabs Interception,Cornerback Kenneth Acker jumped the route and found his hands on his first interception of training camp.,2019-09-13T23:19:44Z,https://www.youtube.com/watch?v=8KyeL4kMkLk -ciGjuryrycQ,Camp Highlight: Rookie Prince Charles Iworah Breaks up Pass,49ers rookie defensive back Prince Charles Iworah made a heads-up play in training camp when he leapt in front of wide receiver Devon Cajuste to knock down a pass.,2019-09-13T23:26:19Z,https://www.youtube.com/watch?v=ciGjuryrycQ -BybE3WvB3Co,Camp Highlight: Jimmie Ward Interception,The third-year defensive back continues his hot start this offseason with this interception during team drills.,2019-09-13T23:25:27Z,https://www.youtube.com/watch?v=BybE3WvB3Co -i1fV4bovQo8,Camp Highlight: Rashard Robinson Makes Leaping Interception,49ers rookie DB Rashard Robinson turned some heads in training camp when he made a leaping grab to pick off a pass intended for DiAndre Campbell.,2019-09-13T23:19:41Z,https://www.youtube.com/watch?v=i1fV4bovQo8 -HqcPe_BMg_8,Camp Highlight: Colin Kaepernick Throws Deep to Torrey Smith,The top play from Thursday's practice was a long touchdown pass from Colin Kaepernick to the team's top receiver Torrey Smith.,2019-09-13T23:20:06Z,https://www.youtube.com/watch?v=HqcPe_BMg_8 -cQkxQxRfuCg,Camp Highlight: Blaine Gabbert Hits DeAndrew White on Deep TD Pass,49ers quarterback Blaine Gabbert made a deep touchdown pass to second-year wide receiver DeAndrew White during Thursday's preseason training camp session.,2019-09-13T23:21:31Z,https://www.youtube.com/watch?v=cQkxQxRfuCg -DuQHvtIh32w,Camp Highlight: Tramaine Brock PBU,The starting cornerback jumped in front of the wide receiver to make an impressive play to break up the pass.,2019-09-13T23:21:47Z,https://www.youtube.com/watch?v=DuQHvtIh32w -iTiD3GCrOwg,Camp Highlight: Blaine Gabbert to TE Vance McDonald,The quarterback completed a pass deep down the middle of the field to one of the 49ers top tight ends.,2019-09-13T23:26:43Z,https://www.youtube.com/watch?v=iTiD3GCrOwg -ZIaEniBNo4k,Camp Highlight: Blaine Gabbert Throws Long TD to Torrey Smith,"The top play from Tuesday's practice was a long touchdown pass from Blaine Gabbert to the team's top pass-catcher, Torrey Smith.",2019-09-13T23:20:44Z,https://www.youtube.com/watch?v=ZIaEniBNo4k -6VKk3vi-1iI,Camp Highlight: Eric Rogers Makes Leaping Catch,The 49ers wide receiver made a jumping catch during Tuesday's practice on a throw from Colin Kaepernick.,2019-09-13T23:20:00Z,https://www.youtube.com/watch?v=6VKk3vi-1iI -G4XNUqSt3I8,Camp Highlight: Driskel to Smith on Right Sideline,Rookie quarterback Jeff Driskel threw a perfect pass towards the right sideline to hit Torrey Smith in stride for the completion.,2019-09-13T23:20:37Z,https://www.youtube.com/watch?v=G4XNUqSt3I8 -ar9YXO9J8oI,Camp Highlight: Tank Carradine Records Diving PBU,Carradine made an impressive play on Tuesday to break up a pass in the middle of the field during a 7-on-7 period.,2019-09-13T23:21:42Z,https://www.youtube.com/watch?v=ar9YXO9J8oI -UdGap8qimmA,Camp Highlight: Prince Charles Iworah Records PBU,The rookie cornerback made an impressive play to break up a pass in the middle of the field during Monday's practice.,2019-09-13T23:26:04Z,https://www.youtube.com/watch?v=UdGap8qimmA -3pZxtYlqdAI,Camp Highlight: CB Keith Reaser Breaks up Another Pass,Keith Reaser continued his hot start to camp on Monday with a pass breakup down the left sideline. He now has PBUs in both practices and one interception.,2019-09-13T23:20:09Z,https://www.youtube.com/watch?v=3pZxtYlqdAI -63wZ1w7mlRg,Camp Highlight: Joe Staley Clears Path for DeAndre Smelter on Screen Pass,The 49ers stalwart left tackle showed off his athleticism on Monday with a stellar lead block for DeAndre Smelter on a screen pass.,2019-09-13T23:22:09Z,https://www.youtube.com/watch?v=63wZ1w7mlRg -KJcDttt6mKw,Camp Highlight: Blaine Gabbert Finds Jerome Simpson for Long TD,The play of the day on Monday came on a play-action pass from Blaine Gabbert to Jerome Simpson for a long touchdown.,2019-09-13T23:26:12Z,https://www.youtube.com/watch?v=KJcDttt6mKw -b5uraLjpz7k,Camp Highlight: Colin Kaepernick Throws Deep Middle to DeAndrew White,The 49ers quarterback lofted a perfect pass over the defense to hit DeAndrew White on a crossing route over the middle.,2019-09-13T23:19:37Z,https://www.youtube.com/watch?v=b5uraLjpz7k -aMHJk1synqc,Camp Highlight: Colin Kaepernick Hits Garrett Celek with Pass,Colin Kaepernick found tight end Garrett Celek with a perfect pass over the defense for a long completion.,2019-09-13T23:19:54Z,https://www.youtube.com/watch?v=aMHJk1synqc -qPFg6ZtD1GY,Camp Highlight: NaVorro Bowman Breaks up Pass,The 49ers star linebacker broke up a pass at the last second to force an incompletion on Day 1 of training camp.,2019-09-13T23:20:12Z,https://www.youtube.com/watch?v=qPFg6ZtD1GY -wFuhjxDaASI,Top Highlights of the 49ers Offseason Program,"Check out the best of the best from the 49ers offseason program, including the 2016 NFL Draft that saw San Francisco make two first-round selections.",2019-09-13T23:29:22Z,https://www.youtube.com/watch?v=wFuhjxDaASI -3xM0uq7-fNk,Highlights: Day 2 of 49ers Mandatory Minicamp,"Check out the top plays from the 49ers practice on Wednesday, the second of three sessions during mandatory minicamp.",2019-09-13T23:28:49Z,https://www.youtube.com/watch?v=3xM0uq7-fNk -WxhNMAmTphM,Highlights: Day 1 of 49ers Mandatory Minicamp,Check out the sights and sounds from the first of three minicamp practices this week as the 49ers close their offseason program.,2019-09-13T23:27:56Z,https://www.youtube.com/watch?v=WxhNMAmTphM -aE4ZOO9rzp0,49ers 2016 Draft Class College Highlights,"Check out some of the top college highlights from Joshua Garnett, Prince Charles Iworah, John Theus, Fahn Cooper & Rashard Robinson.",2019-09-13T23:27:50Z,https://www.youtube.com/watch?v=aE4ZOO9rzp0 -iypsKamDnxA,College Highlights of 49ers RB Kelvin Taylor,Check out some of the top plays from Kelvin Taylor's college career at the University of Florida.,2019-09-13T23:29:34Z,https://www.youtube.com/watch?v=iypsKamDnxA -WFj3LWIfGaw,College Highlights of 49ers DL DeForest Buckner,Check out the best plays for the No. 7 pick in the 2016 NFL Draft from his college career at the University of Oregon.,2019-09-13T23:29:29Z,https://www.youtube.com/watch?v=WFj3LWIfGaw -FuwRKL2aAec,49ers Practice Highlight: Tank Carradine Impressive Goal-Line Stop on Jarryd Hayne,During 49ers 2015 Training Camp defensive lineman Tank Carradine stopped running back Jarryd Hayne right before he crossed the plain of the goal line with an impressive tackle.,2019-09-13T23:23:09Z,https://www.youtube.com/watch?v=FuwRKL2aAec -WAAN74801jE,49ers Practice Highlight: Jerome Simpson Makes Leaping Grab,During 49ers 2015 Training Camp Jerome Simpson highpointed the football and made a nice catch on Colin Kaepernick's pass down the middle.,2019-09-13T23:21:21Z,https://www.youtube.com/watch?v=WAAN74801jE -_bu7bJWYi-Q,49ers Practice Highlight: Anquan Boldin Makes Stylish Catch,"The 49ers top receiver Anquan Boldin adjusted to make an impressive grab during Monday's practice. One foot may have been out of bounds, but it was a nice catch nonetheless.",2019-09-13T23:21:34Z,https://www.youtube.com/watch?v=_bu7bJWYi-Q -jclSvcPLlQ8,49ers Practice Highlight: Torrey Smith Beats Marcus Cromarties with Impressive Vertical Speed,During 49ers 2015 Training Camp wide receiver Torrey Smith beat Marcus Cromartie down the right sideline to haul in a 50-yard pass from Colin Kaepernick.,2019-09-13T23:18:43Z,https://www.youtube.com/watch?v=jclSvcPLlQ8 -yMmUXx4QxiY,49ers Practice Highlight: Jarryd Hayne Touchdown Catch,During the 49ers 2015 Training Camp running back Jarryd Hayne scored a touchdown from Colin Kaepernick on a quick out-route to the left sideline.,2019-09-13T23:21:12Z,https://www.youtube.com/watch?v=yMmUXx4QxiY -_d64EAwW1Sc,49ers Practice Highlight: Torrey Smith Scores Touchdown off Back Shoulder Throw,During the 49ers 2015 Training Camp wide receiver Torrey Smith grabbed a beautiful back shoulder throw from Colin Kaepernick during 1-on-1 drills.,2019-09-13T23:23:30Z,https://www.youtube.com/watch?v=_d64EAwW1Sc -r3McwTm1twQ,49ers Practice Highlight: Carlos Hyde Snags Short Touchdown Catch,During the 49ers 2015 Training Camp running back Carlos Hyde showed off his hands with a short touchdown catch from Colin Kaepernick.,2019-09-13T23:22:54Z,https://www.youtube.com/watch?v=r3McwTm1twQ -EcHYBaxN84g,49ers Practice Highlight: Bruce Ellington Touchdown with Finger Roll Celebration,"During the 49ers 2015 Training Camp, wide receiver Bruce Ellington caught a deep ball from Colin Kaepernick and finished off the play with a nice finger roll layup.",2019-09-13T23:22:17Z,https://www.youtube.com/watch?v=EcHYBaxN84g -U3FoFTIZjok,49ers Practice Highlight: Vance McDonald Makes Jumping Touchdown Catch,During the 49ers 2015 Training Camp tight end Vance McDonald made a jumping catch to get into the end zone.,2019-09-13T23:24:13Z,https://www.youtube.com/watch?v=U3FoFTIZjok -kNDe7z4hzQM,49ers Practice Highlight: DeAndrew White Completes Incredible One-Handed Catch,During the 49ers 2015 Training Camp DeAndrew White turned in one of the top plays when he made a spectacular one-handed grab off a pass from Dylan Thompson.,2019-09-13T23:21:56Z,https://www.youtube.com/watch?v=kNDe7z4hzQM -nPYIg2YflnQ,49ers Practice Highlight: DeAndrew White Leaps to Make Acrobatic Catch,During the first day of 49ers 2015 Training Camp rookie wide receiver DeAndrew White gave the crowd excitement when he leaped to make acrobatic catch.,2019-09-13T23:22:44Z,https://www.youtube.com/watch?v=nPYIg2YflnQ -hcsD1926vJg,Practice Highlight: Australian Running Back Jarryd Hayne's First Day in Pads,Former Rugby League star and current 49ers running back Jarryd Hayne garnered a lot of attention when he put on pads for the first time in his young football career.,2019-09-13T23:21:08Z,https://www.youtube.com/watch?v=hcsD1926vJg -oc9DPn6xI-M,Private video,This video is private.,2020-02-13T19:37:29Z,https://www.youtube.com/watch?v=oc9DPn6xI-M -TC0m_z40-ps,Private video,This video is private.,2019-09-13T23:29:10Z,https://www.youtube.com/watch?v=TC0m_z40-ps -RIYbpSx2Jbc,Private video,This video is private.,2019-09-13T23:28:53Z,https://www.youtube.com/watch?v=RIYbpSx2Jbc -WuJz-FAsLfc,Private video,This video is private.,2019-09-13T23:28:16Z,https://www.youtube.com/watch?v=WuJz-FAsLfc -AVfLYJj97g0,Private video,This video is private.,2019-09-13T23:26:00Z,https://www.youtube.com/watch?v=AVfLYJj97g0 -UAi0rzLaJkc,Private video,This video is private.,2019-09-13T23:25:03Z,https://www.youtube.com/watch?v=UAi0rzLaJkc -FS4Glhe7fV4,Private video,This video is private.,2019-09-13T23:23:56Z,https://www.youtube.com/watch?v=FS4Glhe7fV4 -yxjDgeLmZyE,Private video,This video is private.,2019-09-13T23:23:38Z,https://www.youtube.com/watch?v=yxjDgeLmZyE -2UOulozFTv4,Private video,This video is private.,2019-09-13T23:23:26Z,https://www.youtube.com/watch?v=2UOulozFTv4 -WN8WK2JuxjY,Private video,This video is private.,2019-09-13T23:21:28Z,https://www.youtube.com/watch?v=WN8WK2JuxjY -jIIDgT5Am14,Private video,This video is private.,2019-09-13T23:18:40Z,https://www.youtube.com/watch?v=jIIDgT5Am14 -0qag6GMmyuM,Private video,This video is private.,2021-08-15T08:06:30Z,https://www.youtube.com/watch?v=0qag6GMmyuM -Ud28CVBWmpQ,Private video,This video is private.,2023-09-10T22:23:36Z,https://www.youtube.com/watch?v=Ud28CVBWmpQ diff --git a/data/april_11_multimedia_data_collect/z_old/niners_players_headshots_with_socials.csv b/data/april_11_multimedia_data_collect/z_old/niners_players_headshots_with_socials.csv deleted file mode 100644 index efa2703830525a6fda377b9218ac20d2d8a7ea5e..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/z_old/niners_players_headshots_with_socials.csv +++ /dev/null @@ -1,24 +0,0 @@ -name,headshot_url,instagram_url -George Odum,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/sqpxhoycdpegkyjn6ooc.jpg,https://www.instagram.com/george.w.odum/?hl=en -Sam Okuayinonu,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/fyolr2zk2nplfbdze75l.jpg,https://www.instagram.com/sam.ok97/?hl=en -Terique Owens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/okhin0uwdon2nimvbtwd.png,https://www.instagram.com/terique_owens/?hl=en -Ricky Pearsall,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/to7q7w4kjiajseb4ljcx.png,https://www.instagram.com/ricky.pearsall/?hl=en -Jason Pinnock,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/on29awacb9frijyggtgt,https://www.instagram.com/jpinny15/?hl=en -Austen Pleasants,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wsbs5emdyzuc1sudbcls.png,https://www.instagram.com/oursf49ers/p/DDr48a4PdcO/?hl=en -Mason Pline,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/mvjlaxpu8bu33ohspqot.png,https://www.instagram.com/mpline12/?hl=en -Dominick Puni,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/tq1snozjpjrgrjoflrfg.png,https://www.instagram.com/dompuni/?hl=en -Brock Purdy,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wt42ykvuxpngm4m1axxn.png,https://www.instagram.com/brock.purdy13/?hl=en -Curtis Robinson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/x3xyzgeapcafr0gicl5y.jpg,https://www.instagram.com/curtis_robinsonn/?hl=en -Demarcus Robinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/lakf0xue1qqb7ed4p6ge,https://www.instagram.com/demarcusrobinson/?hl=en -Patrick Taylor Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/hochjncae0hqcoveuexq.jpg,https://www.instagram.com/patricktaylor/?hl=en -Trent Taylor,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/j8lom4fnsveujt8hykef.jpg,https://www.instagram.com/trent5taylor/?hl=en -Tre Tomlinson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/n5pfv126xw0psc0d1ydz,https://www.instagram.com/trevius/?hl=en -Jake Tonges,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/la3z5y6u7tix6rnq2m5l.jpg,https://www.instagram.com/jaketonges/?hl=en -Fred Warner,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/zo4ftfar4bshrbipceuk.jpg,https://www.instagram.com/fred_warner/?hl=en -Jon Weeks,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/d9fvm74pu4vyinveopbf,https://www.instagram.com/jonweeks46/?hl=en -DaShaun White,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/mjnpmkw3ar6zcj2hxxzd,https://www.instagram.com/demoeto/?hl=en -Trent Williams,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/bnq8i5urjualxre5caqz.jpg,https://www.instagram.com/trentwilliams71/?hl=en -Brayden Willis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xmo7hsuho3ehmsjwvthc.jpg,https://www.instagram.com/brayden_willis/?hl=en -Dee Winters,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ggf13riajo0kn0y6kbu0.jpg,https://www.instagram.com/dwints_/?hl=en -Mitch Wishnowsky,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mkf1xr1x8nr9l55oq72a.jpg,https://www.instagram.com/mitchwish3/?hl=en -Nick Zakelj,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/o92tva22zezdz4aksadl.jpg,https://www.instagram.com/nickzakelj/?hl=en diff --git a/data/april_11_multimedia_data_collect/z_old/niners_players_headshots_with_socials_v1_safe.csv b/data/april_11_multimedia_data_collect/z_old/niners_players_headshots_with_socials_v1_safe.csv deleted file mode 100644 index 0116009b242cd84967aaaf03e65b37cf17f577fe..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/z_old/niners_players_headshots_with_socials_v1_safe.csv +++ /dev/null @@ -1,51 +0,0 @@ -name,headshot_url,instagram_url -Israel Abanikanda,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/wo7d9oli06eki4mnh3i8.png,https://www.instagram.com/izzygetsbusy__/?hl=en -Brandon Aiyuk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/khwofxjjwx0hcaigzxhw.png,https://www.instagram.com/brandonaiyuk/?hl=en -Isaac Alarcon,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mlhuuxukyusodzlfsmnv.jpg,https://www.instagram.com/isaac_algar/?hl=en -Evan Anderson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/ng7oamywxvqgkx6l6kqc.png,https://www.instagram.com/klamps8/?hl=en -Tre Avery,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/a7kfv7xjftqlaqghk6sg,https://www.instagram.com/t.avery21/?hl=en -Alex Barrett,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/bm0ay22de39d1enrxwiq.jpg,https://www.instagram.com/alex.barrett/?hl=en -Ben Bartch,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/aqaslodzr7y0yvh5zzxa.jpg,https://www.instagram.com/bartchben/ -Robert Beal Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jwwhmt5d8mi0vdb8nfic.jpg,https://www.instagram.com/oursf49ers/reel/C_CVQxxp2ti/ -Tatum Bethune,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/vl08pinqpmoubdf0zy5s.png,https://www.instagram.com/tatumx15/?hl=en -Nick Bosa,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/utiwswqvpkiwtocijwhz.jpg,https://www.instagram.com/nbsmallerbear/?hl=en -Jake Brendel,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/svsb41aekpzt3m9snilw.jpg,https://www.instagram.com/jake.brendel/?hl=en -Ji'Ayir Brown,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/urillpic02z774n09xvf.jpg,https://www.instagram.com/_tiig/?hl=en -Tre Brown,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/dpemqrrweakt8dci3qfb,https://www.instagram.com/tre_brown25/?hl=en -Spencer Burford,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/lje3ae25dntkdudp6eex.jpg,https://www.instagram.com/spence__74/?hl=en -Jacob Cowing,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/lg7aao0umc21oioufqdx.png,https://www.instagram.com/jaycowing_/?hl=en -Kalia Davis,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/rmnxj3sh7pyldmcxqe32.jpg,https://www.instagram.com/ucf.football/p/C3No6rTugDe/ -Jordan Elliott,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/xbyky8r2yuzusd2tmrw8.jpg,https://www.instagram.com/jordanelliott_nbcs/ -Luke Farrell,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/f2z7wpmx7ngtxcqqedla,https://www.instagram.com/lukefarrell89/?hl=en -Russell Gage Jr.,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/lkqhshv0dss1b9c6mdnj,https://www.instagram.com/w8k3mupruss/?hl=en -Jonathan Garvin,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/rapfcxut6vu50vcevswe.png,https://www.instagram.com/thesfniners/p/DCmgF8KSw2A/?hl=en -Luke Gifford,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/mhdbbzj8amttnpd1nbpn,https://www.instagram.com/luke_gifford/?hl=en -Kevin Givens,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/mstmgft0e0ancdzspboy.jpg,https://www.instagram.com/49ers/p/DAg_Pvpz1vV/ -Jalen Graham,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/pbl2a1ujopvwqrfct0jp.jpg,https://www.instagram.com/thexniners/p/CruR8IPrSV7/ -Richie Grant,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/szeswtvt6jmbu3so3phd,https://www.instagram.com/richiegrant_/?hl=en -Renardo Green,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/v79obx9v7tgcjjlo6hiy.png,https://www.instagram.com/dondada.8/?hl=en -Yetur Gross-Matos,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/etuaajmvhbc5qkebgoow.jpg,https://www.instagram.com/__lobo99/?hl=en -Isaac Guerendo,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/b66rpzr9iauo5rdprvka.png,https://www.instagram.com/isaac_guerendo/?hl=en -Sebastian Gutierrez,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/am9sywgkga6jq65hvboe.jpg,https://www.instagram.com/sebastiandev1/?hl=en -Matt Hennessy,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/zk8b21o8ncxnyu0gyf23,https://www.instagram.com/matt___hennessy/?hl=en -Isaiah Hodgins,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ax1oft9kqida0eokvtes.jpg,https://www.instagram.com/isaiahhodgins/?hl=en -Drake Jackson,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/y2luyplzpvbzokyfbmla.jpg,https://www.instagram.com/thefreak/?hl=en -Tarron Jackson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pnqrjp76bgpkmacxma3r,https://www.instagram.com/tarron_jackson/?hl=en -Jauan Jennings,https://static.clubs.nfl.com/image/private/t_thumb_squared_2x/f_auto/49ers/wxsq7f4ajmhfs6tn4dg2.jpg,https://www.instagram.com/u_aintjj/?hl=en -Quindell Johnson,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/uga90lawcfxjcqna7opb,https://www.instagram.com/p/DFGnwNlymc9/ -Zack Johnson,https://static.www.nfl.com/image/private/t_thumb_squared_2x/f_auto/league/n4hy8uzhcl5cl0ricwoa,https://www.instagram.com/zack.johnson.68/ -Mac Jones,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/pedpdxybeus7mrovsoko,https://www.instagram.com/macjones_10/?hl=en -Kyle Juszczyk,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ywdz6y2pfzndqgmxxfbj.jpg,https://www.instagram.com/juicecheck44/?hl=en -George Kittle,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/elheepobwn1ahqwtfwat.jpg,https://www.instagram.com/gkittle/?hl=en -Deommodore Lenoir,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/f9fnuvbpcxku9ibt9qs8.jpg,https://www.instagram.com/deommo.lenoir/?hl=en -Chase Lucas,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gjeejt5pbagnipodhdz4.jpg,https://www.instagram.com/chase_lucas24/?hl=en -Darrell Luter Jr.,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/g5rohvooet9g5w7rlhrh.jpg,https://www.instagram.com/_d.ray4k/?hl=en -Jaylen Mahoney,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/yv9inbia05nyxppuajv0.png,https://www.instagram.com/jaylenmahoney_/ -Christian McCaffrey,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/a8fka6shomakkbllljgt.jpg,https://www.instagram.com/christianmccaffrey/?hl=en -Jalen McKenzie,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/gffxpns1ayxyjccymr6d.jpg,https://www.instagram.com/jay_peez70/?hl=en -Colton McKivitz,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/jugvoxjabgsbcfbuqfew.jpg,https://www.instagram.com/cmckivitz53/?hl=en -Jake Moody,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_auto/49ers/ygputwsbutemszr8xxkw.jpg,https://www.instagram.com/jmoods_/?hl=en -Tanner Mordecai,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/y8gipodnkeapgmegnxs1.png,https://www.instagram.com/t_mordecai/?hl=en -Malik Mustapha,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/eyrgxgpbrycd9x8glk0j.png,https://www.instagram.com/stapha/ -Siran Neal,https://static.www.nfl.com/image/upload/t_thumb_squared_2x/f_auto/league/muhthfs6owkkpsyop1e6,https://www.instagram.com/siranneal/?hl=en -Drake Nugent,https://static.clubs.nfl.com/image/upload/t_thumb_squared_2x/f_png/49ers/qyb4kurtbv9uflmupfnc.png,https://www.instagram.com/drakenugent9/?hl=en diff --git a/data/april_11_multimedia_data_collect/z_old/z_schedule_with_result_april_11_z.csv b/data/april_11_multimedia_data_collect/z_old/z_schedule_with_result_april_11_z.csv deleted file mode 100644 index f7f2bb3692ebe3f137b78434e96d856020fe4a4b..0000000000000000000000000000000000000000 --- a/data/april_11_multimedia_data_collect/z_old/z_schedule_with_result_april_11_z.csv +++ /dev/null @@ -1,18 +0,0 @@ -Match Number,Round Number,Date,Location,HomeTeam,AwayTeam,Result,game_result,game_id,Summary,highlight_video_url -1,1,10/9/24 0:15,Levi's Stadium,San Francisco 49ers,New York Jets,32 - 19,Win,7d5492b7-6372-4ab6-b878-a6ad10936f3b,"Quarterback Brock Purdy threw for 231 yards, with running back Jordan Mason rushing for 147 yards.",https://www.youtube.com/watch?v=igOb4mfV7To -28,2,15/09/2024 17:00,U.S. Bank Stadium,Minnesota Vikings,San Francisco 49ers,23 - 17,Loss,9c37ef4a-8887-4e16-a0e9-53dd21d0ed1c,"Purdy passed for 319 yards; Mason added 100 rushing yards, but the 49ers fell short.",https://www.youtube.com/watch?v=jTJw2uf-Pdg -38,3,22/09/2024 20:25,SoFi Stadium,Los Angeles Rams,San Francisco 49ers,27 - 24,Loss,b8c3e7f7-81ed-48c4-9a49-0897cac450e5,Purdy threw for 292 yards; Jauan Jennings had 175 receiving yards in a close loss.,https://www.youtube.com/watch?v=Y1dnhN-1ryU -55,4,29/09/2024 20:05,Levi's Stadium,San Francisco 49ers,New England Patriots,30 - 13,Win,b4b49323-c84d-4414-bbd4-de399145db28,Brock Purdy threw for 288 yards and a touchdown; Fred Warner returned an interception for a touchdown.,https://www.youtube.com/watch?v=NCUjGFJILLo -70,5,6/10/24 20:05,Levi's Stadium,San Francisco 49ers,Arizona Cardinals,23 - 24,Loss,efe67377-f218-4629-94d6-b0a28dae81b4,"Kyler Murray led a comeback, including a 50-yard touchdown run; Chad Ryland kicked the game-winning field goal.",https://www.youtube.com/watch?v=v62sybG_3Lk -92,6,11/10/24 0:15,Lumen Field,Seattle Seahawks,San Francisco 49ers,24 - 36,Win,be924e35-6c00-470a-a82e-f77e89f2fca9,Geno Smith's late 13-yard touchdown run secured the Seahawks' victory.,https://www.youtube.com/watch?v=LaDE1QBC3Cc -96,7,20/10/2024 20:25,Levi's Stadium,San Francisco 49ers,Kansas City Chiefs,18 - 28,Loss,c0efcedb-e8a0-4058-8ae8-df418a829c22,Specific game details are not available.,https://www.youtube.com/watch?v=4_xM1tOK-28 -109,8,28/10/2024 00:20,Levi's Stadium,San Francisco 49ers,Dallas Cowboys,30 - 24,Win,9d3c8085-3864-4c86-9a47-6d91f9561e68,Specific game details are not available.,https://www.youtube.com/watch?v=7nTBwPljD-Q -149,10,10/11/24 18:00,Raymond James Stadium,Tampa Bay Buccaneers,San Francisco 49ers,20 - 23,Win,8c117905-4d53-4bfb-a85e-d4d0a52262a8,"The 49ers narrowly avoided a collapse, with Jake Moody's game-winning field goal.",https://www.youtube.com/watch?v=607mv01G8UU -158,11,17/11/2024 21:05,Levi's Stadium,San Francisco 49ers,Seattle Seahawks,17 - 20,Loss,6ee0f83e-d738-43c7-95e2-472bdaa9c2e8,Geno Smith's last-minute touchdown run ended the Seahawks' losing streak against the 49ers.,https://www.youtube.com/watch?v=VMPRSGk7bUg -169,12,24/11/2024 21:25,Lambeau Field,Green Bay Packers,San Francisco 49ers,38 - 10,Loss,89aeb6ec-c102-442f-a2b2-862a58f08c72,"Despite losing Deebo Samuel early, the 49ers secured a narrow victory.",https://www.youtube.com/watch?v=rtBtGh02HvA -181,13,2/12/24 1:20,Highmark Stadium,Buffalo Bills,San Francisco 49ers,35 - 10,Loss,051a9bbd-41b1-4946-b366-2202b9b84646,"Josh Allen scored touchdowns passing, rushing, and receiving, leading the Bills to victory.", -199,14,8/12/24 21:25,Levi's Stadium,San Francisco 49ers,Chicago Bears,38 - 13,Win,2bfc3060-5975-4c60-8cf2-cd359c318bcb,Specific game details are not available.,https://www.youtube.com/watch?v=qmzSVmVNaFg -224,15,13/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Los Angeles Rams,6 - 12,Loss,07182afe-36bf-44e4-a464-52a56e9e325d,"In a rainy defensive battle, the Rams secured victory with four field goals.",https://www.youtube.com/watch?v=3JfiboQ6ZC8 -228,16,22/12/2024 21:25,Hard Rock Stadium,Miami Dolphins,San Francisco 49ers,29 - 17,Loss,0be9a14c-0017-46b8-96e8-7c446e78ea84,A high-scoring game marked by a scuffle involving Jauan Jennings; the 49ers fell short., -246,17,31/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Detroit Lions,34 - 40,Loss,a6af1ef1-eece-43c2-b98f-c20494003cfe,Specific game details are not available.,https://www.youtube.com/watch?v=AooNLyum7Ng -257,18,5/1/25 21:25,State Farm Stadium,Arizona Cardinals,San Francisco 49ers,47 - 24,Loss,2c95b37b-b32d-4b30-a582-f04b8cbf12e4,Specific game details are not available.,https://www.youtube.com/watch?v=HfqGFWVdf9w \ No newline at end of file diff --git a/data/data_generation.py b/data/data_generation.py deleted file mode 100644 index 3f284207adbef69b73209fe590373d64217d6b6c..0000000000000000000000000000000000000000 --- a/data/data_generation.py +++ /dev/null @@ -1,140 +0,0 @@ -################################### -# regenerate_49ers_data.py -################################### - -import pandas as pd -import random -import uuid -from faker import Faker -import os - -# CONFIG: Where your input CSVs live -INPUT_DIR = os.path.dirname(os.path.abspath(__file__)) # Uses the current script's directory -COMMUNITIES_FILE = "49ers_fan_communities_clean_GOOD.csv" -ROSTER_FILE = "49ers roster - Sheet1.csv" -SCHEDULE_FILE = "nfl-2024-san-francisco-49ers-with-results.csv" - -# CONFIG: Output directory for final CSVs -OUTPUT_DIR = os.path.join(INPUT_DIR, "niners_output") -os.makedirs(OUTPUT_DIR, exist_ok=True) - -NUM_FANS = 2500 # We want 2500 synthetic fans - -# ------------------------------------------------------------ -# 1. READ REAL CSVs -# ------------------------------------------------------------ -def load_real_data(): - # Adjust columns/types based on your actual CSV structure - df_communities = pd.read_csv(os.path.join(INPUT_DIR, COMMUNITIES_FILE)) - df_roster = pd.read_csv(os.path.join(INPUT_DIR, ROSTER_FILE)) - df_schedule = pd.read_csv(os.path.join(INPUT_DIR, SCHEDULE_FILE)) - - # Optional: rename columns or add IDs if your CSVs don't have them - # For example, ensure df_roster has "player_id" column for each player - if "player_id" not in df_roster.columns: - df_roster["player_id"] = [str(uuid.uuid4()) for _ in range(len(df_roster))] - - # If df_schedule lacks a unique "game_id," add one: - if "game_id" not in df_schedule.columns: - df_schedule["game_id"] = [str(uuid.uuid4()) for _ in range(len(df_schedule))] - - # If df_communities lacks a "community_id," add one: - if "community_id" not in df_communities.columns: - df_communities["community_id"] = [str(uuid.uuid4()) for _ in range(len(df_communities))] - - return df_communities, df_roster, df_schedule - -# ------------------------------------------------------------ -# 2. GENERATE 2,500 FANS (FAKE DATA) -# ------------------------------------------------------------ -def generate_synthetic_fans(num_fans: int) -> pd.DataFrame: - """ - Create a DataFrame of synthetic fans. - Each fan has: - - fan_id (UUID) - - first_name - - last_name - - email - - favorite_players (list of player_ids) - - community_memberships (list of community_ids) - """ - fake = Faker() - fans_list = [] - for _ in range(num_fans): - fan_id = str(uuid.uuid4()) - first_name = fake.first_name() - last_name = fake.last_name() - email = fake.email() - - fans_list.append({ - "fan_id": fan_id, - "first_name": first_name, - "last_name": last_name, - "email": email, - # We'll assign favorite_players & community_memberships below - "favorite_players": [], - "community_memberships": [] - }) - - return pd.DataFrame(fans_list) - -# ------------------------------------------------------------ -# 3. ASSIGN RANDOM FAVORITE PLAYERS AND COMMUNITIES -# ------------------------------------------------------------ -def assign_relationships(df_fans: pd.DataFrame, - df_roster: pd.DataFrame, - df_communities: pd.DataFrame): - """ - - Pick 1-3 random favorite players for each fan from the real roster - - Assign 0 or 1 community to each fan from the real communities - """ - player_ids = df_roster["player_id"].tolist() - community_ids = df_communities["community_id"].tolist() - - for idx, fan in df_fans.iterrows(): - # Choose 1-3 players - if len(player_ids) > 0: - num_players = random.randint(1, 3) - chosen_players = random.sample(player_ids, k=num_players) - else: - chosen_players = [] - - # 50% chance to join a community - chosen_community = [] - if len(community_ids) > 0 and random.choice([True, False]): - chosen_community = [random.choice(community_ids)] - - # Update the row's columns - df_fans.at[idx, "favorite_players"] = chosen_players - df_fans.at[idx, "community_memberships"] = chosen_community - -# ------------------------------------------------------------ -# 4. MAIN PIPELINE -# ------------------------------------------------------------ -def main(): - # 4.1. Load real data - df_communities, df_roster, df_schedule = load_real_data() - - # 4.2. Generate 2,500 synthetic fans - df_fans = generate_synthetic_fans(NUM_FANS) - - # 4.3. Assign random relationships - assign_relationships(df_fans, df_roster, df_communities) - - # 4.4. Export everything to CSV - # (If you'd like to keep the original real-data files as is, - # you can simply re-write them or rename them. Below we do an explicit "to_csv".) - - df_communities.to_csv(os.path.join(OUTPUT_DIR, "fan_communities.csv"), index=False) - df_roster.to_csv(os.path.join(OUTPUT_DIR, "roster.csv"), index=False) - df_schedule.to_csv(os.path.join(OUTPUT_DIR, "schedule.csv"), index=False) - df_fans.to_csv(os.path.join(OUTPUT_DIR, "fans.csv"), index=False) - - print(f"Data generation complete! Files are in {OUTPUT_DIR}") - print(" - fan_communities.csv (REAL)") - print(" - roster.csv (REAL)") - print(" - schedule.csv (REAL)") - print(" - fans.csv (SYNTHETIC + relationships)") - -if __name__ == "__main__": - main() diff --git a/data/neo4j_ingestion.py b/data/neo4j_ingestion.py deleted file mode 100644 index 804b4fd21945f763fe1cbeb76362392851721087..0000000000000000000000000000000000000000 --- a/data/neo4j_ingestion.py +++ /dev/null @@ -1,280 +0,0 @@ -############################################ -# neo4j_ingestion.py -############################################ - -import os -import csv -import uuid -import pandas as pd -from neo4j import GraphDatabase -from dotenv import load_dotenv - -# Load environment variables -load_dotenv() - -# ------------------------------------------------------------------------------ -# CONFIGURE THESE TO MATCH YOUR ENVIRONMENT -# ------------------------------------------------------------------------------ -NEO4J_URI = os.getenv('AURA_CONNECTION_URI') -NEO4J_USER = os.getenv('AURA_USERNAME') -NEO4J_PASS = os.getenv('AURA_PASSWORD') - -if not all([NEO4J_URI, NEO4J_USER, NEO4J_PASS]): - raise ValueError("Missing required Neo4j credentials in .env file") - -# Update CSV_DIR to use absolute path -SCRIPT_DIR = os.path.dirname(os.path.abspath(__file__)) -CSV_DIR = os.path.join(SCRIPT_DIR, "niners_output") # Updated to correct folder name -REL_CSV_DIR = os.path.join(SCRIPT_DIR, "relationship_csvs") - -# Create directories if they don't exist -os.makedirs(CSV_DIR, exist_ok=True) -os.makedirs(REL_CSV_DIR, exist_ok=True) - -# Filenames for each CSV -COMMUNITIES_FILE = "fan_communities.csv" -ROSTER_FILE = "roster.csv" -#SCHEDULE_FILE = "schedule.csv" -SCHEDULE_FILE = "schedule_with_result_embedding.csv" -FANS_FILE = "fans.csv" - -print("Script directory:", SCRIPT_DIR) -print("CSV directory:", CSV_DIR) -print("Looking for files in:") -print(f"- {os.path.join(CSV_DIR, COMMUNITIES_FILE)}") -print(f"- {os.path.join(CSV_DIR, ROSTER_FILE)}") -print(f"- {os.path.join(CSV_DIR, SCHEDULE_FILE)}") -print(f"- {os.path.join(CSV_DIR, FANS_FILE)}") - -# Add this after the file path prints: -print("\nChecking CSV column names:") -for file_name in [COMMUNITIES_FILE, ROSTER_FILE, SCHEDULE_FILE, FANS_FILE]: - df = pd.read_csv(os.path.join(CSV_DIR, file_name)) - print(f"\n{file_name} columns:") - print(df.columns.tolist()) - -# ------------------------------------------------------------------------------ -# 1) Create Relationship CSVs from fans.csv -# ------------------------------------------------------------------------------ -def create_relationship_csvs(): - """ - Reads fans.csv, which includes columns: - - fan_id - - favorite_players (string list) - - community_memberships (string list) - Expands these lists into separate relationship rows, which we export as: - fan_player_rels.csv and fan_community_rels.csv - """ - fans_path = os.path.join(CSV_DIR, FANS_FILE) - df_fans = pd.read_csv(fans_path) - - fan_player_relationships = [] - fan_community_relationships = [] - - for _, row in df_fans.iterrows(): - fan_id = row["fan_id"] - - # favorite_players (could be "['id1','id2']" or a single string) - fav_players_raw = row.get("favorite_players", "[]") - fav_players_list = parse_string_list(fav_players_raw) - - for pid in fav_players_list: - fan_player_relationships.append({ - "start_id": fan_id, - "end_id": pid, - "relationship_type": "FAVORITE_PLAYER" - }) - - # community_memberships - comm_memberships_raw = row.get("community_memberships", "[]") - comm_list = parse_string_list(comm_memberships_raw) - - for cid in comm_list: - fan_community_relationships.append({ - "start_id": fan_id, - "end_id": cid, - "relationship_type": "MEMBER_OF" - }) - - # Convert to DataFrames and write out to CSV - if fan_player_relationships: - df_fan_player = pd.DataFrame(fan_player_relationships) - df_fan_player.to_csv(os.path.join(REL_CSV_DIR, "fan_player_rels.csv"), index=False) - - if fan_community_relationships: - df_fan_community = pd.DataFrame(fan_community_relationships) - df_fan_community.to_csv(os.path.join(REL_CSV_DIR, "fan_community_rels.csv"), index=False) - - print("Created relationship CSVs in:", REL_CSV_DIR) - -def parse_string_list(raw_val): - """ - Attempt to parse a Python-style list string (e.g. "['abc','def']") - or return an empty list if parsing fails. - """ - if isinstance(raw_val, str): - try: - parsed = eval(raw_val) - if not isinstance(parsed, list): - return [] - return parsed - except: - return [] - elif isinstance(raw_val, list): - return raw_val - else: - return [] - -# ------------------------------------------------------------------------------ -# 2) LOAD Node & Relationship CSVs into Neo4j -# ------------------------------------------------------------------------------ -def clean_row_dict(row): - """Convert pandas row to dict and replace NaN with None""" - return {k: None if pd.isna(v) else v for k, v in row.items()} - -def ingest_to_neo4j(): - """ - Connects to Neo4j, deletes existing data, creates constraints, - loads node CSVs, then loads relationship CSVs. - """ - driver = GraphDatabase.driver(NEO4J_URI, auth=(NEO4J_USER, NEO4J_PASS)) - - with driver.session() as session: - # (A) DELETE CURRENT CONTENTS - session.run("MATCH (n) DETACH DELETE n") - print("Cleared existing graph data.") - - # (B) Create uniqueness constraints - Updated with exact column name - session.run("CREATE CONSTRAINT IF NOT EXISTS FOR (c:Community) REQUIRE c.fan_chapter_name IS UNIQUE") - session.run("CREATE CONSTRAINT IF NOT EXISTS FOR (p:Player) REQUIRE p.player_id IS UNIQUE") - session.run("CREATE CONSTRAINT IF NOT EXISTS FOR (g:Game) REQUIRE g.game_id IS UNIQUE") - session.run("CREATE CONSTRAINT IF NOT EXISTS FOR (f:Fan) REQUIRE f.fan_id IS UNIQUE") - print("Created/ensured constraints.") - - # 1) Communities - Updated to handle duplicates - communities_df = pd.read_csv(os.path.join(CSV_DIR, COMMUNITIES_FILE)) - - # Track duplicates - duplicates = communities_df[communities_df['Fan Chapter Name'].duplicated(keep='first')] - if not duplicates.empty: - print(f"\nFound {len(duplicates)} duplicate Fan Chapter Names (keeping first occurrence only):") - print(duplicates[['Fan Chapter Name']].to_string()) - - # Export duplicates to CSV for reference - duplicates.to_csv(os.path.join(CSV_DIR, 'duplicate_chapters.csv'), index=False) - - # Keep only first occurrence of each Fan Chapter Name - communities_df = communities_df.drop_duplicates(subset=['Fan Chapter Name'], keep='first') - - # Process unique chapters - for _, row in communities_df.iterrows(): - params = clean_row_dict(row) - - # Map the correct columns - params["fan_chapter_name"] = params.pop("Fan Chapter Name", "") or "" - params["city"] = params.pop("Meeting Location Address (City)", "") or "" - params["state"] = params.pop("Meeting Location Address (State)", "") or "" - params["email_contact"] = params.pop("Email Address", "") or "" - params["meetup_info"] = f"{params.pop('Venue', '')} - {params.pop('Venue Location', '')}" - - session.run(""" - CREATE (c:Community { - fan_chapter_name: $fan_chapter_name, - city: $city, - state: $state, - email_contact: $email_contact, - meetup_info: $meetup_info - }) - """, params) - print(f"Imported {len(communities_df)} unique Communities.") - - # 2) Players - Updated with correct column names - players_df = pd.read_csv(os.path.join(CSV_DIR, ROSTER_FILE)) - for _, row in players_df.iterrows(): - params = clean_row_dict(row) - session.run(""" - CREATE (p:Player { - player_id: $player_id, - name: $Player, - position: $Pos, - jersey_number: toInteger($Number), - height: $HT, - weight: $WT, - college: $College, - years_in_nfl: toInteger($Exp) - }) - """, params) - print("Imported Players.") - - # 3) Games - Updated with correct column names - games_df = pd.read_csv(os.path.join(CSV_DIR, SCHEDULE_FILE)) - for _, row in games_df.iterrows(): - params = clean_row_dict(row) - session.run(""" - CREATE (g:Game { - game_id: $game_id, - date: $Date, - location: $Location, - home_team: $HomeTeam, - away_team: $AwayTeam, - result: $Result, - summary: $Summary, - embedding: $embedding - }) - """, params) - print("Imported Games.") - - # 4) Fans - This one was correct, no changes needed - fans_df = pd.read_csv(os.path.join(CSV_DIR, FANS_FILE)) - for _, row in fans_df.iterrows(): - params = clean_row_dict(row) - session.run(""" - CREATE (f:Fan { - fan_id: $fan_id, - first_name: $first_name, - last_name: $last_name, - email: $email - }) - """, params) - print("Imported Fans.") - - # (D) LOAD Relationships - fan_player_path = os.path.join(REL_CSV_DIR, "fan_player_rels.csv") - if os.path.exists(fan_player_path): - rels_df = pd.read_csv(fan_player_path) - for _, row in rels_df.iterrows(): - params = clean_row_dict(row) - session.run(""" - MATCH (f:Fan {fan_id: $start_id}) - MATCH (p:Player {player_id: $end_id}) - CREATE (f)-[:FAVORITE_PLAYER]->(p) - """, params) - print("Created Fan -> Player relationships.") - - fan_community_path = os.path.join(REL_CSV_DIR, "fan_community_rels.csv") - if os.path.exists(fan_community_path): - rels_df = pd.read_csv(fan_community_path) - for _, row in rels_df.iterrows(): - params = clean_row_dict(row) - session.run(""" - MATCH (f:Fan {fan_id: $start_id}) - MATCH (c:Community {fan_chapter_name: $end_id}) - CREATE (f)-[:MEMBER_OF]->(c) - """, params) - print("Created Fan -> Community relationships.") - - driver.close() - print("Neo4j ingestion complete!") - -# ------------------------------------------------------------------------------ -# 3) MAIN -# ------------------------------------------------------------------------------ -def main(): - # 1) Generate relationship CSVs for fans' favorite_players & community_memberships - create_relationship_csvs() - - # 2) Ingest all CSVs (nodes + relationships) into Neo4j - ingest_to_neo4j() - -if __name__ == "__main__": - main() diff --git a/data/nfl-2024-san-francisco-49ers-with-results.csv b/data/nfl-2024-san-francisco-49ers-with-results.csv deleted file mode 100644 index 50e01fc150b7cf821571c54a990e43dc32835459..0000000000000000000000000000000000000000 --- a/data/nfl-2024-san-francisco-49ers-with-results.csv +++ /dev/null @@ -1,18 +0,0 @@ -Match Number,Round Number,Date,Location,Home Team,Away Team,Result,game_result -1,1,10/09/2024 00:15,Levi's Stadium,San Francisco 49ers,New York Jets,32 - 19,Win -28,2,15/09/2024 17:00,U.S. Bank Stadium,Minnesota Vikings,San Francisco 49ers,23 - 17,Loss -38,3,22/09/2024 20:25,SoFi Stadium,Los Angeles Rams,San Francisco 49ers,27 - 24,Loss -55,4,29/09/2024 20:05,Levi's Stadium,San Francisco 49ers,New England Patriots,30 - 13,Win -70,5,06/10/2024 20:05,Levi's Stadium,San Francisco 49ers,Arizona Cardinals,23 - 24,Loss -92,6,11/10/2024 00:15,Lumen Field,Seattle Seahawks,San Francisco 49ers,24 - 36,Win -96,7,20/10/2024 20:25,Levi's Stadium,San Francisco 49ers,Kansas City Chiefs,18 - 28,Loss -109,8,28/10/2024 00:20,Levi's Stadium,San Francisco 49ers,Dallas Cowboys,30 - 24,Win -149,10,10/11/2024 18:00,Raymond James Stadium,Tampa Bay Buccaneers,San Francisco 49ers,20 - 23,Win -158,11,17/11/2024 21:05,Levi's Stadium,San Francisco 49ers,Seattle Seahawks,17 - 20,Loss -169,12,24/11/2024 21:25,Lambeau Field,Green Bay Packers,San Francisco 49ers,38 - 10,Loss -181,13,02/12/2024 01:20,Highmark Stadium,Buffalo Bills,San Francisco 49ers,35 - 10,Loss -199,14,08/12/2024 21:25,Levi's Stadium,San Francisco 49ers,Chicago Bears,38 - 13,Win -224,15,13/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Los Angeles Rams,6 - 12,Loss -228,16,22/12/2024 21:25,Hard Rock Stadium,Miami Dolphins,San Francisco 49ers,29 - 17,Loss -246,17,31/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Detroit Lions,34 - 40,Loss -257,18,05/01/2025 21:25,State Farm Stadium,Arizona Cardinals,San Francisco 49ers,47 - 24,Loss diff --git a/data/niners_output/duplicate_chapters.csv b/data/niners_output/duplicate_chapters.csv deleted file mode 100644 index 0e3c965f906c6061cc156a6ec50dfde8095632d3..0000000000000000000000000000000000000000 --- a/data/niners_output/duplicate_chapters.csv +++ /dev/null @@ -1,14 +0,0 @@ -Name,Phone Number,Website,Meeting Location Address (Address),Meeting Location Address (Address2),Meeting Location Address (City),Meeting Location Address (State),Meeting Location Address (Zip),Meeting Location Address (Country),Fan Chapter Name,President First Name,President Last Name,Email Address,City,State,Country,Venue,Venue Location,Total Fans,Facebook,Instagram,X (Twitter),TikTok,WhatsApp,YouTube,community_id -,8315126139,,,,,,,,Central Coast Niner Empire 831,Rafael,Garcia,centralcoastninermepire831@gmail.com,Salinas,CA,United States,Pizza Factory,1945 Natividad Rd,22.0,Facebook.com/CentralCoastNinerEmpire831,,,,,,c86453f6-0155-4458-9a26-e211aa2b8e33 -,5627391639,,,,,,,,O.C. NINER EMPIRE FAITHFUL'S,Angel,Grijalva,grijalvaangel7@gmail.com,Buena park,CA,United States,Ciro's pizza,6969 la Palma Ave,10.0,,,,,,,3e1b2231-8fa4-4abc-938f-7c09f30b37fc -,8176757644,,,,,,,,Niner Empire DFW,Danny,Ramirez,grimlock49@gmail.com,Bedford,TX,United States,Papa G's,2900 HIGHWAY 121,50.0,,,,,,,40693c50-8e07-4fb8-a0bc-ecf3383ce195 -,(808) 989-0030,,,,,,,,NINER EMPIRE HAWAII 808,KEVIN,MEWS,hoodlumsaint@yahoo.com,Honolulu,HI,United States,Buffalo Wild Wings -Pearl City,1644 Young St # E,25.0,,,,,,,eee2e97f-1d1f-4552-abbf-c615e64f8377 -,6265396855,,,,,,,,SO. CAL GOLD BLOODED NINER'S,Louie,Gutierrez,louchekush13@gmail.com,Industry,CA,United States,Hacienda heights Pizza Co,15239 Gale Ave,25.0,Facebook group page/instagram,,,,,,ad9a0664-8bf1-4916-b5d3-ca796916e0a5 -,7605879798,,,,,,,,49er Empire High Desert,Mike,Kidwell (president),mikekid23@gmail.com,hesperia,California,United States,Thorny's,1330 Ranchero rd.,100.0,,,,,,,c758e93b-3a3e-4c2f-990b-1bf9f1cdd6ca -,5599677071,,,,,,,,Niner Empire San Antonio,Jesus,Archuleta,ninerempire_sanantonio@yahoo.com,San Antonio,Texas,United States,Fatso's,1704 Bandera Road,25.0,https://www.facebook.com/ninerempire.antonio,,,,,,163ed53e-753a-40b9-aa4d-645c1e9dc673 -,5599677071,,,,,,,,Niner Empire San Antonio,Jesus,Archuleta,NinerEmpireSanAntoni0@oulook.com,San Antonio,Texas,United States,Fatsos,1704 Bandera Rd,30.0,,,,,,,2966907f-4bbd-4c39-ad05-ea710abc7a3d -,(503) 544-3640,,,,,,,,Niner Empire Portland,Pedro,Urzua,purzua76@gmail.com,Portland,OR,United States,KingPins Portland,3550 SE 92nd ave,100.0,,,,,,,45249454-edef-4d93-a5d2-f6f14e123707 -,9098153880,,,,,,,,Riverside 49ers Booster Club,Gus,Esmerio,riversidefortyniners@gmail.com,Riverside,California,United States,Lake Alice Trading Co Saloon &Eatery,3616 University Ave,20.0,,,,,,,de7e2c76-771b-4042-8a27-29070b65022a -,5204147239,,,,,,,,Sonoran Desert Niner Empire,Derek,Yubeta,sonorandesertninerempire@yahoo.com,Maricopa,AZ,United States,Cold beers and cheeseburgers,20350 N John Wayne Pkwy,48.0,,,,,,,b7615efb-5b5f-4732-9f7c-c7c9f00e3fd9 -,208-964-2981,,,,,,,,Treasure Valley 49er Faithful,Curt,Starz,treasurevalley49erfaithful@gmail.com,Star,ID,United States,The Beer Guys Saloon,10937 W. State Street,100.0,https://www.facebook.com/TV49erFaithful,,,,,,dd93b349-8a58-4ae5-8ffc-4be1d7d8e146 -,(971) 218-4734,,,,,,,,Niner Empire Salem,Timothy,Stevens,tstevens1989@gmail.com,Salem,OR,United States,AMF Firebird Lanes,4303 Center St NE,218.0,,,,,,,794f2ed1-b82f-4fb8-9bd4-fa69c4e9695d diff --git a/data/niners_output/fan_communities.csv b/data/niners_output/fan_communities.csv deleted file mode 100644 index 91689e8fba3ea2e75deb3bce695d186c6765ffc6..0000000000000000000000000000000000000000 --- a/data/niners_output/fan_communities.csv +++ /dev/null @@ -1,384 +0,0 @@ -Name,Phone Number,Website,Meeting Location Address (Address),Meeting Location Address (Address2),Meeting Location Address (City),Meeting Location Address (State),Meeting Location Address (Zip),Meeting Location Address (Country),Fan Chapter Name,President First Name,President Last Name,Email Address,City,State,Country,Venue,Venue Location,Total Fans,Facebook,Instagram,X (Twitter),TikTok,WhatsApp,YouTube,community_id -,52 4492612712,,,,,,,,49ers Aguascalientes,Cesar,Romo,ninersaguascalientes@gmail.com,Aguascalientes,,Mexico,Vikingo Bar,"Av de la Convención de 1914 Sur 312-A, Las Américas, 20230 Aguascalientes, Ags., Mexico",174.0,https://www.facebook.com/share/1Wa7TPzBMX/,,,,,,79cfd643-4de5-46b2-8459-f1f6b8d87583 -,52 (46) 1219 7801,,,,,,,,Bajio Faithful,Hector,Camarena,hectorcamarena@hotmail.com,"Celaya, GTO",,Mexico,California Prime Rib Restaurant,"Av. Constituyentes 1000 A, 3 Guerras, 38080 Celaya, Gto., Mexico",20.0,,,,,,,3c7dad3a-d69a-409f-91ff-6b6856a1b73d -,52 (96) 1654-1513,,,,,,,,Niner Empire Chiapas,Aroshi,Narvaez,ninerempirechiapas@hotmail.com,Chiapas,,Mexico,Alitas Tuxtla,"Blvd. Belisario Dominguez 1861 Loc K1 Tuxtl Fracc, Bugambilias, 29060 Tuxtla Gutiérrez, Chis., Mexico",250.0,Niner Empire Chiapas,https://www.instagram.com/49erschiapas/?hl=en,Niner Empire Chiapas,,,,fce88bd9-e2a3-481e-bedc-dbebd5343f08 -,52 (61) 4404-1411,,,,,,,,49ers Faithful Chihuahua Oficial,Jorge,Otamendi,chihuahua49ersfaithful@gmail.com,Chihuahua,,Mexico,El Coliseo Karaoke Sports Bar,"C. Jose Maria Morelos 111, Zona Centro, 31000 Chihuahua, Chih., Mexico",300.0,https://www.facebook.com/share/g/14tnsAwWFc/,https://www.instagram.com/49ersfaithfulchihuahua?igsh=bHE5ZWd6eTUxOWl3,,https://www.tiktok.com/@49ers.faithful.ch?_t=8rv1vcLFfBI&_r=1,,,eec5a289-f51e-43ef-83f9-de27fbe2525b -,52 (61) 41901197,,,,,,,,Gold Rush Chihuahua Spartans,Juan,García,juga49er@gmail.com,Chihuahua,,Mexico,34 Billiards & Drinks,"Av. Tecnológico 4903, Las Granjas 31100",976.0,https://www.facebook.com/groups/170430893136916/,,,,,,5b0d64d5-2e5f-4173-b359-c4355e1ce861 -,52 (55) 6477-1279,,,,,,,,Club 49ers Mexico,German,Rodriguez,club49ersmexico@hotmail.com,"Ciudad de Mexico, Mexico",,Mexico,Bar 49,16 Septiembre #27 Colonia Centro Historico Ciudad de Mexico,800.0,,club49ersmexico,club49ersmexico,Club49ersmexicooficial,,,db07fa7b-d0f9-44b4-981b-358558b30f4c -,52 (55) 6904-5174,,,,,,,,Club 49ers Durango Oficial,Victor,Arballo,Club49ersdurango@gmail.com,Durango,,Mexico,Restaurante Buffalucas Constitución,"C. Constitución 107B, Zona Centro, 34000 Durango, Dgo., Mexico",170.0,https://www.facebook.com/share/1TaDBVZmx2/?mibextid=LQQJ4d,https://www.instagram.com/49ers_dgo?igsh=ams1dHdibXZmN28w,,,,,f835cf7a-025e-40e8-b549-3be781938f19 -,52 (55) 707169,,,,,,,,Niner Empire Edo Mex,Alberto,Velasco,ninerempireedomex@hotmail.com,Estado de Mexico,,Mexico,Beer Garden Satélite,"Cto. Circunvalación Ote. 10-L-4, Cd. Satélite, 53100 Naucalpan de Juárez, Méx., Mexico",250.0,,https://www.instagram.com/ninerempireedomex/,https://x.com/ninerempedomex,,,,05d42a68-33f9-4c51-be80-33fd14c50c8b -,52 (33) 2225-4392,,,,,,,,Club 49ers Jalisco,Marcela,Medina,49ersjalisco@gmail.com,"Guadalajara, Jalisco",,Mexico,Restaurante Modo Avión Zapopan,"Calzada Nte 14, Granja, 45010 Zapopan, Jal., Mexico",40.0,,club49ersjalisco,Club 49ers Jalisco,,,,901ca5e1-26d1-4743-83b3-6b2a6a25658b -,52 (33) 1046 3607,,,,,,,,Niner Empire Jalisco,Alonso,Partida,ninerempirejal49@gmail.com,"Guadalajara, Jalisco",,Mexico,SkyGames Sports Bar,"Av. Vallarta 874 entre Camarena y, C. Escorza, Centro, 44100 Guadalajara, Jal., Mexico",200.0,,niner_empire_jalisco,NinerEmpireJal,ninerempirejal,,,618bbb9b-7bee-49cf-a459-377aa5ff7b86 -,52 (65) 6228-3719,,,,,,,,Niner Empire Juarez Oficial,Hugo,Montero,JuarezFaithful@outlook.com,Juarez,,Mexico,Sport Bar Silver Fox,"Av. Paseo Triunfo de la República 430, Las Fuentes, 32530 Juárez, Chih., Mexico",300.0,,,,,,,8a0ad20d-1074-47df-bb78-7dfd008619af -,52 (99) 9172-2810,,,,,,,,49ers Merida Oficial,Liliana,Vargas,contacto@49ersmerida.mx,Merida,,Mexico,Taproom Mastache,"Av. Cámara de Comercio 263, San Ramón Nte, 97117 Mérida, Yuc., Mexico",290.0,,,,,,,aaafb4f5-408a-43cb-90c5-451db488af94 -,52 (686) 243 7235,,,,,,,,Niner Empire Mexicali,Gabriel,Carbajal,ninerempiremxl@outlook.com,Mexicali,,Mexico,La Gambeta Terraza Sports Bar,"Calz. Cuauhtémoc 328, Aviación, 21230 Mexicali, B.C., Mexico",45.0,,,,,,,2584743f-fb25-4926-b229-2468e4684fc7 -,52 (81) 1500-4400,,,,,,,,49ers Monterrey Oficial,Luis,González,49ersmonterrey@gmail.com,Monterrey,,Mexico,Buffalo Wild Wings Insurgentes,"Av Insurgentes 3961, Sin Nombre de Col 31, 64620 Monterrey, N.L., Mexico",1200.0,,,,,,,8a0cc83c-ee5e-4f28-abd2-4785b7f503be -,52 (22) 21914254,,,,,,,,Club 49ers Puebla,Elias,Mendez,club49erspuebla@hotmail.com,Puebla,,Mexico,Bar John Barrigón,"Av. Juárez 2925, La Paz, 72160 Heroica Puebla de Zaragoza, Pue., Mexico",,,,,,,,43c67b64-aa19-4d3c-bd4e-c18799854e93 -,52 (84) 4130-0064,,,,,,,,Niners Empire Saltillo,Carlos,Carrizales,Ninerssaltillo21@gmail.com,Saltillo,,Mexico,Cervecería La Huérfana,"Blvd. Venustiano Carranza 7046-Int 9, Los Rodríguez, 25200 Saltillo, Coah., Mexico",,,,,,,,8968fdf0-d411-4899-9aaf-632d1ff2ca1c -,52 (44) 4257-3609,,,,,,,,San Luis Potosi Oficial,Jose,Robledo,club49erssanluispotosi@hotmail.com,San Luis Potosi,,Mexico,Bar VIC,"Av Nereo Rodríguez Barragán 1399, Fuentes del Bosque, 78220 San Luis Potosí, S.L.P., Mexico",,,,,,,,1a185320-fa73-49e9-905e-acffa1821454 -,52 (66) 4220-6991,,,,,,,,49ers Tijuana Fans Oficial,Anthony,Daniel,ant49ers14@gmail.com,Tijuana,,Mexico,Titan Sports Bar,"J. Gorostiza 1209, Zona Urbana Rio Tijuana, 22320 Tijuana, B.C., Mexico",460.0,https://www.facebook.com/groups/49erstijuanafans/?ref=share&mibextid=NSMWBT,https://www.instagram.com/49erstijuanafansoficial/?igshid=OGQ5ZDc2ODk2ZA%3D%3D&fbclid=IwZXh0bgNhZW0CMTEAAR0SXTcgDss1aAUjjzK6Ge0Uhx9JkNszzeQgTRq94F_5Zzat-arK9kXEqWk_aem_sKUysPZe1NpmFRPlJppOYw&sfnsn=scwspwa,-,-,-,-,3e23d466-e305-42d8-9599-c6a931b7e827 -,52 (72) 2498-5443,,,,,,,,49ers Club Toluca Oficial,Fernando,Salazar,ninersdealtura@gmail.com,Toluca,,Mexico,Revel Wings Carranza,"Calle Gral. Venustiano Carranza 20 Pte. 905, Residencial Colón y Col Ciprés, 50120 Toluca de Lerdo, Méx., Mexico",,,,,,,,bc0c7169-ca42-4d7b-ac37-9e42b54ef161 -,52 (228) 159-8578,,,,,,,,Cluib de Fans 49ers Veracruz,Luis,Mata,los49ersdexalapa@gmail.com,Veracruz,,Mexico,Wings Army del Urban Center,"C. Lázaro Cárdenas 102, Rafael Lucio, 91110 Xalapa-Enríquez, Ver., Mexico",,,,,,,,e1eab1f1-0342-487c-ba7e-ff062a1d0f93 -,6646124565,,,,,,,,49ersFanZone.net,Clemens,Kaposi,webmaster@49ersfanzone.net,Bad Vigaun,,Austria,,Neuwirtsweg 315,183.0,,,,,,,bc369128-c50f-4a05-ad37-37a8c2adcb9c -,33 (0)6 365 269 84,,,,,,,,The Niner Empire France,Gilles,Schlienger,gilles.schlienger@orange.fr,Nousseviller Saint Nabor,,France,4 voie romaine,4 voie romaine,250.0,https://www.facebook.com/groups/295995597696338,,,,,,f15012b6-ca9c-40af-9e72-f26f48e2e3d2 -,1704753958,,,,,,,,Niner Empire Germany-Bavaria Chapter,Mike,Beckmann,beckmannm55@gmail.com,Ismaning,,Germany,49er's Sports & Partybar,Muenchener Strasse 79,35.0,,,,,,,205540c2-8a52-40ff-8de0-5ecb5603eba2 -,1735106462,,,,,,,,4T9 Mob Germany Family,Chris,Grawert,chrisgrawert@web.de,Hamburg,,Germany,Jolly Roger,Budapester Str. 44,6.0,https://www.facebook.com/4T9MOBGermany,,,,,,f114a0ec-738b-4e50-8f19-57e30f908f20 -,49 15758229310,,,,,,,,49 Niner Empire,Andra,Theunert,jan.andre77@web.de,Cologne State: NRW,,Germany,Joe Camps Sports Bar,Joe Champs,104.0,,,,,,,4ab054e6-6653-4770-bcdb-f448ac2a07f5 -,1795908826,,,,,,,,The Niner Empire Germany Berlin Chapter,Jermaine,Benthin,jermaine.benthin@icloud.com,Berlin,,Germany,Sportsbar Tor133,Torstrasse 133,17.0,,,,,,,18dba8cf-ce28-40e3-995a-ee7b871d943b -,1607512643,,,,,,,,,Heltewig,Thorsten,t.heltewig@t-online.de,Bornhöved,,Germany,Comeback,Mühlenstraße 11,20.0,,,,,,,e439a3a5-c585-4c44-93d6-4cb19ec536e2 -,1738803983,,,,,,,,49ers Fans Bavaria,Thomas,Igerl,thomas.igerl@gmx.de,Ampfing,,Germany,Holzheim 1a/Ampfing,Holzheim 1a,30.0,https://www.facebook.com/49ersfansbavaria,,,,,,80099d97-0d21-46e1-8403-69c87f3bebd2 -,1234567899,http://germany.theninerempire.com/,,,,,,,The Niner Empire Germany - North Rhine-Westphalia Chapter,Timo,Allhoff,timo.allhoff@web.de,Duesseldorf,,Germany,Knoten,Kurze Strasse 1A,62.0,,,,,,,3545d9f1-cf47-4f11-b415-5ad73aef7a4a -,1708859408,,,,,,,,Niner Empire Germany-NRW Chapter,Hermann,van,vanbebberhermann@yahoo.com,Cologne,,Germany,Joe Champs Sportsbar Cologne,Hohenzollernring 1 -3,27.0,,,,,,,22b5c95d-456e-4dea-a7d2-39cbdbaadda2 -,3.53E+11,,,,,,,,The Irish Faithful,Colly,Mc,49ersire@gmail.com,Dublin 13,,Ireland,Busker On The Ball,13 - 17 Fleet Street,59.0,,,https://twitter.com/49ersIre,,,,d3002991-05db-4ad1-9b34-00653f41daa7 -,0039 3282181898,,,,,,,,49ers Italian Fan Club,Enzo,Marrocchino,49ers.italian@gmail.com + marrocchino.enxo@gmail.com,Fiorano Modenese,,Italy,The Beer Corner,"Via Roma, 2/A",50.0,https://www.facebook.com/groups/49ersItalianFanClub,,,,,,7ffab46c-8924-4c74-af34-159a02364b2f -,649058694,https://laminapodcast.wixsite.com/lamina,,,,,,,Mineros Spanish Faithful,Luis,Miguel,laminapodcast@gmail.com + luismiperez17@gmail.com,Madrid,,Spain,Penalti Lounge Bar,Avenida Reina 15,15.0,,,,,,,5ebfd5fb-bbf0-4701-b6d8-223b240c8d28 -,6507841235,http://www.sportssf.com.br,,,,,,,Equipe Sports SF,Alessandro,Marques,alessandro.quiterio@sportssf.com.br,Sao Paulo,,Brazil,"Website, Podcast, Facebook Page, Twitter","Rua Hitoshi Ishibashi, 11 B",14.0,,,,,,,bc5329a5-bfda-4edc-be84-dcdb8afa7cbe -,1197444761,http://www.49ersbrasil.com.br,,,,,,,49ers Brasil,Fabio,Moraes,fbo_krun@live.co.uk,"Campo Limpo, Sao Paulo",,Brazil,Bars and Restaurants in São Paulo - SP,,870.0,,,,,,,16ae7f7d-c1bc-46ab-a959-a60c49587218 -,5511992650,,,,,,,,San Francisco 49ers Brasil,Otavio,Alban,otavio.alban@gmail.com,"Sao Bernardo do Campo, Sao Paulo",,Brazil,Multiple locations around south and southeast states of Brazil,,104.0,https://www.facebook.com/groups/49ninersbrasil/,,,,,,5c577d0d-45c5-4c98-963f-6599ca2eb587 -,6046266697,http://www.theninerempire.com,,,,,,,"Niner Empire --Vanouver,BC Chapter",Hector,Alvarado/Neil,hector_alvarado21@hotmail.com,"Vancouver, BC",,Canada,"The Sharks Club--Langley, BC",20169 88 Avenue,31.0,,,,,,,fff9028c-4504-47c1-8b12-c4b23391d782 -,4167796921,,,,,,,,True North Niners,Shawn,Vromman,truenorthniners@gmail.com,"Bolton, Ontario",,Canada,Maguire's Pub,284 Queen st E,25.0,,,,,,,0028bcf2-b18f-43c8-bb7c-06b214b4b37f -,507 66737171,,,,,,,,Faithful Panama,Ricardo,Vallarino,ricardovallarino@hotmail.com,,,Panama,5inco Panama,8530 NW 72ND ST,249.0,,,,,,,65d1b90e-c6fa-41ab-aac1-ef32af003121 -,6493015128,,,,,,,,Niner Empire New Zealand,Karam,Chand,karam.chand@asb.co.nz,Auckland,,New Zealand,The Kingslander,470 New North Road,15.0,https://www.facebook.com/#!/groups/212472585456813/,,,,,,9ec7d2ef-2b5b-4192-911c-b293479d9a17 -,6768804977,,,,,,,,49er Fans-Tonga,Nusi,Taumoepeau,nusi.taumoepeau@gmail.com,Nuku'alofa,,Tonga,Tali'eva Bar,14 Taufa'ahau Rd,8.0,,,,,,,24342cfe-2bf4-4072-85a1-baa31f4d0572 -,7857047023,,,,,,,,49ers Faithful UK,Mike,Palmer,49erfaithfuluk@gmail.com,Greater Manchester,,United Kingdom,the green,Ducie street Manchester Greater Manchester Lancashire m1 United Kingdom,100.0,,,,,,,d84d8a63-2f4c-4cda-84a2-1c5ef09de68c -,7506116581,www.49erfaithfuluk.co.uk,,,,,,,49er Faithful UK,Lee,Gowland,contact@49erfaithfuluk.co.uk,Newcastle,,United Kingdom,Grosvenor Casino,100 St James' Blvd Newcastle Tyne & Wear CA 95054 United Kingdom,3000.0,,,,,,,1cfc9512-821c-4168-96dc-dd6fe3664fa7 -,8774734977,,,,,,,,49ers of United Kingdom,Nauman,Malik,naumalik@gmail.com,London,,United Kingdom,The Sports Cafe,80 Haymarket London SW1Y 4TE United Kingdom,8.0,,,,,,,c3163f08-1d11-4e32-9bc5-494d7869935a -,1616553629,,,,,,,,Niner Empire UK,Mike,Palmer,ninerempireuk@gmail.com,Manchester,,United Kingdom,The Green,"Bridge House 26 Ducie Street, Manchester, Manchester M1 2dq United Kingdom",30.0,,,,,,,a35c5604-774c-4820-ba3e-159aca1cd047 -,6264841085,,,,,,,,"San Francisco 49er Fans of Charleston, SC",Kurtis,Johnson,kajohnson854@yahoo.com,Charleston,SC,United States,Recovery Room Tavern,685 King St,12.0,https://www.facebook.com/profile.php?id=100095655455065,,,,,,f8a76108-d201-4daa-b934-e4a091a7e47c -,5309536097,,,,,,,,530 Empire,Oscar,Mendoza,ninermendoza@gmail.com,Chico,Ca,United States,Nash's,1717 Esplanade,45.0,,https://www.instagram.com/530empire?igsh=OGQ5ZDc2ODk2ZA%3D%3D&utm_source=qr,,,,,173de46c-bc96-4cff-85a5-f361780d1637 -,(720) 345-2580,,,,,,,,303 Denver Chapter Niner Empire,Andy,Martinez,303denverchapter@gmail.com,Aurora,CO,United States,Moes Bbq,2727 s Parker rd,30.0,,,,,,,cb00caa7-48f7-41db-bd55-a6f1ca740ba5 -,3238332262,,,,,,,,40NINERS L.A. CHAPTER,JOSE,DIAZ,40ninerslachapter@att.net,bell,ca,United States,KRAZY WINGS SPORTS & GRILL,7016 ATLANTIC AVE,25.0,,,,,,,57a66cd4-f355-4c30-849f-a6c84f7528ae -,(434) 441-1187,,,,,,,,434 Virginia Niner Empire,Thomas,Hunt,434vaninerempire@gmail.com,Danville,VA,United States,Kickbacks Jacks,140 Crown Dr,20.0,,,,,,,1b03a988-18e7-4ea5-9c89-34060083eaea -,(925) 457-6175,,,,,,,,480 Gilbert Niner Empire LLC,Betty,OLIVARES,480ninerempire@gmail.com,Gilbert,AZ,United States,The Brass Tap,313 n Gilbert rd,100.0,,,,,,,e240475b-f90b-471d-b73d-9f1b331ad9bd -,8126048419,,,,,,,,Midwest Empire,Travis,Bonnell,49er4life05@gmail.com,Evansville,IN,United States,Hooters Evansville,2112 Bremmerton Dr,6.0,https://www.facebook.com/share/5KGRDSPtyHgFYRSP/?mibextid=K35XfP,,,,,,b36619e5-9316-4c17-9779-b9c363443178 -,7075921442,,,,,,,,49er Booster Club of Vacaville,Josh,Ojeda,49erboostervacaville@gmail.com,Vacaville,CA,United States,Blondies Bar and Grill,555 Main Street,75.0,,,,,,,d4dd1a9a-cdad-4fa8-93f4-377c51838e39 -,7602655202,,,,,,,,49er Empire High Desert,TJ,Hilliard,49erempirehighdesert@gmail.com,Hesperia,California,United States,Whiskey Barrel,12055 Mariposa Rd.,89.0,https://www.facebook.com/groups/49erEmpireHighDesertChapter/,,,,,,9154a687-9ea4-400e-92d4-1f8d6a4efd45 -,5308239740,,,,,,,,Cool 49er Booster Club,Paul,Jones,49erpaul@comcast.net,Cool,CA,United States,The Cool Beerworks,5020 Ellinghouse Dr Suite H,59.0,,,,,,,bd8a91b8-935c-430e-9383-e1e8f512a395 -,8183269651,,,,,,,,49ersBeachCitiesSoCal,Rick,Mitchell,49ersbeachcitiessocal@gmail.com,Hermosa Beach,CA,United States,American Junkie Sky Light Bar,American Junkie,100.0,,,,,,,0d2e48b3-fb33-463f-a7ee-e4013f782b0e -,7202278251,,,,,,,,49ers Denver Empire,Miguel,Alaniz,49ersDenverEmpire@gmail.com,Aurora,Co,United States,Moe's Original BBQ Aurora,2727 S Parker Rd,30.0,,,,,,,49c67b4a-95bb-43df-86d6-89e322259c73 -,3605679487,,,,,,,,49ers Forever Faithfuls,Wayne,Yelloweyes-Ripoyla,49ersforeverfaithfuls@gmail.com,Vancouver,Wa,United States,Hooligan's sports bar and grill,"8220 NE Vancouver Plaza Dr, Vancouver, WA 98662",10.0,,,,,,,c700e245-1664-4459-8f89-f26b2548d901 -,9566600391,,,,,,,,South Texas 49ers Chapter,Patty,Torres,49erslakersfaithful@gmail.com,Harlingen,TX,United States,Wing barn,412 sunny side ln,350.0,https://www.facebook.com/groups/2815298045413319/?ref=share,,,,,,d212a0be-515c-4895-b0c1-0612b401f380 -,3109547822,,,,,,,,49ers Los Angeles,Jeff,Cheung,49ersLosAngeles@gmail.com,Hollywood,CA,United States,Dave & Buster's Hollywood,6801 Hollywood Blvd.,27.0,,,,,,,2a650b10-6518-4b6f-882a-fc4d0a4596ff -,3234765148,,,,,,,,49ers United Of Frisco TX,Frank,Murillo,49ersunitedoffriscotx@gmail.com,Frisco,TX,United States,The Frisco Bar and Grill,6750 Gaylord Pkwy,1020.0,https://www.facebook.com/groups/49ersunitedoffriscotx/?ref=share&mibextid=hubsqH,,,,,,ca6d549d-ee2c-44fa-aea6-9756596982a1 -,6193151122,,,,,,,,619ers San Diego Niner Empire,Ana,Pino,619erssandiego@gmail.com,San Diego,California,United States,Bridges Bar & Grill,4800 Art Street,20.0,,,,,,,a15835e7-83fe-43ad-959f-423cd21aed7b -,6266742121,,,,,,,,626 FAITHFUL'S,Isaac,C. De La Fuente,626faithfulchapter@gmail.com,City of Industry,California,United States,Hacienda Heights Pizza Co.,15239 E Gale Ave,40.0,,,,,,,56e577b7-e42b-4381-9caa-905f9fcc08e5 -,6507438522,,,,,,,,Niner Empire 650 Chapter,Vanessa,Corea,650ninerchapter@gmail.com,Redwood City,CA,United States,5th Quarter,976 Woodside Rd,35.0,,http://www.instagram.com/650ninerempire,,,,,2d719e75-080c-4044-872a-3ec473b1ff42 -,6199949071,,,,,,,,714 Niner Empire,Daniel,Hernandez,714ninerempire@gmail.com,Oxnard,CA,United States,"Bottoms Up Tavern, 2162 West Lincoln Ave, Anaheim CA 92801",3206 Lisbon Lane,4.0,,,,,,,5ce4cb87-dc34-4ac7-afc8-7825cf6993b0 -,9513704443,,,,,,,,9er Elite Niner Empire,Penny,Mapes,9erelite@gmail.com,Lake Elsinore,California,United States,Pin 'n' Pockets,32250 Mission Trail,25.0,,,,,,,a8231999-aba4-4c22-93fb-470237ef3a98 -,4806780578,,,,,,,,Az 49er Faithful,Kimberly,"""""Kimi"""" Daniel",9rzfan@gmail.com,Gilbert,Az,United States,Fox and Hound!,1017 E Baseline Rd,58.0,,,,,,,e2bd186c-6620-406e-943d-d0eee22078bb -,7078896983,,,,,,,,Niners Winers,A.m.,Early,a.m.early@icloud.com,Forestville,Ca,United States,Bars and wineries in sonoma and napa counties,River road,25.0,,,,,,,89a50680-7982-421d-961c-80fc04a84c4b -,2144897300,,,,,,,,a_49er fan,Angel,Barba,a_49erfan@aol.com,wylie,texas,United States,Wylie,922 cedar creek dr.,12.0,,,,,,,2400a836-b97a-46ca-8333-28c2e780ee3d -,4153206471,,,,,,,,Niner Empire Marin,Aaron,Clark,aaron.clark@ninerempiremarin.com,Novato,CA,United States,Moylan's Brewery & Restaurant,15 Rowland Way,13.0,,,,,,,57ef2b36-fb70-4cc1-8565-9210919e4650 -,2095344459,,,,,,,,4T9 Mob,Angel,Cruz,ac_0779@live.com,Modesto,ca,United States,Jack's pizza cafe,2001 Mchenry ave,30.0,,,,,,,17a33262-42cb-45a2-a05d-df3a56261411 -,5708529383,,,,,,,,North Eastern Pennsyvania chapter,Benjamin,Simon,acuraman235@yahoo.com,Larksville,PA,United States,Zlo joes sports bar,234 Nesbitt St,25.0,,,,,,,1d2a73c1-b52e-495c-9b8f-fe505b85bea1 -,5039150229,,,,,,,,PDX Frisco Fanatics,Adam,Hunter,adam@oakbrew.com,Portland,Or,United States,Suki's bar and Grill,2401 sw 4th ave,8.0,,,,,,,597ab710-aa67-41fe-abc7-183eb5215960 -,(408) 981-0615,,,,,,,,The 101 Niner Empire,ANDRONICO [Adrian],FERNANDEZ,adriannoel@mail.com,Morgan Hill,CA,United States,Huntington Station restaurant and sports pub,Huntington Station restaurant and sports pub,10.0,https://www.facebook.com/THE101NINEREMPIRE/,,,,,,daacbcbf-ae02-4057-bd41-555bf8dc954d -,8147901621,,,,,,,,Faithful Tri-State Empire,Armando,Holguin,AHolguinJr@gmail.com,Erie,PA,United States,Buffalo Wild Wings,2099 Interchange Rd,10.0,https://www.facebook.com/groups/1145565166387786/,,,,,,6ee93085-1711-4bbc-9d3a-cd894470c4bf -,9282100493,,,,,,,,YUMA Faithfuls,Steven,Navarro,airnavarro@yahoo.com,Yuma,AZ,United States,Hooters,1519 S Yuma Palms Pkwy,305.0,Yuma Faithfuls (FaceBook group page),,,,,,7d8634f9-d608-4589-a06c-cf0be4d539bc -,5103146643,,,,,,,,49ER EMPIRE SF Bay Area Core Chapter,AJ,Esperanza,ajay049@yahoo.com,Fremont,california,United States,Jack's Brewery,39176 Argonaut Way,1500.0,,,,,,,ca4820aa-5a1c-4777-9a8e-49d229544c08 -,8506982520,,,,,,,,Niner Empire Orlando Chapter,Aaron,Hill,ajhill77@hotmail.com,Orlando,FL,United States,Underground Public House,19 S Orange Ave,50.0,,,,,,,a04e732d-8850-4b55-9354-cbc5a3167e14 -,5805913565,,,,,,,,Niner Artillery Empire,Alicia/Airieus,DeLeon/Ervin,al1c1a3@aol.com,517 E Gore Blvd,OK,United States,Sweet Play/ Mike's Sports Grill,2610 Sw Lee Blvd Suite 3 / 517 E Gore Blvd,25.0,,,,,,,743983ca-55ad-40a7-93c2-9051bf14e946 -,5104993415,,,,,,,,510 Empire,Alex,Banks,alexjacobbanks@gmail.com,Alameda,CA,United States,McGee's Bar and Grill,1645 Park ST,10.0,,,,,,,0e8229f9-4ec0-4c6e-bd50-c7f385f092f8 -,5105082055,,,,,,,,Garlic City Faithful,Abdul,Momeni,amomeni34@gmail.com,Gilroy,CA,United States,Straw Hat Pizza,1053 1st Street,3.0,,,,,,,f4b92962-24e0-4706-b62c-21d60f3a9055 -,2092918080,,,,,,,,Faithful to the Bay,Angel,Alvarez,angel.jalvarez0914@gmail.com,Merced,CA,United States,Home,Mountain mikes pizza,15.0,,,,,,,c8a2f333-b375-4015-868d-0476c7fa7780 -,5627391639,,,,,,,,O.C. NINER EMPIRE FAITHFUL'S,Angel,Grijalva,angelgrijalva4949@gmail.com,Buena park,CA,United States,Ciro's pizza,6969 la Palma Ave,10.0,,,,,,,4e0bba17-56d7-466b-8391-4000245ed73a -,408-209-1677,,,,,,,,408 Faithfuls,Angelina,Arevalo,angelina.arevalo@yahoo.com,Milpitas,CA,United States,Big Al's Silicon Valley,27 Ranch Drive,50.0,IG- @408faithfuls,,,,,,a61907c4-11c0-4f84-9273-443043ef9a48 -,6507841235,,,,,,,,415 chapter,Angelo,Hernandez,angeloh650@gmail.com,san francisco,California,United States,49er Faithful house,2090 Bryant street,200.0,,,,,,,5823848e-b7b8-4be4-bc6b-92546a7324f2 -,3038641585,,,,,,,,HairWorks,Annie,,anniewallace6666@gmail.com,Denver,Co,United States,hairworks,2201 Lafayette at,1.0,,,,,,,ccfd888f-3eae-4aa5-b532-a93cc157945f -,(925) 481-0343,,,,,,,,49ers Room The Next Generation Of Faithfuls,Antonio,Caballero,Anthonycaballero49@gmail.com,Tlalnepantla de Baz,CA,United States,Buffalo Wild Wings Mindo E,Blvd. Manuel Avila Camacho 1007,12.0,,,,,,,a3497e7c-ec38-428a-bdb8-2ef76ae83d44 -,2098182020,,,,,,,,Niner Empire 209 Modesto Chapter,Paul,Marin,apolinarmarin209@gmail.com,Modesto,CA,United States,Rivets American Grill,2307 Oakdale Rd,50.0,https://www.facebook.com/niner.ninjas?ref=bookmarks,,,,,,153e3594-3d15-42e5-a856-f4c406c6af79 -,2539616009,,,,,,,,Lady Niners of Washington,April,Costello,aprilrichardson24@hotmail.com,Auburn,Wa,United States,Sports Page,2802 Auburn Way N,13.0,,,,,,,9601d7a6-6282-4247-8ae3-2ea160bc757f -,4803290483,,,,,,,,AZ 49ER EMPIRE,GARY,MARTINEZ,az49erempire@gmail.com,Phoenix,AZ,United States,The Native New Yorker (Ahwatukee),5030 E Ray Rd.,130.0,,,,,,,96c86314-45fc-4e05-a2d5-c2a840cba21d -,9096214821,,,,,,,,The Bulls Eye Bar 49ers,Armando,M. Macias,BA1057@blackangus.com,Montclair,California,United States,Black Angus Montclair California,9415 Monte Vista Ave.,20.0,,,,,,,477c7c87-6dd8-4cf6-8331-3f25ba1db67b -,5404245114,,,,,,,,NoVa Tru9er Empire,Jay,balthrop,balthrop007@gmail.com,Woodbridge,va,United States,Morgan's sports bar & lounge,3081 galansky blvd,40.0,,,,,,,ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2 -,(951) 691-6631,,,,,,,,Niner Empire 951 Faithfuls,Samuel,Betancourt,betancourtsgb@gmail.com,Hemet,CA,United States,"George's Pizza 2920 E. Florida Ave. Hemet, Ca.",2920 E. Florida Ave.,30.0,https://www.facebook.com/951Faithfuls/,,,,,,a5990335-b063-4f4a-896a-7959e2e559ed -,8174956499,,,,,,,,Spartan Niner Empire Texas,Adreana,Corralejo,biga005@gmail.com,Arlington,TX,United States,Bombshells Restaurant & Bar,701 N. Watson Rd.,12.0,,,,,,,e1a357d9-a7f1-4711-9d5b-fd15e9172330 -,3234720160,,,,,,,,THEE EMPIRE FAITHFUL LOS ANGELES COUNTY,Dennis,Guerrero II,bigd2375@yahoo.com,Los Angeles,CA,United States,Home,1422 Saybrook Ave,25.0,,,,,,,47ecfc8e-62ef-4eb8-93c7-008b6008cc16 -,5103756841,,,,,,,,Niner Empire Richmond 510 Chapter,David,Watkins,bigdave510@gmail.com,San Pablo,Ca,United States,Noya Lounge,14350 Laurie Lane,50.0,,,,,,,c3f4ca5a-ba09-41d3-9ed0-36027c2b3523 -,9254810343,,,,,,,,Thee Empire Faithful The Bay Area,Ant,Caballero,biggant23@gmail.com,Oakley,Ca,United States,Sabrina's Pizzeria,2587 Main St,20.0,,,,,,,803dea68-563c-4f52-ad85-616523b60788 -,8049013890,,,,,,,,The Mid Atlantic Niner Empire Chapter,Jacob,Tyree,BigJ80@msn.com,Mechanicsville,Va,United States,The Ville,7526 Mechanicsville Turnpike,10.0,https://www.facebook.com/#!/groups/290644124347980/,,,,,,4a75fa22-38c9-4d95-8e19-0e0d24eba4ef -,6058683729,,,,,,,,Big Sky SF 49ers,Jo,Poor Bear,bigsky49ers@gmail.com,Billings,MT,United States,Old Chicago - Billings,920 S 24th Street W,10.0,,,,,,,fe22a382-f319-410e-8d77-54919bc2f132 -,808-387-7075,,,,,,,,Hawaii Niner Empire,Bryson,Kerston,bjkk808@yahoo.com,Waipahu,HI,United States,The Hale,94-983 kahuailani st,25.0,,,,,,,19d83148-d992-4592-8d90-26593b22b373 -,5597896991,,,,,,,,Niner Empire Porterville Cen Cal 559,Olivia,"""""bo"""" Ortiz or Patricia Sanchez",boliviaortiz@hotmail.com,Porterville,Ca,United States,Pizza Factory/ Local Bar & Grill,897 W. Henderson,34.0,,,,,,,5450bccf-e4f5-4837-82cf-92db58d34cf8 -,4132734010,,,,,,,,W.MA CHAPTER NINER EMPIRE,BECKY,OSORIO,BOSORIO2005@YAHOO.COM,CHICOPEE,MA,United States,MAXIMUM CAPACITY,116 SCHOOL ST,36.0,,,,,,,b9f042ca-3f4c-4398-abc0-8dd37a4d6c8c -,(757) 708-0662,,,,,,,,Hampton Roads Niner Empire (Southside Chapter),Braxton,Gaskins,braq2010@gmail.com,Norfolk,VA,United States,Azalea Inn / Timeout Sports Bar,Azalea Inn / Timeout Sports Bar,40.0,,,,,,,cfea1941-d200-4d5b-9710-8fcf08cfd02d -,5598042288,,,,,,,,Central Valley Niners,Jesse,moreno,brittsdad319@yahoo.com,Visalia,Ca,United States,Pizza factory,3121 w noble,35.0,,,,,,,9b2adc0a-add8-4de7-bd74-0c20ecbd74df -,6094038767,,,,,,,,Niner Knights,Bryan,Teel,bryan_teel2002@yahoo.com,Ewing Twp,NJ,United States,Game Room of River Edge Apts,1009 Country Lane,35.0,,,,,,,02a2745f-ff6d-45ce-8bfe-6be369c3fb50 -,3463344898,,,,,,,,Lone Star Niner Empire,Myrna,Martinez,Buttercup2218@hotmail.com,Houston,TX,United States,Post oak ice house,5610 Richmond Ave.,33.0,,,,,,,b6d4a8ed-7001-476d-8207-c9272216f10f -,8082657452,,,,,,,,Hawaii Faithfuls,Rey,Buzon,buzon.rey@gmail.com,Honolulu,HI,United States,Champions Bar & Grill,1108 Keeaumoku Street,30.0,,,,,,,133e9d7e-7d4f-4286-a393-b0a4446ce4f2 -,9099571468,,,,,,,,49er Faithful of Murrieta,Colleen,Hancock,cammck@verizon.net,Murrieta,CA,United States,Sidelines Bar & Grill,24910 Washington Ave,30.0,,,,,,,58b91f02-40a4-4557-bb45-2c68f2218951 -,9168221256,,,,,,,,Capitol City 49ers,Erica,Medina,capitolcityshowstoppersee@gmail.com,Sacramento,CA,United States,Tom's Watch Bar DOCO,Tom's Watch Bar 414 K St suite 180,1300.0,https://www.facebook.com/groups/1226671178132767/?ref=share,,,,,,b50447d8-6d95-4cab-a7e5-228cd42efebd -,3103496959,,,,,,,,Huntington Beach Faithfuls,Carlos,Pizarro,carlos@beachfront301.com,Huntington Beach,CA,United States,BEACHFRONT 301,301 Main St. Suite 101,100.0,,,,,,,e64fcac3-9b00-44ef-9965-03ae97f23f63 -,(210) 375-6746,,,,,,,,Niner Empire Saltillo,Carlos,Carrizales,carrizalez21@yahoo.com.mx,Saltillo,TX,United States,Cadillac Saltillo Bar,Cadillac Saltillo Bar,116.0,Club 49ers Saltillo @ Facebook,,,,,,1511d62f-6ab4-4fcb-8e0e-21c1ff9f76f0 -,9035527931,,,,,,,,Germantown 49er's Club,CM,Rosenthal,carterrosenthal@gmail.com,Memphis,TN,United States,Mr. P's Sports Bar Hacks Cross Rd.,3284 Hacks Cross Road,103.0,,,,,,,3df1dadb-be6b-411f-b455-f954efaf227c -,12093462496,,,,,,,,49ers faithful,Ray,Castillo,castillonicki62@yahoo.com,KEYES,CA,United States,Mt mikes ceres ca,4618 Blanca Ct,8.0,,,,,,,22877d8e-e1fb-4433-8fe6-1165ead973be -,2094561796,,,,,,,,Ladies Of The Empire,Catherine,Tate,Cat@LadiesOfTheEmpire.com,Manteca,Ca,United States,Central Valley and Bay Area,1660 W. Yosemite Ave,247.0,,,,,,,18faedc7-eba5-4224-85ac-124672b7f0c3 -,7027735380,,,,,,,,Las Vegas Niner Empire 702,blu,villegas,catarinocastanedajr@yahoo.com,Las Vegas,NV,United States,Calico Jack's,8200 W. Charleston rd,300.0,,,,,,,fb060075-4c05-4c05-9c1b-fc1531f548a5 -,3107487035,,,,,,,,49ers Faithfuls in DC,Catie,Bailard,catie.bailard@gmail.com,Washington,DC,United States,Town Tavern,2323 18th Street NW,150.0,,,,,,,78924e81-6889-4b7f-817e-38dcfd040ec7 -,6619722639,,,,,,,,49er Booster Club of Roseville,Cece,Moats,cecesupplies@gmail.com,Roseville,CA,United States,Bunz Sports Pub & Grub,311 Judah Street,32.0,,,,,,,c4b728a4-8c84-4abb-acd1-d8952768fbf3 -,6613033911,,,,,,,,Kern County Niner Empire,Sal,Luna,cellysal08@yahoo.com,Bakersfield,Ca,United States,Firehouse Restaurant,7701 White Lane,100.0,,,,,,,1367e775-79ba-40d6-98d8-dbcb40140055 -,8315126139,,,,,,,,Central Coast Niner Empire 831,Rafael,Garcia,centralcoastninerempire831@gmail.com,Salinas,CA,United States,Buffalo Wild Wings,1988 North Main St,11.0,Facebook.com/CentralCoastNinerEmpire831,,,,,,75539787-79ff-423d-8de4-53b030861d69 -,8315126139,,,,,,,,Central Coast Niner Empire 831,Rafael,Garcia,centralcoastninermepire831@gmail.com,Salinas,CA,United States,Pizza Factory,1945 Natividad Rd,22.0,Facebook.com/CentralCoastNinerEmpire831,,,,,,c86453f6-0155-4458-9a26-e211aa2b8e33 -,2817509505,,,,,,,,Houston Niner Empire,Carlos,Duarte,cgduarte21@icloud.com,Houston,TX,United States,Home Plate Bar & Grill,1800 Texas Street,107.0,https://m.facebook.com/HoustonNinerEmpire/,,,,,,60610e12-fa4b-4aac-90b7-9db286dcba5e -,4068535155,,,,,,,,Train Whistle Faithful,Christopher,Gunnare,cgunnare@hotmail.com,Mountain View,CA,United States,Savvy Cellar,750 W. Evelyn Avenue,13.0,,,,,,,79dc1fdb-a80c-4571-ac0c-91804b40f886 -,3104659461,,,,,,,,Corpus Christi Chapter Niner Empire,Arturo,Hernandez,champions6@gmail.com,Corpus Christi,TX,United States,Cheers,419 Starr St.,37.0,,,,,,,194f5fc9-99ed-4c7d-8c0e-d1e5bf00fca2 -,3528070372,,,,,,,,Niner Empire Dade City,Fernando,Chavez,chavpuncker82@yahoo.com,Dade City,Florida,United States,Beef O Brady's Sports Bar,14136 7th Street,22.0,,,,,,,cbba3ff2-3599-457b-ab09-728f11ff636d -,5309536097,,,,,,,,Chico Faithfuls,Oscar,Mendoza,chicofaithfuls@gmail.com,Chico,CA,United States,Mountain Mikes Pizza,1722 Mangrove Ave,32.0,http://facebook.com/chicofaithfuls,,,,,,81bfb4e9-02c5-41eb-9fbe-1aff93df64a3 -,8473099909,,,,,,,,Chicago Niners,Chris,Johnston,chris@cpgrestaurants.com,Chicago,IL,United States,Cheesie's Pub & Grub 958 W Belmont Ave Chicago IL 60657,958 W Belmont Ave,75.0,,,,,,,46a3ddfb-ed32-48e2-80b0-479a662e0b2c -,7076556423,,,,,,,,Niner Empire 916 Sac Town,Lehi,Amado/Anthony Moreno,cindyram83@gmail.com,Sacramento,CA,United States,El Toritos,1598 Arden blvd,40.0,http://www.Facebook.com,,,,,,6f62f732-6bdc-41a7-a026-4d6c4b744388 -,7193377546,,,,,,,,49ER EMPIRE COLORADO CHAPTER,CHARLES,M. DUNCAN,cmd9ers5x2000@yahoo.com,Colorado Springs,Co.,United States,FOX & HOUND COLORADO SPRINGS,3101 New Center Pt.,25.0,,,,,,,55bc2d2d-a3b7-4afc-a7a4-651f85c84c0f -,3364512567,,,,,,,,49ers NC Triad Chapter,Christopher,Miller,cnnresources06@yahoo.com,Greensboro,NC,United States,Kickback Jack's,1600 Battleground Ave.,10.0,,,,,,,e0822b86-9589-4d0d-a8b0-8c7eaafa5967 -,4588992022,,,,,,,,Central Oregon 49ers Faithful,George,Bravo,CO49ersFaithful@gmail.com,Redmond,OR,United States,Redmond Oregon,495 NW 28th St,1.0,,,,,,,dcbb58a3-91a8-4b6b-a7d1-fcfcb4b5c5ba -,3108979404,,,,,,,,Westside 9ers,Naimah,Shamsiddeen,coachnai76@gmail.com,Carson,CA,United States,Los Angeles,1462 E Gladwick St,20.0,,,,,,,c9767f63-b044-409a-96ef-16be4cb3dc9f -,2173173725,,,,,,,,Niner Empire Illinois Chapter,Max,Tuttle,crystaltarrant@yahoo.com,Mattoon,Illinois,United States,"residence, for now",6 Apple Drive,6.0,,,,,,,722b3236-0c08-4ae6-aa84-f917399cc077 -,2089642981,,,,,,,,Treasure Valley 49er Faithful,Curt,Starz,cstarman41@yahoo.com,Star,ID,United States,The Beer Guys Saloon,10937 W State St,50.0,https://www.facebook.com/TV49erFaithful/,,,,,,b62c31fd-d06e-4e38-b6da-5c9f4259a588 -,2039484616,,,,,,,,Ct faithful chapter,Tim,Maroney,ct49erfaithful@gmail.com,stamford,ct,United States,buffalo wild wings,208 summer st,33.0,,,,,,,e0da3bfc-c3dc-4576-9d0a-88c90a3f39ec -,3057780667,,,,,,,,305 FAITHFUL EMPIRE,Damien,Lizano,damien.lizano@yahoo.com,Miami,FL,United States,Walk-On's,9065 SW 162nd Ave,18.0,,,,,,,7a1980ac-ca6a-4b85-8478-a7fb23796fd3 -,1415902100,,,,,,,,Fillmoe SF Niners Nation Chapter,Daniel,Landry,danielb.landry@yahoo.com,San Francisco,CA,United States,Honey Arts Kitchen by Pinot's,1861 Sutter Street,16.0,,,,,,,279042a3-3681-41c1-bed1-68c8a111c458 -,6199949071,,,,,,,,49ers So Cal Faithfuls,Daniel,Hernandez,danielth12@yahoo.com,Oxnard,CA,United States,So Cal (Various locations with friends and family),3206 Lisbon Lane,4.0,,,,,,,6a6c69b0-a778-4411-8f63-268d28c48062 -,(817) 675-7644,,,,,,,,Niner Empire DFW,Danny,Ramirez,dannyramirez@yahoo.com,Arlington,TX,United States,Walk-Ons Bistreaux,Walk-Ons Bistreaux,75.0,www.facebook.com/ninerempiredfw,,,,,,3335203d-008c-419d-bf12-66d7951910a4 -,(505) 480-6101,,,,,,,,Duke City Faithful Niner Empire,Danny,Roybal,dannyroybal505@gmail.com,Albuquerque,NM,United States,Duke City Bar And Grill,6900 Montgomery Blvd NE,93.0,www.facebook.com/@dukecityfaithful505,,,,,,707406f0-991f-4392-828c-4a42b6520e72 -,8089545569,,,,,,,,49ers @ Champions,Davis,Price,daprice80@gmail.com,Honolulu,Hawaii,United States,Champions Bar and Grill,1108 Keeaumoku St,12.0,,,,,,,20807c32-7f81-4d4e-8e04-0e9a3a3b1eca -,870-519-9373,,,,,,,,Natural State Niners Club,Denishio,Blanchett,dblanchett@hotmail.com,Jonesboro,AR,United States,"Buffalo Wild Wings, Jonesboro, AR",Buffalo Wild Wings,18.0,,,,,,,0c0ac4aa-5abe-48bd-8045-4f8b45ed8fb9 -,7706664527,,,,,,,,49er Empire - Georgia Chapter,Brian,Register,Deathfrolic@gmail.com,Marietta,ga,United States,Dave & Busters of Marietta Georgia,2215 D and B Dr SE,23.0,https://www.facebook.com/49erEmpireGeorgiaChapter,,,,,,8a6912ea-1ef2-4a99-b9b5-1cc6de5e6d3d -,(928) 302-6266,,,,,,,,San Francisco 49ers of San Diego,Denise,Hines,denisehines777@gmail.com,San Diego,CA,United States,Moonshine Beach,Moonshine Beach Bar,80.0,,,,,,,2105468b-1c9d-4fc5-a238-00bde2262266 -,5204147239,,,,,,,,Sonoran Desert Niner Empire,Derek,Yubeta,derek_gnt_floral@yahoo.com,Maricopa,AZ,United States,Cold beers and Cheeseburgers,20350 N John Wayne pkwy,50.0,Facebook Sonoran Desert Niner Empire,,,,,,2cb6aa09-8f3f-4d8b-8a91-872b9df2c079 -,315-313-8105,,,,,,,,49ers Empire Syracuse 315 Chapter,Dexter,Grady,Dexgradyjr@gmail.com,Syracuse,NY,United States,Change of pace sports bar,1809 Grant Blvd,233.0,Facebook 49ers Empire Syracuse 315 Chapter,,,,,,f4650f32-069d-4dcf-a62b-7a932bf764f5 -,8058901997,,,,,,,,Niner Empire Ventura Chapter,Diego,Rodriguez,diegoin805@msn.com,Ventura,CA,United States,El Rey Cantina,El Rey Cantina,20.0,,,,,,,94cf7a13-54e9-4f3f-9727-ce07107552f2 -,(717) 406-4494,,,,,,,,540 Faithfuls of the Niner Empire,Derrick,Lackey Sr,djdlack@gmail.com,Fredericksburg,VA,United States,Home Team Grill,1109 Jefferson Davis Highway,8.0,,,,,,,4a253d76-a16b-40bf-aefe-61f1140f69e8 -,8134588746,,,,,,,,Ninerempire Tampafl Chapter,john,downer,downer68@gmail.com,tampa,fl,United States,Ducky's,1719 eest Kennedy blvd,25.0,,,,,,,2ca51d2d-6d15-4b84-9e66-98cff363ae64 -,5857393739,,,,,,,,Gold Diggers,Drew,Nye,drewnye@me.com,Rochester,New York,United States,The Blossom Road Pub,196 N. Winton Rd,12.0,,,,,,,91dd0e08-1fd4-41a5-8280-ff2e74a49b42 -,2545482581,,,,,,,,Niner Empire Waco Chapter,Dustin,Weins,dustinweins@gmail.com,Waco,TX,United States,Salty Dog,2004 N. Valley Mills,36.0,https://www.facebook.com/groups/Waco49ersFans/,,,,,,31438176-2075-4285-b76d-e19ddf0d95e2 -,9253823429,,,,,,,,Niner Empire of Brentwood,Elvin,Geronimo,e_geronimo@comcast.net,Brentwood,CA,United States,Buffalo Wild Wings,6051 Lone Tree Way,30.0,,,,,,,92abbcf2-007c-4a82-ba94-c714408b3209 -,7173301611,,,,,,,,"NinerEmpire of Lancaster, PA",Eli,Jiminez,Eli@GenesisCleans.com,Lancaster,PA,United States,PA Lancaster Niners Den,2917 Marietta Avenue,50.0,https://www.facebook.com/NinerEmpireLancasterPA,,,,,,33431983-0ac8-446b-859d-5e914de5e39c -,9156671234,,,,,,,,Empire Tejas 915- El Paso TX,Jr,& Yanet Esparza,empiretejas915@gmail.com,El Paso,Tx,United States,EL Luchador Taqueria/Bar,1613 n Zaragoza,28.0,,,,,,,6080ae1d-807f-4993-825f-a30efba9a4eb -,9168221256,,,,,,,,Capitol City 49ers fan club,Erica,medina,Erica.medina916@gmail.com,West Sacramento,CA,United States,Burgers and Brew restaurant,317 3rd St,80.0,,,,,,,27d663fa-1559-4437-8827-7dabba59fdb0 -,6269276427,,,,,,,,Golden Empire Hollywood,Ernie,Todd Jr,ernietoddjr@gmail.com,Los Angeles,CA,United States,Nova Nightclub,7046 Hollywood Blvd,10.0,,https://www.instagram.com/goldenempire49ers/,,,,,c5c601cd-9301-4c5f-b543-c104bcb593cb -,7202714410,,,,,,,,Spartan Niner Empire Denver,Esley,Sullivan,esulli925@gmail.com,Denver,CO,United States,Downtown Denver,In transition,9.0,Facebook: Spartans of Denver,,,,,,c02ab082-523d-4fa4-9ee6-ed56ca2b07b4 -,3244765148,,,,,,,,49er empire of Frisco Texas,Frank,Murillo,f.murillo75@yahoo.com,Frisco,TX,United States,The Irish Rover Pub & Restaurant,8250 Gaylord Pkwy,150.0,,,,,,,779256ad-df3f-4159-ae6a-c3e0dd536502 -,7079804862,,,,,,,,FAIRFIELD CHAPTER,CHARLES,MCCARVER JR,FAIRFIELDCHAPTER49@gmail.com,Fairfield,CA,United States,Legends Sports Bar & Grill,3990 Paradise Valley Rd,24.0,https://www.facebook.com/pages/NINER-Empire-Fairfield-Chapter/124164624589973,,,,,,3e509642-808b-4900-bbe9-528c62bd7555 -,5302434949,,,,,,,,Shasta Niners,Ruth,Rhodes,faithful49erfootball@yahoo.com,Redding,CA,United States,Shasta Niners Clubhouse,4830 Cedars Rd,80.0,,,,,,,b90b0461-013f-4970-9097-1b15f9708b3c -,4156021439,,,,,,,,NINER EMPIRE FREMONT CHAPTER,Elmer,Urias,fanofniners@gmail.com,Fremont,CA,United States,Buffalo Wild Wings,43821 Pacific Commons Blvd,22.0,,,,,,,1d8a9355-cc45-49c5-a3f4-35be92f8f263 -,701-200-2001,,,,,,,,Fargo 49ers Faithful,Sara,Wald,Fargo49ersFaithful@gmail.com,Fargo,ND,United States,Herd & Horns,1414 12th Ave N,25.0,,,,,,,ad1580de-5b95-44a5-8d08-50326e67d89e -,5309022915,,,,,,,,49ER ORIGINALS,Noah,Abbott,flatbillog@gmail.com,Redding,CA,United States,BLEACHERS Sports Bar & Grill,2167 Hilltop Drive,50.0,http://www.facebook.com/49ERORIGINALS,,,,,,97bf71f0-276c-4169-8f77-a5a3e0cd98c4 -,8439910310,,,,,,,,"49er Flowertown Empire of Summerville, SC",Michele,A. McGauvran,FlowertownEmpire@yahoo.com,Summerville,South Carolina,United States,Buffalo Wild Wings,109 Grandview Drive #1,20.0,,,,,,,d458ca78-3784-4c95-863b-02141f054063 -,(321) 684-1543,,,,,,,,49ers of Brevard County,Anthony,Lambert,football_lambert@yahoo.com,Port St Johns,FL,United States,Beef O'Bradys in Port St. Johns,3745 Curtis Blvd,5.0,,,,,,,0ca56830-c077-47eb-9d08-bf16439aa81c -,9092227020,,,,,,,,Forever Faithful Clique,Rosalinda,Arvizu,foreverfaithfulclique@gmail.com,San Bernardino,CA,United States,The Study Pub and Grill,5244 University Pkwy Suite L,10.0,,,,,,,d1b0fea8-9de5-405a-b4c3-fecb6802f4a2 -,9098090868,,,,,,,,49ERS FOREVER,BOBBY,MENDEZ,FORTY49ERS@GMAIL.COM,REDLANDS,CALIFORNIA,United States,UPPER DECK,1101 N. CALIFORNIA ST.,80.0,,,,,,,7084ad06-71a2-474b-90da-6d4d73a464f6 -,6612050411,,,,,,,,Thee Empire Faithful Bakersfield,Faustino,Gonzales,frgonzales3@hotmail.com,Bakersfield,Ca,United States,Senor Pepe's Mexican Restaurant,8450 Granite Falls Dr,20.0,https://www.facebook.com/Thee-Empire-Faithful-Bakersfield-385021485035078/,,,,,,1e1b971b-7526-4a6c-8bd1-853e2032ba8e -,3109022071,,,,,,,,Saloon Suad,Gary,Fowler,garymfowler2000@gmail.com,Los Angeles,ca,United States,San Francisco Saloon Bar,11501,20.0,,,,,,,c888853d-5055-438c-99f8-9a9904fd76a8 -,7028602312,,,,,,,,Troy'a chapter,Gerardo,Villanueva,gerardovillanueva90@gmail.com,Troy,OH,United States,Viva la fiesta restaurant,836 w main st,12.0,,,,,,,7f67a44b-ea78-4a7e-93f5-4547ff11131a -,9099130140,,,,,,,,Niner Empire IE Chapter,Gabriel,Arroyo,gfarroyo24@gmail.com,San Bernardino,California,United States,Don Martins Mexican Grill,1970 Ostrems Way,50.0,http://www.facebook.com/#!/ninerempire.iechapter/info,,,,,,d4ddc730-0f2c-48df-8619-b836dd3fff4b -,2095701072,,,,,,,,20916 Faithful,Joe,Trujillo,gina.trujillo@blueshieldca.com,Elk Grove,CA,United States,Sky River Casino,1 Sky River Parkway,25.0,,,,,,,d99e6edc-f0db-4c16-a36c-2f4fd0a28283 -,6265396855,,,,,,,,SO. CAL GOLD BLOODED NINER'S,Louie,Gutierrez,goldbloodedniner1949@gmail.com,Hacienda heights,CA,United States,SUNSET ROOM,2029 hacinenda blvd,20.0,Facebook group page/instagram,,,,,,756f1c00-e01c-4363-b610-0714cdfc68c2 -,3053603672,,,,,,,,"South Florida's Faithful, Niner Empire",Dawn,Renae Desborough,golden49ergirl@gmail.com,Homestead,Fl,United States,Chili's in Homestead,2220 NE 8TH St.,10.0,https://www.facebook.com/southfloridafaithfuls,,,,,,7a78bff4-77a2-4643-ac32-4512cc4ce4b0 -,4804527403,,,,,,,,Cesty's 49ers Faithful,Pablo,Machiche,gomez_michelle@hotmail.com,Chandler,AZ,United States,Nando's Mexican Cafe,1890 W Germann Rd,25.0,,,,,,,e04aeb81-fae7-466f-8911-791a353ee3f4 -,(956) 342-2285,,,,,,,,Niner Gang Empire,Marquez,Gonzalez,gonzalezdanny1493@gmail.com,EDINBURG,TX,United States,Danny Bar & Grill,4409 Adriana,2.0,,,,,,,a34c9b30-182f-42c0-a8a5-258083109556 -,7852700872,,,,,,,,The Bell Ringers,Gretchen,Gier,gretchengier@gmail.com,Manhattan,KS,United States,Jeff and Josie Schafer's House,1517 Leavenworth St.,10.0,,,,,,,4df8603b-757c-4cb8-b476-72e4c2a343da -,5627391639,,,,,,,,O.C. NINER EMPIRE FAITHFUL'S,Angel,Grijalva,angelgrijalva4949@gmail.com,Buena park,CA,United States,Ciro's pizza,6969 la Palma Ave,10.0,,,,,,,4e0bba17-56d7-466b-8391-4000245ed73a -,8176757644,,,,,,,,Niner Empire DFW,Danny,Ramirez,grimlock49@gmail.com,Bedford,TX,United States,Papa G's,2900 HIGHWAY 121,50.0,,,,,,,40693c50-8e07-4fb8-a0bc-ecf3383ce195 -,2092624468,,,,,,,,Hilmar Empire,Brian,Lopes,Hilmar49Empire@yahoo.com,Hilmar,Ca,United States,Faithful House,7836 Klint dr,10.0,,,,,,,5d6b4504-ce14-49a1-a1ab-0b8147f15e26 -,3045082378,,,,,,,,49ers of West Virginia,Herbert,Moore IV,hmoore11@pierpont.edu,Bridgeport,WV,United States,Buffalo WIld Wings,45 Betten Ct,2.0,,,,,,,d7a360ca-83b2-442a-ae2a-3079163febff -,6185593569,,,,,,,,618 Niner Empire,Jared,Holmes,holmesjared77@gmail.com,Carbondale,IL,United States,"Home Basement aka """"The Local Tavern""""",401 N Allyn st,3.0,,,,,,,f8a5299d-77bd-414e-acad-c6ad306d4ce2 -,808-989-0030,,,,,,,,NINER EMPIRE HAWAII 808,KEVIN,MEWS,HOODLUMSAINT@YAHOO.CM,HONOLULU,HI,United States,DAVE AND BUSTERS,1030 AUAHI ST,40.0,,,,,,,67232110-4863-40da-be01-a95147537a9c -,(808) 989-0030,,,,,,,,NINER EMPIRE HAWAII 808,KEVIN,MEWS,hoodlumsaint@yahoo.com,Honolulu,HI,United States,Buffalo Wild Wings -Pearl City,1644 Young St # E,25.0,,,,,,,eee2e97f-1d1f-4552-abbf-c615e64f8377 -,8323734372,,,,,,,,H-Town Empire,Cedric,Robinson,htownempire49@gmail.com,Houston,Tx,United States,Skybox Bar and Grill,11312 Westheimer,30.0,,,,,,,b107099e-c089-4591-a9a9-9af1a86cfde1 -,6015691741,,,,,,,,Hub City Faithful,Alan,Thomas,Hubcityfaithful@gmail.com,Hattiesburg,Mississippi,United States,Mugshots,204 N 40th Ave,12.0,,,,,,,3053cc3e-569a-45b7-88bc-71976c4cc078 -,4043191365,,,,,,,,Spartan Niner Empire Georgia,Idris,Finch,idrisfinch@gmail.com,Duluth,GA,United States,Bermuda Bar,3473 Old Norcross Rd,100.0,,,,,,,d0ceeb91-609f-4cb2-acc1-15de88158b28 -,6462357661,,,,,,,,Westchester County New York 49ers Fans,Victor,Delgado aka 49ers Matador,IhateSherman@49ersMatador.com,Yonkers,New York,United States,"We meet at 3 locations, Burkes Bar in Yonkers, Matador's Fan Cave and Finnerty's",14 Troy Lane,46.0,https://www.facebook.com/groups/250571711629937/,,,,,,c220a934-4ad4-495a-bfeb-221372e9720a -,8319702480,,,,,,,,Niner Empire 831,Luis,Pavon,info@ninerempire831.com,Salinas,Ca,United States,Straw Hat Pizza,156 E. Laurel Drive,30.0,,,,,,,604a9fae-f09d-4da2-af38-438179acb910 -,5033080127,,,,,,,,Niner Empire Portland,Joshua,F Billups,info@ninerempirepdx.com,Clackamas,Oregon,United States,Various,14682 SE Sunnyside Rd,25.0,,,,,,,b10f5432-4dd0-4a27-a4c9-e15a68753edf -,2815464828,,,,,,,,49ers Empire Galveston County Chapter,Terrance,Bell,info@terrancebell.com,Nassau Bay,TX,United States,Office,1322 Space Park Dr.,9.0,,,,,,,e4c645ab-b670-44c3-8ea2-f13dd0870bf5 -,4153707725,,,,,,,,NINER EMPIRE,Joe,Leonor,info@theninerempire.com,Brisbane,Ca,United States,7 Mile House,2800 Bayshore Blvd,8000.0,,,,,,,95c25b54-1ac7-40ec-8ec2-09fc59b3da17 -,6173350380,,,,,,,,Boston San Francisco Bay Area Crew,Isabel,Bourelle,isabou@alumni.stanford.edu,Boston,MA,United States,The Point Boston,147 Hanover Street,50.0,https://www.facebook.com/groups/392222837571990/,,,,,,8676e40c-bf96-41ec-903d-cffc999b853e -,6173350380,,,,,,,,49ers Faithful of Boston,Isabel,Bourelle,isabou@mit.edu,Boston,MA,United States,"The Point, Boston, MA",147 Hanover Street,100.0,https://www.facebook.com/49ersfanBoston,,,,,,3a3e2b88-2f04-4094-a58d-8681775b625f -,9098153880,,,,,,,,Riverside 49ers Booster Club,Gus,Esmerio,ismerio77@gmail.com,Riverside,California,United States,Lake Alice Trading Co Saloon &Eatery,3616 University Ave,20.0,,,,,,,dc830ca3-fe01-43bb-aa7e-d5bb75247b56 -,3187893452,,,,,,,,318 Niner Empire,Dwane,Johnson (Jayrock),jayrock640@yahoo.com,Monroe,La.,United States,318 Niner Empire HQ,400 Stone Ave.,35.0,,,,,,,9ca185c4-2ab6-46d9-a059-e7720899647c -,5127872407,,,,,,,,The Austin Faithful,Jeffrey,Cerda,jeffcerda12@gmail.com,Austin,TX,United States,8 Track,2805 Manor Rd,100.0,,,,,,,ade1fdc7-d2b5-4276-8e34-4df3075e37a0 -,5599677071,,,,,,,,Niner Empire San Antonio,Jesus,Archuleta,jesusarchuleta@hotmail.com,San Antonio,TX,United States,Sir Winston's Pub,2522 Nacogdoches Rd.,150.0,,,,,,,72248fc0-155b-4ffe-ad5a-e95e236e24ed -,5097684738,,,,,,,,NINER EMPIRE OF THE 509,JESUS,MACIAS,jesusmaciasusarmy@yahoo.com,Spokane,WA,United States,Mac daddy's,"808 W Main Ave #106, Spokane, WA 99201",25.0,,,,,,,cd737922-c027-40d2-a322-f81f17c69e0f -,19496329301,,,,,,,,SOCAL OC 49ERS,James,Di Cesare Jr,jjandadice@gmail.com,Newport Beach,CA,United States,The Blue Beet,107 21st Place,25.0,,,,,,,9ff1a8da-a565-4e98-a33e-9fe617c7ad79 -,7027692152,,,,,,,,Sin City Niner Empire,Jay,Patrick Bryant-Chavez,jly4bby@yahoo.com,Henderson,NV,United States,Hi Scores Bar-Arcade,65 S Stephanie St.,10.0,,,,,,,9b748d0a-b684-462a-9731-d5d0141a0d06 -,2093862570,,,,,,,,Central Valley 9er Faithful,Jenn,Palacio,jm_palacio32@yahoo.com,Turlock,CA,United States,Mountain Mike's,409 S Orange St.,12.0,,,,,,,c0edc149-153d-42e6-8520-aba4174b832d -,4089104105,,,,,,,,Niner Squad,Joseph,Perez,joeperez408@gmail.com,San Jose,CA,United States,"4171 Gion Ave San Jose,Ca",4171 Gion Ave,25.0,,,,,,,5c2b13a8-60d9-4cef-b757-97a6b0b988e4 -,2094897540,,,,,,,,merced niner empire,john,candelaria sr,johncandelariasr@gmail.com,merced,ca,United States,round table pizza,1728 w olive ave,12.0,,,,,,,6847f646-5383-4226-bcf1-4059695eba82 -,7604120919,,,,,,,,NINERS ROLLIN HARD IMPERIAL VALLEY CHAPTER,Juan,Vallejo,johnnyboy49.jv@gmail.com,Brawley,CA,United States,SPOT 805,550 main Street,45.0,,,,,,,7f347e49-2ac2-418e-a6f1-2614ea23040a -,3856257232,,,,,,,,Tooele County 49ers,Jon,Proctor,jonproctor1@msn.com,TOOELE,UT,United States,"Pins and Ales - 1111 N 200 W, Tooele, UT 84074",1111 N 200 W,30.0,https://www.facebook.com/groups/173040274865599,,,,,,52d1de92-c675-4381-b931-2de6bb638966 -,3165194699,,,,,,,,49ers united of wichita ks,Josh,Henke,Josh.Henke@pioneerks.com,Wichita,KS,United States,Hurricane sports grill,8641 w 13th st suite 111,206.0,Facebook 49ers united of wichita ks,,,,,,4d21411d-a062-4659-9d06-c1f051ab864c -,8282919599,,,,,,,,828 NCNINERS,Jovan,Hoover,Jovan.hoover@yahoo.com,Hickory,NC,United States,Coaches Neighborhood Bar and Grill,2049 Catawba Valley Blvd SE,10.0,,,,,,,c3764610-9b72-46b7-81fa-2f7d5876ac89 -,3207749300,,,,,,,,Chicago 49ers Club,Jonathan,West,jswest33@yahoo.com,Chicago,IL,United States,The Globe Pub,1934 West Irving Park Road,12.0,,,,,,,d5af1ee6-11a8-42e5-8f8e-08e77ee097e9 -,5033174024,,,,,,,,Niner Empire Vancouver,Justin,Downs,justin.downs25@yahoo.com,Vancouver,WA,United States,Heathen feral public house,1109 Washington St,567.0,,,,,,,19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9 -,7572565334,,,,,,,,Hampton Roads Niners Fanatics,Steve,Mead,kam9294@gmail.com,Hampton,VA,United States,Nascar Grille,1996 Power Plant Parkway,65.0,,,,,,,3d40d597-6ecb-451f-ac63-3516c5862d1f -,(859) 991-8185,,,,,,,,Cincy Faithful,Joshua,Karcher,karch03@gmail.com,Newport,KY,United States,Buffalo Wild Wings,83 Carothers Rd,4.0,,,,,,,81e7066a-e9e2-41cb-814c-fc579fe33401 -,4058028979,,,,,,,,Southside OKC Faithful Niners,Gary,Calton,kat1031@hotmail.com,Oklahoma City,Oklahoma,United States,CrosseEyed Moose,10601 Sout Western Ave,6.0,,,,,,,1b7e81f4-86ee-42fa-a98a-2fec2152c9d9 -,7078899236,,,,,,,,707 FAITHFULS,Enrique,Licea,keakslicea@yahoo.com,Wine country,CA,United States,Wine country,"Breweries, restaurant's, wineries, private locations",1000.0,,707 faithfuls ( INSTAGRAM),,,,,ef756711-1e5b-43d7-bd85-751f5b5126e2 -,6623134320,,,,,,,,NINER EMPIRE MEMPHIS CHAPTER,Kenita,Miller,kenitamiller@hotmail.com,Memphis,Tennessee,United States,360 Sports Bar & Grill,3896 Lamar Avenue,40.0,,,,,,,90ad117c-76c2-4be3-acb7-c5ccaa2159e8 -,(843) 437-3101,,,,,,,,Chucktown Empire 49ers of Charleston,Kentaroe,Jenkins,KENTAROEJENKINS@gmail.com,North Charleston,SC,United States,Chill n' Grill Sports bar,"2810 Ashley Phosphate Rd A1, North Charleston, SC 29418",20.0,https://m.facebook.com/groups/1546441202286398?ref=bookmarks,,,,,,bc500cec-4845-4282-897d-ffe1080962ff -,7278359840,,,,,,,,Spartans Niner Empire Florida,Ram,Keomek,keomekfamily@yahoo.com,Tampa,FL,United States,Ducky's Sports Bar,1719 Kennedy Blvd,12.0,Spartans Empire Florida (Facebook),,,,,,3d65bb01-ff6b-4762-b55f-f59d5d63e057 -,4159871795,,,,,,,,Palm Springs Area 49er Club,Kevin,Casey,kevincasey61@gmail.com,Palm Springs,CA,United States,The Draughtsmen,1501 N Palm Canyon,15.0,,,,,,,5cb997b6-0b71-405b-8f77-9bb3e30b05bb -,907351-8367,,,,,,,,49th State Faithful,James,Knudson,knudson73@gmail.com,Anchorage,AK,United States,Al's Alaskan Inn,7830 Old Seward Hwy,202.0,Facebook 49th State Faithful,,,,,,dab5ce35-eacc-4dc0-8b7e-6a6d211e1ce7 -,6232241316,,,,,,,,49er faithful of Arizona ( of the West Valley ),Koni,Raes,koniraes@hotmail.com,Surprise,Az,United States,"Booty's Wings, Burgers and Beer Bar and Grill",15557 W. Bell Rd. Suite 405,10.0,,,,,,,5a3593c9-b29b-4e06-b60f-fe67588ac4ef -,19096849033,,,,,,,,NINER CORE,Mike,Fortunato,Krazymyk909@gmail.com,Bloomington,CA,United States,Traveling chapter,18972 Grove pl,30.0,,,,,,,ac244352-e9fb-4c4f-b0ef-ce93f5f39df0 -,9168380550,,,,,,,,Forever Faithful RGV (Rio Grande Valley),Karen,Schmidt,ktschmidt@sbcglobal.net,McAllen,TX,United States,My Place,410 N 17th St,1.0,,,,,,,bd0657d5-8de9-47d3-a690-57824c2f2fbb -,9166065299,,,,,,,,49ers Sacramento Faithfuls,Leo,Placencia lll,leoplacencia3@yahoo.com,West Sacramento,CA,United States,Kick N Mule Restaurant and Sports Bar,2901 W Capitol Ave,250.0,,Instagram page 49erssacramentofaithfuls,,,,,bdfda1af-97ad-4ce2-ba84-76824add8445 -,9098964162,,,,,,,,SO. CAL GOLDBLOOED NINERS,Louie,Gutierrez,Lglakers@aol.com,Industry,CA,United States,Hacienda nights pizza co.,15239 Gale ave,20.0,,,,,,,84a95dd1-6640-4a78-937a-acb9dab23601 -,5105867089,,,,,,,,Niner Empire Hayward chapter,Raul,Sosa,lidiagonzales2001@comcast.net,Hayward,Ca,United States,Strawhat pizza,1163 industrial pkwy W,30.0,,,,,,,0f046820-2a39-4b2d-9925-cec153cbe8cb -,6412033285,,,,,,,,49ers Empire Iowa Chapter,Lisa,Wertz,lisemo73@yahoo.com,Chariton,Iowa,United States,Shoemakers Steak House,2130 Court Ave,194.0,https://www.facebook.com/groups/247559578738411/,,,,,,ee9360bb-fe33-4514-8dac-270ea7d42539 -,5598923919,,,,,,,,Niner Empire of Fresno,Luis,Lozano,llozano_316@hotmail.com,Fresno,CA,United States,Round Table Pizza,5702 N. First st,215.0,Http://facebook.com/theninerempireoffresno,,,,,,387329b0-fc59-4ffd-97ba-258ed14d4185 -,8602057937,,,,,,,,Connecticut Spartan Niner Empire,Maria,Ortiz,Lollie_pop_style@yahoo.com,East Hartford,Connecticut,United States,Silver Lanes Lounge,748 Silverlane,13.0,,,,,,,63414b29-616c-402e-a076-1034e6e9f5a8 -,2814602274,,,,,,,,"Niner Empire Houston, TX Chapter",Lorenzo,Puentes,Lorenzo@squadrally.com,Houston,Texas,United States,Little J's Bar,5306 Washington Ave,175.0,https://www.facebook.com/NinerEmpireHTX,,,,,,6c8cd651-9f25-436d-abf4-b32fb74b78e3 -,2814085420,,,,,,,,"Niner Empire Houston, TX",lorenzo,puentes,lorenzoflores88@gmail.com,Houston,Texas,United States,coaches I-10,17754 Katy Fwy #1,150.0,https://m.facebook.com/NinersFaithfulHTX,,,,,,bc4fcf59-dcf6-42bf-ae74-c7a815569099 -,6265396855,,,,,,,,SO. CAL GOLD BLOODED NINER'S,Louie,Gutierrez,louchekush13@gmail.com,Industry,CA,United States,Hacienda heights Pizza Co,15239 Gale Ave,25.0,Facebook group page/instagram,,,,,,ad9a0664-8bf1-4916-b5d3-ca796916e0a5 -,5593597047,,,,,,,,the 559 ers,jose,Ascencio,luey559@gmail.com,porterville,CA,United States,landing 13,landing 13,10.0,,,,,,,52686405-7db2-48bd-a10c-2b98b58451dd -,3105705415,,,,,,,,Billings Niners Faithful,Lukas,Seely,lukas_seely@hotmail.com,Billings,MT,United States,Craft B&B,2658 Grand ave,42.0,https://www.facebook.com/groups/402680873209435,,,,,,f7feddb7-c9cc-4e58-85ec-44e947a9f370 -,9016909484,,,,,,,,901 9ers,Darrick,Pate,lydellpate@yahoo.com,Memphis,Tn,United States,Prohibition,4855 American Way,50.0,,,,,,,21a4b527-ff93-49d5-9c4a-922e5837f99e -,5127738511,,,,,,,,Tulsa 49ers Faithful,Marcus,Bell,marcusbw82@hotmail.com,Tulsa,OK,United States,Buffalo Wild Wings,6222 E 41st St,140.0,https://www.facebook.com/groups/313885131283800/,,,,,,5da5b69a-9c78-42c3-a5b5-97c12fe93f4b -,4086853231,,,,,,,,The Niner Empire - 405 Faithfuls - Oklahoma City,Maria,Ward,mariaward.jd@gmail.com,Oklahoma City,OK,United States,The Side Chick 115 E. California Ave,5911 Yale Drive,50.0,https://www.facebook.com/share/FZGC9mVjz3BrHGxf/?mibextid=K35XfP,,,,,,fd0f4a51-00f4-43bc-9e72-38a882537ea7 -,7605404093,,,,,,,,Niner Empire Imperial Valley,Mario,A Garcia Jr,mario_g51@hotmail.com,Brawley,Ca,United States,Waves Restaurant & Saloon,621 S Brawley Ave,7.0,,,,,,,0ea1991e-ce7a-4816-88be-3d301d3577f9 -,6234519863,,,,,,,,East Valley Faithful,Mark,Arellano,markatb3@aol.com,Gilbert,AZ,United States,TBD,5106 South Almond CT,20.0,,,,,,,361e1137-b81b-4658-8e63-233f215b8087 -,(360) 970-4784,,,,,,,,360 Niner Empire,Marcus,Dela Cruz,markofetti@yahoo.com,Lacey,WA,United States,Dela Cruz Residence,1118 Villanova St NE,20.0,,,,,,,ec208909-5357-48a2-8750-4063c4a7bd2e -,8042106332,,,,,,,,49ers Booster Club of Virginia,Chris,Marshall,marshalchris@yahoo.com,Mechanicsville,Virginia,United States,Sports Page Bar & Grill,8319 Bell Creek Rd,10.0,,,,,,,bcd28f5c-8785-447e-903c-d829768bb4d7 -,3605931626,,,,,,,,Niner Empire Tampa,Matthew,Pascual,matthew.pascual@gmail.com,Tampa,FL,United States,The Bad Monkey,1717 East 7th Avenue,18.0,https://www.facebook.com/NinerEmpireTampa,,,,,,ede4a3ad-bdf2-4782-91c6-faf8fae89a2f -,4062441820,,,,,,,,49ers Faithful Montana State,Melissa,Kirkham,Melissared72@hotmail.com,Missoula,MT,United States,Not yet determined,415 Coloma Way,40.0,https://www.facebook.com/groups/2370742863189848/,,,,,,432532ef-de67-4373-bf0d-f4608266f555 -,3615632198,,,,,,,,49ers Fan club,Jess,Mendez,mendez0947@sbcglobal.net,Corpus Christi,Texas,United States,Click Paradise Billiards,5141 Oakhurst Dr.,25.0,,,,,,,80d1ffb6-f3ca-4ca1-b4f7-a373ea53573e -,6613438275,,,,,,,,Niner Empire Delano,mike,uranday,michaeluranday@yahoo.com,Delano,ca,United States,Aviator casino,1225 Airport dr,20.0,,,,,,,07c46b33-d48c-4dee-b35b-ff3bec33eef1 -,6159537124,,,,,,,,Mid South Niner Empire,Tyrone,J Taylor,midsouthninerempire@gmail.com,Nashville,TN,United States,Winners Bar and Grill,1913 Division St,12.0,,,,,,,dd827169-d413-4ef9-b9e3-38e612db449a -,6465429352,,,,,,,,49ers Empire New York City,Miguel,Ramirez,miguel.ramirez4@aol.com,New York,New York,United States,Off The Wagon,109 MacDougal Street,15.0,,,,,,,151fbf5f-baa0-4d13-bb7d-6f9484355e78 -,7605879798,,,,,,,,49er Empire High Desert,Mike,Kidwell (president),mikekid23@gmail.com,hesperia,California,United States,Thorny's,1330 Ranchero rd.,100.0,,,,,,,c758e93b-3a3e-4c2f-990b-1bf9f1cdd6ca -,3038425017,,,,,,,,Mile High 49ers,Howard,Gibian,milehigh49ers@gmail.com,Denver,Colorado,United States,IceHouse Tavern,1801 Wynkoop St,15.0,,,,,,,7747fcc1-0f07-4288-a19f-abc06417eb6b -,(323) 440-3129,,,,,,,,NOCO 49ers,Ryan,Fregosi,milehigh49ersnoco@gmail.com,Windsor,CO,United States,The Summit Windsor,4455 N Fairgrounds Ave,677.0,,,,,,,1f6566d0-b6a6-47ef-a8e9-9d1b224cc080 -,4142429903,,,,,,,,Milwaukee Spartans of the Niner Empire,Brandon,Rayls,Milwaukeespartan@gmail.com,Wauwatosa,WI,United States,jacksons blue ribbon pub,11302 w bluemound rd,5.0,,,,,,,d55f08cc-5a12-4a6e-86bd-cfd1fa971c6a -,3257165662,,,,,,,,SAN ANGELO NINER EMPIRE,pablo,barrientod,mireyapablo@yahoo.com,san angelo,tx,United States,buffalo wild wings,4251 sherwoodway,15.0,,,,,,,a900674a-7b19-4726-ad29-6f76b4a62bc1 -,5802848928,,,,,,,,580 FAITHFUL,Lowell,Mitchusson,Mitchussonld44@gmail.com,Devol,OK,United States,APACHE LONE STAR CASUNO,"Devol, Oklahoma",10.0,,,,,,,56657395-bdb0-4536-9a50-eb97ee18fe5c -,9373974225,,,,,,,,49ers of Ohio,Monica,Leslie,mleslie7671@yahoo.com,Xenia,Ohio,United States,Cafe Ole',131 North Allison Ave,15.0,,,,,,,b63253fb-6099-4b92-9b87-399ee88f27e5 -,3073653179,,,,,,,,307 FAITHFUL,Michael,Mason,mmason123169@gmail.com,Cheyenne,WY,United States,"4013 Golden Ct, Cheyenne, Wyoming",4013 Golden Ct,2.0,,,,,,,793b2d4e-9ad4-495e-bf5e-f84dd09aedf9 -,7609277246,,,,,,,,Mojave Desert 49er Faithfuls,Nicole,Ortega,mojavedesert49erfaithfuls@gmail.com,Apple Valley,CA,United States,Gator's Sports Bar and Grill - Apple Valley,21041 Bear Valley Rd,40.0,,,,,,,83a7cb36-feee-4e71-9dea-afa5b17fbe7c -,9153463686,,,,,,,,The Dusty Faithful,Alejandro,Montero,monterophoto@aol.com,Socorro,TX,United States,The Dusty Tap Bar,10297 Socorro Rd,45.0,,,,,,,d95611e2-f59d-4bdf-9cc3-67417117f372 -,5055451180,,,,,,,,The Duke City Faithful,David,Young,mr49ers16@gmail.com,Albuquerque,N.M.,United States,Buffalo wild wings,6001 iliff rd.,20.0,,,,,,,451a785e-6805-4a2e-841b-ac6e5e648c7f -,5203719925,,,,,,,,Emilio,Bustos,,mraztecacg520@hotmail.com,Casa grande,Arizona(AZ),United States,Liquor factory bar and deli,930 E Florence,30.0,,,,,,,bec7f13a-7ae7-4ad7-a5c5-ca2b3728785c -,5054894879,,,,,,,,New Mexico Niner Empire,Charles,Montano,mrchunky1@live.com,Albuquerque,New Mexico,United States,Ojos Locos Sports Cantina,"Park Square,2105 Louisiana Blvd N.E",250.0,,,,,,,bfe07d0d-ca15-400a-aa7d-febdb72f5e51 -,5626593944,,,,,,,,So Cal Niner Empire,Ras,Curtis Shepperd,mrrascurt@att.net,Long Beach,Ca,United States,Gallaghers Irish Pub and Grill,2751 E. Broadway,30.0,,,,,,,8f136975-58ff-4a5d-91c2-1c1220bbb9da -,9802000224,,,,,,,,49er Faithful of Charlotte,Ryan,Lutz,mrryanlutz@yahoo.com,Charlotte,North Carolina,United States,Strike City Charlotte,210 E. Trade St.,353.0,,,,,,,e94f718f-d099-477d-bdbd-40d267f92a93 -,6126365232,,,,,,,,MSP Niner Faithful,Xp,Lee,mspniners@gmail.com,Saint Paul,MN,United States,Firebox BBQ,1585 Marshall Ave,5.0,Www.fb.me/mspniners,,,,,,d4ac6052-9179-41e0-aa32-272586a32b25 -,6019187982,,,,,,,,Mississippi Niner Empire Chapter-Jackson,Nicholas,Jones,mssajson@gmail.com,Jackson,Ms.,United States,M-Bar Sports Grill,6340 Ridgewood Ct.,69.0,,,,,,,24d15539-70b6-40c3-9370-d44429270273 -,9256982330,,,,,,,,BayArea Faithfuls,Jon,Punla,myrapunla@att.net,Pleasant Hill,California,United States,Damo Sushi,508 Contra Costa Blvd,100.0,,,,,,,a187f582-4978-4706-afe3-9bd37b2468c8 -,4803525459,,,,,,,,AZ49erFaithful,Ignacio,Cordova,nachocordova73@gmail.com,mesa,az,United States,Boulders on Southern,1010 w Southern ave suite 1,120.0,,,,,,,4e7ff31a-312b-4994-a72a-0d09ac27730a -,2103164674,,,,,,,,Pluckers Alamo Ranch,Naomi,Robles,naomiaranda@yahoo.com,San Antonio,TX,United States,Pluckers Wong Bar,202 Meadow Bend Dr,45.0,,,,,,,8f14f922-9f58-4ad6-9ec9-327e95011837 -,870-519-9373,,,,,,,,Natural State Niners,Denishio,Blanchett,naturalstateniners@gmail.com,Jonesboro,AR,United States,Buffalo Wild Wings,1503 Red Wolf Blvd,105.0,www.facebook.com/NSNiners,,,,,,8e462fa7-4301-4ff5-abdb-13f2e42b1735 -,5614050582,,,,,,,,North Carolina Gold Blooded Empire,ncgoldblooded@gmail.com,,ncgoldblooded@gmail.com,Raleigh,North Carolina,United States,Tobacco Road - Raleigh,222 Glenwood Avenue,40.0,,,,,,,3b0873d4-3bf9-4d1b-8ae8-666a17d7b988 -,3365588525,,,,,,,,Spartan Empire of North Carolina,Karlton,Green,ncspartans5@gmail.com,Greensboro,NC,United States,World of Beer,1310 westover terr,8.0,,,,,,,1cc22c4c-07af-424d-b869-3b5fd1d7d35b -,(559) 380-5061,,,,,,,,Niner Empire Kings County,Javier,Cuevas,NEKC559@YAHOO.COM,Hanford,CA,United States,Fatte Albert's pizza co,110 E 7th St,10.0,,,,,,,ae6d4193-5ba7-41e3-80e3-d67ba38c6dd1 -,5053216498,,,,,,,,New Mexico Gold Rush,Larry,Urbina,NewMexicoGoldRush@aol.com,Rio Rancho,NM,United States,Applebee's,4100 Ridge Rock Rd,25.0,,,,,,,02a826cd-a60f-4c3a-91fc-f245f5ad0e7b -,650-333-6117,,,,,,,,Niner 408 Squad,Tracey,Anthony,niner408squad@yahoo.com,San Jose,CA,United States,Personal home,3189 Apperson Ridge Court,25.0,,,,,,,814efa81-10cb-4012-b040-ee33f1e6b156 -,9518670172,,,,,,,,NINER ALLEY,junior,ambriz,nineralley@gmail.com,moreno valley,ca,United States,home,13944 grant st,15.0,,,,,,,eedf3fa0-c63b-495b-90df-9e99eaf3e271 -,5599677071,,,,,,,,Niner Empire San Antonio,Jesus,Archuleta,ninerempire_sanantonio@yahoo.com,San Antonio,Texas,United States,Fatso's,1704 Bandera Road,25.0,https://www.facebook.com/ninerempire.antonio,,,,,,163ed53e-753a-40b9-aa4d-645c1e9dc673 -,5209711614,,,,,,,,NinerEmpire520,Joseph,(Bubba) Avalos,ninerempire520@gmail.com,Tucson,AZ,United States,Maloney's,213 North 4th Ave,100.0,,,,,,,a742f2e3-2094-4cbb-b0bd-cbe161f8103b -,6024594333,,,,,,,,49er Empire Desert West,Daniel,Enriquez,ninerempiredw@yahoo.com,Glendale,Arizona,United States,McFadden's Glendale,9425 West Coyotes Blvd,60.0,,,,,,,3b3f7978-53e0-4a0c-b044-be05cb7fad97 -,9155026670,,,,,,,,Niner Empire EPT,Pete,Chavez,ninerempireept@gmail.com,el paso,tx,United States,knockout pizza,10110 mccombs,12.0,http://www.facebook.com/groups/ninerempireept,,,,,,f97f0dba-9e72-4676-ae77-e316f15490aa -,7027692152,,,,,,,,"Niner Empire Henderson, NV",Jay,Bryant-Chavez,NinerEmpireHenderson@yahoo.com,Henderson,Nevada,United States,Hi Scores Bar-Arcade,65 S Stephanie St,11.0,http://www.facebook.com/ninerempirehenderson,,,,,,6dfa800d-540a-443e-a2df-87336994f592 -,9712184734,,,,,,,,Niner Empire Salem,Timothy,Stevens,ninerempiresalem2018@gmail.com,Salem,OR,United States,IWingz,IWingz,200.0,,,,,,,d84f87ab-abaa-4f1a-86bf-8b9c1e828080 -,5599677071,,,,,,,,Niner Empire San Antonio,Jesus,Archuleta,NinerEmpireSanAntoni0@oulook.com,San Antonio,Texas,United States,Fatsos,1704 Bandera Rd,30.0,,,,,,,2966907f-4bbd-4c39-ad05-ea710abc7a3d -,5419440558,,,,,,,,Niner Empire Southern Oregon,Patricia,Alvarez,NinerEmpireSoOr@gmail.com,Medford,OR,United States,The Zone Sports Bar & Grill,1250 Biddle Rd.,12.0,,,,,,,5c4c4328-fea5-48b8-af04-dcf245dbed24 -,4199171537,,,,,,,,niner empire faithfuls of toledo,Darren,Sims,ninerempiretoledo@yahoo.com,Toledo,Ohio,United States,Legendz sports pub and grill,519 S. Reynolds RD,27.0,,,,,,,1c77028e-b7a9-4842-b79a-c6a63b2a0061 -,7023033434,,,,,,,,Las Vegas Niner EmpireNorth,Susan,Larsen,Ninerfolife@yahoo.com,Las Vegas,NV,United States,Timbers Bar & Grill,7240 West Azure Drive,50.0,,,,,,,919bfebb-e7f4-4813-b154-dc28601e9f71 -,7023715898,,,,,,,,NINER FRONTIER,Tyson,white,ninerfrontier@gmail.com,las vegas,NV,United States,Luckys Lounge,7345 S Jones Blvd,8.0,,,,,,,88cb20a4-fc5e-4f79-a469-0079e0c8495b -,7604120919,,,,,,,,NINERS ROLLIN HARD IMPERIAL VALLEY,Juan,Vallejo,ninerrollinhard49@yahoo.com,Brawley,CA,United States,SPOT 805 Bar and Grill,550 Main St,40.0,,,,,,,19d647db-7014-4236-9060-7967b62f30cd -,8282228545,,,,,,,,Niners Rollin Hard EL Valle C.V. Chapter,Joshua,Garcia,Niners49rollinhardcvchapter@yahoo.com,La Quinta,CA,United States,The Beer Hunters,78483 Highway 111,40.0,,,,,,,8df81a3b-afb7-454c-a504-d190da845e0b -,4088576983,,,,,,,,Niners United,Eli,Soque,ninersunited@gmail.com,Santa Clara,CA,United States,"Levi's Stadium Section 201, Section 110, Section 235 (8 of the 18 members are Season Ticket Holders)",4900 Marie P DeBartolo Way,18.0,,,,,,,91d80ee0-86be-4a80-90f6-b48f7656cf4d -,3125904783,,,,,,,,San Francisco 49ers Fans of Chicago,Nathan,Israileff,nisraileff@gmail.com,Chicago,IL,United States,"Gracie O'Malley's (Wicker Park location), 1635 N Milwaukee Ave, Chicago, IL 60647",Gracie O'Malley's,1990.0,https://www.facebook.com/Chicago49ersFans,,,,,,08b87dde-06a0-4a00-85fc-4b290750d185 -,2017022055,,,,,,,,NJ Niner Empire Faithful Warriors,Joe,Aguiluz,nj_ninerempire@yahoo.com,Jersey City,New Jersey,United States,O'Haras Downtown,172 1st Street,20.0,https://m.facebook.com/njninerempire,,,,,,963b02b1-fa0d-450c-afe9-ccac1e53db59 -,2017057762,,,,,,,,NJ9ers,Arron,Rodriguez,nj9ers2023@gmail.com,Bayonne,NJ,United States,Mr. Cee's Bar & Grill,17 E 21st Street,35.0,,,,,,,c5d3fad5-6062-453d-a7b5-20d44d892745 -,2088183104,,,,,,,,North Idaho 49ers Faithful,Josh,Foshee,northid49erfaithful@gmail.com,Coeur d'Alene,ID,United States,Iron Horse Bar and Grille,407 Sherman Ave,700.0,,,,,,,25a08c6b-414c-430f-891b-86aacac98010 -,5093069273,,,,,,,,Northwest Niner Empire,David,Hartless,northwestninerempire@gmail.com,Ellensburg,WA,United States,Armies Horseshoe Sports Bar,106 W 3rd,145.0,https://www.facebook.com/groups/northwestninerempire/,,,,,,65d8fb43-cd35-4835-887e-80ae2010337b -,7039691435,,,,,,,,NOVA Niners,Matt,Gaffey,novaniners@gmail.com,Herndon,VA,United States,Finnegan's Sports Bar & Grill,2310 Woodland Crossing Dr,80.0,http://www.facebook.com/nova.niners1,,,,,,5fadd584-8af3-49e7-b518-f8bc9543aa4b -,8303870501,,,,,,,,Austin Niner Empire,Amber,Williams,nuthinlika9er@gmail.com,Austin,Texas,United States,Mister Tramps Pub & Sports Bar,8565 Research Blvd,13.0,http://www.Facebook.com/AustinNinerEmpire,,,,,,989b87b0-7bf5-40f9-82a1-7f6829696f39 -,6462677844,,,,,,,,New York 49ers Club,Joey,Greener,nycredandgold@gmail.com,new york,ny,United States,Finnerty's Sports Bar,221 2nd Avenue,300.0,,,,,,,d36e4525-9cc4-41fd-9ca9-178f03398250 -,559-664-2446,,,,,,,,Mad-town chapter,Francisco,Velasquez,onejavi481@gmail.com,Madera,CA,United States,Madera ranch,28423 Oregon Ave,15.0,,,,,,,53cca285-682a-474f-b563-284ed4d288c1 -,5129491183,,,,,,,,Gold Rush Army of Austin,Emmanuel,Salgado,osheavue@gmail.com,Austin,TX,United States,Midway Field House,2015 E Riverside Dr,180.0,https://www.facebook.com/GoldRushArmyofAustin,,,,,,8dc91968-9d5b-4e1e-82e1-507f51b67802 -,(951) 867-0172,,,,,,,,niner alley,pedro,ambriz,pambriz@mvusd.net,MORENO VALLEY,CA,United States,papa joes sports bar,12220 frederick ave,25.0,,,,,,,dacdda72-9a15-437c-8b69-7c0cb67998e5 -,(413)361-9818,,,,,,,,413 Spartans,Ricky Pnut,Ruiz,papanut150@yahoo.com,Chicopee,MA,United States,Bullseye,Bullseye,17.0,,,,,,,60e842f0-2b00-4259-8690-865ea9639ab7 -,503-550-9738,,,,,,,,Clementine's Faithful,Paula,Hylland,paula@themulebar.com,Portland,OR,United States,The Mule Bar,4915 NE Fremont Street,10.0,,,,,,,d9b5a320-d95a-49aa-8d11-acd754db9f39 -,5852592796,,,,,,,,585faithful,patterson,,paulfiref@gmail.com,dansville,NY,United States,dansville ny,108 main st,1.0,,,,,,,0662b3d3-db2f-4818-a674-b8e4d170eb82 -,5599203535,,,,,,,,Niner Empire Cen Cal 559,Pauline,Castro,PAULINECASTRO87@MSN.COM,PORTERVILLE,CA,United States,BRICKHOUSE BAR AND GRILL,152 North Hockett Street,30.0,,,,,,,b356b411-38e4-468d-881e-976464116bb1 -,9254514477,,,,,,,,Booze & Niner Football,Mike,Parker,peterparker61925@yahoo.com,Solana Beach,CA,United States,Saddle Bar,123 W Plaza St,10.0,,,,,,,f7aa0747-360e-4661-9393-14a6c6969517 -,6262024448,,,,,,,,Westside Niners Nation,Leo,Gonzalez,pibe444@hotmail.com,Culver City,CA,United States,Buffalo Wings and Pizza,5571 Sepulveda Blvd.,16.0,,,,,,,2f4b05d8-d3ec-4afb-a854-d7818899afe4 -,5203719925,,,,,,,,Pinal county niner empire,Emilio,Bustos,pinalninerempire@gmail.com,Casa grande,Arizona(AZ),United States,Liquor factory bar and deli,930 E Florence,30.0,,,,,,,3dda0bcb-6039-4f6e-91a7-5f010e930e8f -,4252561925,,,,,,,,"Prescott, AZ 49ers faithful",Pam,Marquardt,pmarquardt2011@gmail.com,Prescott,AZ,United States,Prescott Office Resturant,128 N. Cortez St.,28.0,,,,,,,fd20c2d2-5ad3-41bf-8882-1f2f4d7872ac -,8082585120,,,,,,,,San Francisco 49'ers Hawaii Fan Club,Randy,Miyamoto,promoto1@hawaiiantel.net,Honolulu,Hawaii,United States,To be determined,To be determined,50.0,,,,,,,b5a5dfe5-4015-439f-954b-8af9b2be2a09 -,(503) 544-3640,,,,,,,,Niner Empire Portland,Pedro,Urzua,purzua76@gmail.com,Portland,OR,United States,KingPins Portland,3550 SE 92nd ave,100.0,,,,,,,45249454-edef-4d93-a5d2-f6f14e123707 -,9253054704,,,,,,,,QueensandKings Bay Area Empire Chapter,Queen,,queensandkings49@gmail.com,Antioch,Ca,United States,Tailgaters,4605 Golf Course Rd,15.0,,,,,,,ed28bf67-9fa8-4583-b4bd-a4beaefdd3cb -,4086671847,,,,,,,,Club 49 Tailgate Crew,Alex,Chavez,raiderhater@club49.org,Pleasanton,California,United States,Sunshine Saloon Sports Bar,1807 Santa Rita Rd #K,15.0,,,,,,,d2991982-2da9-48d1-978b-665a9cd38eb3 -,6465429352,,,,,,,,49ers Nyc Chapter,Miguel,Ramirez,ram4449ers@aol.com,New York,New York,United States,Off the Wagon,"109 Macdougal St,",35.0,https://www.facebook.com/niner.nychapter,,,,,,5919ac0b-7804-4390-8881-46f2f30c33cd -,5093076839,,,,,,,,"49er faithfuls Yakima,Wa",Olivia,Salazar,Ramirez14148@gmail.com,Yakima,Wa,United States,TheEndzone,1023 N 1st,35.0,,,,,,,e588d2c2-b68f-4d33-be95-0b72f0a682b2 -,7209080304,,,,,,,,49er's Faithful Aurora Co Chapter,Fito,Cantu',raton76.fc@gmail.com,Aurora,CO,United States,17307 E Flora Place,17307 E Flora Place,10.0,,,,,,,93f1f74c-134d-456d-8f49-968d930c3ad7 -,5626404112,,,,,,,,49er F8thfuls,Ray,Casper,ray@rdnetwrks.com,Gardena,Ca,United States,Paradise,889 w 190th,50.0,,,,,,,12515d58-5699-416d-8ab9-627632f46e65 -,562-322-8833,,,,,,,,westside9ers,Ray,Casper,raycasper5@yahoo.com,Downey,CA,United States,Bar Louie,8860 Apollo Way,75.0,,,,,,,937ec6b6-ce55-4b49-b5c5-7602b8a81220 -,8609951926,,,,,,,,Spartan 9er Empire Connecticut,Raymond,Dogans,Raymonddogans224@gmail.com,EastHartford,CO,United States,Red Room,1543 Main St,20.0,,,,,,,6f9118c5-41aa-47dc-8e6c-8da98577521c -,6786322673,,,,,,,,Red & Gold Empire,Stephen,Box,RednGoldEmpire@gmail.com,Sandy Springs,GA,United States,Hudson Grille Sandy Springs,6317 Roswell Rd NE,25.0,https://www.facebook.com/RGEmpire,,,,,,71687e97-c1cc-4dd0-8c2c-5bee50ab8b80 -,7755606361,,,,,,,,RENO NINEREMPIRE,Walter,Gudiel,reno9erempire@gmail.com,Reno,Nv,United States,Semenza's Pizzeria,4380 Neil rd.,35.0,,,,,,,7df1ce76-3403-42ff-9a89-99d9650e53f4 -,6502711535,,,,,,,,650 Niner Empire peninsula chapter,Jose,Reyes Raquel Ortiz,reyesj650@gmail.com,South San Francisco,Ca,United States,7mile house or standby,1201 bayshore blvd,27.0,,,,,,,191351af-67f4-4f93-bc84-06a57f61ad5e -,6508346624,,,,,,,,Spartan Niner Empire California,Jose,Reyes,reyesj650empire@gmail.com,Colma,CA,United States,Molloys Tavern,Molloys tavern,19.0,,,,,,,604f8e2e-8859-4c5e-bb15-bee673282554 -,(951) 390-6832,,,,,,,,Riverside county TEF (Thee Empire Faithful),Sean,Flynn,riversidecountytef@gmail.com,Winchester,CA,United States,Pizza factory,30676 Bentod Rd,20.0,,,,,,,01d43858-67f3-4c95-b6ca-81a75b33a75c -,9098153880,,,,,,,,Riverside 49ers Booster Club,Gus,Esmerio,riversidefortyniners@gmail.com,Riverside,California,United States,Lake Alice Trading Co Saloon &Eatery,3616 University Ave,20.0,,,,,,,de7e2c76-771b-4042-8a27-29070b65022a -,5156643526,,,,,,,,49ers Strong Iowa - Des Moines Chapter,Rob,Boehringer,robert_boehringer@yahoo.com,Ankeny,IA,United States,Benchwarmers,705 S Ankeny Blvd,8.0,,,,,,,011a93a0-8166-4f24-9bb0-613fb7084acf -,6159537124,,,,,,,,Mid South Niner Nation,Tyrone,Taylor,roniram@hotmail.com,Nashville,TN,United States,Kay Bob's,1602 21st Ave S,12.0,,,,,,,34488741-278c-4e4f-8bf0-ac45936f4fb4 -,8165898717,,,,,,,,Kansas City 49ers Faithful,Ronnie,Tilman,ronnietilman@yahoo.com,Leavenworth,KS,United States,"Fox and hound. 10428 metcalf Ave. Overland Park, ks",22425,245.0,,,,,,,46e02390-6910-4f24-8281-a327e5472f73 -,9169965326,,,,,,,,49er Booster Club Carmichael Ca,Ramona,Hall,rotten7583@comcast.net,Fair Oaks,Ca,United States,Fair Oaks,7587 Pineridge Lane,38.0,,,,,,,fe62c40c-2848-4765-8cdc-617cc17abd41 -,2252419900,,,,,,,,Rouge & Gold Niner Empire,Derek,Wells,rougeandgold@gmail.com,Baton Rouge,LA,United States,Sporting News Grill,4848 Constitution Avenue,32.0,,,,,,,5e0fc4de-fee1-427e-97bd-288052de961e -,5592029388,,,,,,,,Niner Empire Tulare County,Rita,Murillo,rt_murillo@yahoo.com,Visalia,Ca,United States,5th Quarter,3360 S. Fairway,25.0,,,,,,,e3933806-db81-4f2d-8886-8662f020919b -,3234403129,,,,,,,,Mile High 49ers NOCO Booster Club,Ryan,Fregosi,Ryan.fregosi@gmail.com,Greeley,co,United States,Old Chicago Greeley,2349 W. 29th St,176.0,http://www.facebook.com/milehigh49ersnocoboosterclub,,,,,,23166e6c-bf72-4fc7-910e-db0904350dbb -,4086220996,,,,,,,,NINERFANS.COM,Ryan,Sakamoto,ryan@ninerfans.com,Cupertino,California,United States,Islands Bar And Grill (Cupertino),20750 Stevens Creek Blvd.,22.0,,,,,,,5df15f36-f0c3-4279-b2f1-4bbb6eb6342c -,6198203631,,,,,,,,San Diego Gold Rush,Robert,Zubiate,rzavsd@gmail.com,San Diego,CA,United States,Bootleggers,804 market st.,20.0,,,,,,,d08f2811-4f8c-4db3-af53-defe5fe3b9cf -,6026264006,,,,,,,,East Valley Niner Empire,Selvin,Cardona,salcard49@yahoo.com,Apache Junction,AZ,United States,Tumbleweed Bar & Grill,725 W Apache Trail,30.0,,,,,,,24aa550b-d105-4fcd-963a-57d0ccb3d0d4 -,7076949476,,,,,,,,Santa Rosa Niner Empire,Joaquin,Kingo Saucedo,saucedo1981@live.com,Windsor,CA,United States,Santa Rosa,140 3rd St,15.0,,,,,,,4e074598-e19e-411f-b497-27544616e7aa -,3305180874,,,,,,,,Youngstown Faithful,Scott,West,scottwest1@zoominternet.net,Canfield,OH,United States,The Cave,369 Timber Run Drive,10.0,,,,,,,e6d2eca5-915f-4875-a9c7-99c3fe33e44d -,6502469641,,,,,,,,Seattle Niners Faithful,Brittany,Carpenter,SeattleNinersFaithful@gmail.com,Everett,WA,United States,Great American Casino,12715 4th Ave W,300.0,,,,,,,d0f56140-45f2-4009-8b4e-aa50ea8c177a -,9194511624,,,,,,,,"San Francisco 49ers Faithful - Greater Triangle Area, NC",Lora,Edgar,SF49ersFaithful.TriangleAreaNC@gmail.com,Durham,North Carolina,United States,Tobacco Road Sports Cafe,280 S. Mangum St. #100,24.0,https://www.facebook.com/groups/474297662683684/,,,,,,9384f475-5183-4a60-bfc5-53102d9f4d56 -,5103948854,,,,,,,,South Florida Gold Blooded Empire,Michelle,"""""Meme"""" Jackson",sff49ers@gmail.com,Boynton Beach,Florida,United States,Miller's Ale House,2212 N. Congress Avenue,23.0,,,,,,,6ea27b5d-1542-454f-8653-e48fccb7238b -,5305264764,,,,,,,,Red Rock's Local 49 Club,Shane,Keffer,shanekeffer19@gmail.com,Red Bluff,CA,United States,Tips Bar,501 walnut St.,40.0,,,,,,,fe897059-b023-400b-b94e-7cf3447456c7 -,5098451845,,,,,,,,Columbia Basin Niners Faithful,Christina,Feldman,shanora28@yahoo.com,Finley,Washington,United States,Shooters,214711 e SR 397 314711 wa397,30.0,,,,,,,bfabecc2-aeb2-4ce6-85c2-27c2cc044f21 -,(951) 816-8801,,,,,,,,9er Elite,Harmony,Shaw,shawharmony@yahoo.com,Lake Elsinore,CA,United States,Pins N Pockets,32250 Mission Trail,20.0,,,,,,,7588fda3-69f2-4944-a888-65926beab731 -,6093396596,,,,,,,,Shore Faithful,Edward,Griffin Jr,shorefaithfulempire@gmail.com,Barnegat,NJ,United States,603 East Bay Ave Barnegat NJ 08005 - Due to covid 19 we no longer have a meeting location besides my residence. I truly hope this is acceptable - Thank you,603 East Bay Ave,6.0,,,,,,,76e56a22-d4e7-46c5-8d75-7c2a73eac973 -,5054708144,,,,,,,,Santa Fe Faithfuls,Anthony,Apodaca,sic.apodaca1@gmail.com,Santa Fe,New Mexico,United States,Blue Corn Brewery,4056 Cerrilos Rd.,10.0,,,,,,,13506992-672a-4788-abd2-1461816063e4 -,5204147239,,,,,,,,Sonoran Desert Niner Empire,Derek,Yubeta,sonorandesertninerempire@yahoo.com,Maricopa,AZ,United States,Cold beers and cheeseburgers,20350 N John Wayne Pkwy,48.0,,,,,,,b7615efb-5b5f-4732-9f7c-c7c9f00e3fd9 -,3054953136,,,,,,,,9549ERS faithful,Nelson,Tobar,soyyonell@yahoo.com,Davie,FL,United States,Twin peaks,Twin peaks,30.0,,,,,,,5bf41a27-5bd1-45eb-8bdf-816832371efc -,8062929172,,,,,,,,806 Niner Empire West Texas Chapter,Joe,Frank Rodriquez,state_champ_27@hotmail.com,Lubbock,Texas,United States,Buffalo Wild Wings,6320 19th st,20.0,,,,,,,3d691991-bcac-4354-95c4-e73998e5abe7 -,8082283453,,,,,,,,Ohana Niner Empire,Nathan,Sterling,sterling.nathan@aol.com,Honolulu,HI,United States,TBD,1234 TBD,20.0,,,,,,,09f575e9-9f5d-41ca-998f-bfa72a693b1a -,9167470720,,,,,,,,Westside Portland 49er Fan Club,Steven,Englund,stevenenglund@hotmail.com,Portland,OR,United States,The Cheerful Tortoise,1939 SW 6th Ave,20.0,,,,,,,6a75b28a-db14-4422-90ca-84c6624d6f44 -,7542235678,,,,,,,,49ersGold,Tim,OCONNELL,stoutbarandgrill3419@gmail.com,Oakland Park,FL,United States,stout bar and grill,Stout Bar and Grill,12.0,,,,,,,b49d9c5d-2d71-40d7-8f15-e83e4eb10a48 -,2096409543,,,,,,,,4T9 MOB TRACY FAMILY,Jenese,Borges Soto,superrednece@comcast.net,Tracy,Ca,United States,Buffalo wild wings,2796 Naglee road,20.0,,,,,,,faf65b89-6f63-4e09-b90e-fb6d570845e8 -,5413015005,,,,,,,,Niner Empire Southern Oregon Chapter,Susana,Perez,susana.perez541@gmail.com,medford,or,United States,imperial event center,41 north Front Street,15.0,,,,,,,e96fb986-f0bb-43aa-a992-f84eea493308 -,(530) 315-9467,,,,,,,,SacFaithful,Gregory,Mcconkey,synfulpleasurestattoos@gmail.com,Cameron park,CA,United States,Presidents home,3266 Cimmarron rd,20.0,,,,,,,47219f6e-b0c2-4dd4-9af6-935f2f731228 -,9374189628,,,,,,,,Niner Faithful Of Southern Ohio,Tara,Farrell,tarafarrell86@gmail.com,piqua,OH,United States,My House,410 Camp St,10.0,,,,,,,858b5895-efd8-4ea4-9a11-e852dc4e8e89 -,7609783736,,,,,,,,NinerGangFaithfuls,Andrew,Siliga,tattguy760@gmail.com,Oceanside,ca,United States,my house,4020 Thomas st,20.0,,,,,,,9471e78e-099c-46b1-87da-4d8f71d8e7c3 -,6099544424,,,,,,,,Jersey 49ers riders,terry,jackson,terryjackson93@aol.com,Trenton,New Jersey,United States,sticky wecket,2465 S.broad st,30.0,,,,,,,d9f16b96-42fe-4712-a4a4-10d700b7e4bc -,(703) 401-0212,,,,,,,,Life Free or Die Faithfuls,Thang,Vo,thangvo@gmail.com,Concord,NH,United States,Buffalo Wild Wings,8 Loudon Rd,3.0,https://www.facebook.com/groups/876812822713709/,,,,,,fe144e07-945e-4c66-a148-781275800599 -,3105929214,,,,,,,,The 909 Niner Faithfuls,Joe,Del Rio,The909NinerFaithfuls@gmail.com,Fontana,Ca,United States,Boston's Sports Bar and Grill,16927 Sierra Lakes Pkwy.,30.0,http://www.facebook.com/The909NinerFaithfuls,,,,,,5a3edf14-ae01-4654-b562-669cf1ed8ddf -,6264459623,,,,,,,,Arcadia Chapter,Allyson,Martin,Thebittavern@gmail.com,Arcadia,CA,United States,4167 e live oak Ave,4167 e live oak Ave,25.0,,,,,,,429e6376-361c-46fb-88f2-459de5eaec25 -,5592897293,,,,,,,,Thee Empire Faithful,Joe,Rocha,theeempirefaithfulfc@live.com,Fresno,California,United States,Buffalo Wild Wings,3065 E Shaw Ave,50.0,,,,,,,d09046d4-bdfa-41b1-ab4b-b0b159f555bb -,5412063142,,,,,,,,The Oregon Faithful,Jeff,Sutton,theoregonfaithful@gmail.com,Eugene,OR,United States,The Side Bar,Side Bar,12.0,,,oregonfaithful on Twitter,,,,8848f4d4-58ab-47ae-8f91-11c5947b2501 -,9082475788,,,,,,,,The ORIGINAL Niner Empire-New Jersey Chapter,Charlie,Murphy,theoriginalninernjchapter@gmail.com,Linden,NJ,United States,Nuno's Pavilion,300 Roselle ave,35.0,,,,,,,1ec79271-8c21-4966-8bae-d0ca12e84974 -,5852788246,,,,,,,,What a Rush (gold),Paul,Smith,thescotchhouse@gmail.com,Rochester,NY,United States,The Scotch House Pub,373 south Goodman street,15.0,,,,,,,0260e343-0aaf-47a5-9a99-ae53cb3c2747 -,9519029955,,,,,,,,Moreno Valley 49er Empire,Tibor,Belt,tibor.belt@yahoo.com,Moreno Vallay,CA,United States,S Bar and Grill,23579 Sunnymead Ranch Pkwy,15.0,https://www.facebook.com/pages/Moreno-Valley-49er-Empire/220528134738022,,,,,,278e71b3-2e69-4ee2-a7a3-9f78fee839ea -,14054370161,,,,,,,,"The Niner Empire, 405 Faithfuls, Oklahoma City",Maria,Ward,tne405faithfuls@gmail.com,Oklahoma city,OK,United States,Hooters NW Expressway OKC,3025 NW EXPRESSWAY,25.0,https://www.facebook.com/share/g/4RVmqumg1MQNtMSi/?mibextid=K35XfP,,,,,,09f9160d-e91c-472b-aee9-251881a2d1e6 -,7072971945,,,,,,,,707 EMPIRE VALLEY,Tony,Ruiz,tonyruiz49@gmail.com,napa,California,United States,Ruiz Home,696a stonehouse drive,10.0,,,,,,,fcd8cd95-35da-4d85-82db-40fcd48929ec -,208-964-2981,,,,,,,,Treasure Valley 49er Faithful,Curt,Starz,treasurevalley49erfaithful@gmail.com,Star,ID,United States,The Beer Guys Saloon,10937 W. State Street,100.0,https://www.facebook.com/TV49erFaithful,,,,,,dd93b349-8a58-4ae5-8ffc-4be1d7d8e146 -,(804) 313-1137,,,,,,,,Hampton Roads Niner Empire,Nick,Farmer,Trickynick89@aol.com,Newport news,VA,United States,Boathouse Live,11800 Merchants Walk #100,300.0,https://m.facebook.com/groups/441340355910833?ref=bookmarks,,,,,,e1caa71e-07e4-4d99-9c2d-e12064b1af58 -,(971) 218-4734,,,,,,,,Niner Empire Salem,Timothy,Stevens,tstevens1989@gmail.com,Salem,OR,United States,AMF Firebird Lanes,4303 Center St NE,218.0,,,,,,,794f2ed1-b82f-4fb8-9bd4-fa69c4e9695d -,3234590567,,,,,,,,Forty Niners LA chapter,Tony,,tvaladez49ers@gmail.com,Bell,Ca,United States,Krazy Wings,7016 Atlantic Blvd,15.0,,,,,,,790c095e-49b2-4d58-9e8c-559d77a6b931 -,(318) 268-9657,,,,,,,,Red River Niner Empire,Tyra,Kinsey,tylkinsey@gmail.com,Bossier City,LA,United States,Walk On's Bossier City,3010 Airline Dr,15.0,www.facebook.com/RedRiverNinerEmpire,,,,,,c8ffeb37-4dce-4610-bea3-1e848b34c034 -,3058965471,,,,,,,,Ultimate 49er Empire,Nadieshda,Nadie Lizabe,Ultimateninerempire@gmail.com,Pembroke pines,Florida,United States,Pines alehouse,11795 pine island blvd,14.0,,,,,,,82cd3ac8-2db0-493f-beff-5db479afe620 -,8014140109,,,,,,,,Utah Niner Empire,Travis,Vallejo,utahninerempire@gmail.com,Salt Lake City,UT,United States,Legends Sports Pub,677 South 200 West,25.0,https://www.facebook.com/UtahNinerEmpire,,,,,,ba6c55f2-b95f-4c01-898b-327010c965c0 -,(480) 493-9526,,,,,,,,Phoenix602Faithful,Vincent,Price,vprice068@yahoo.com,Phoenix,AZ,United States,Galaghers,3220 E Baseline Rd,20.0,,,,,,,57ba8002-3c69-43da-8c14-9bfa47eab4d2 -,3108979404,,,,,,,,WESTSIDE 9ERS,Naimah,Williams,Westside9ers@gmail.com,Carson,CA,United States,Buffalo Wild Wings,736 E Del Amo Blvd,20.0,,,,,,,8bcc18e7-f352-486d-93ca-535eafd7b0b3 -,4696009701,,,,,,,,Addison Point 49ner's Fans,William,Kuhn,wkpoint@gmail.com,Addison,Texas,United States,Addison Point Sports Grill,4578 Beltline Road,288.0,,,,,,,f09252d6-3449-4028-9039-9bc5c617606d -,3605679487,,,,,,,,49er Forever Faithfuls,Wayne,Yelloweyes-Ripoyla,wolfhawk9506@aol.com,Vancouver,Wa,United States,Hooligans bar and grill,"8220 NE Vancouver Plaza Dr, Vancouver, WA 98662",11.0,,,,,,,78995f96-9862-40e7-9286-680115ec4afa -,5309086004,,,,,,,,Woodland Faithful,Oscar,Ruiz,woodlandfaithful22@gmail.com,Woodland,CA,United States,Mountain Mikes Pizza,171 W. Main St,30.0,,,,,,,06036f2c-3694-4d8c-a275-2f201ae299d2 -,3159448662,,,,,,,,Niner Empire Central New York,Michal,,ykeoneil@gmail.com,Cicero,New York,United States,Tully's Good Times,7838 Brewerton Rd,6.0,,,,,,,0a6d4071-14d2-4297-aee8-fe0706cb4cf6 -,(970) 442-1932,,,,,,,,4 Corners Faithful,Anthony,Green,yourprince24@yahoo.com,Durango,CO,United States,Sporting News Grill,21636 Highway 160,10.0,https://www.facebook.com/groups/363488474141493/,,,,,,caacd0f1-bf97-40b2-bcb0-f329c33b3946 -,(480) 708-0838,,,,,,,,480 Gilbert Niner Empire,Elle,Lopez,zepolelle@gmail.com,Gilbert,AZ,United States,Panda Libre,748 N Gilbert Rd,30.0,,,,,,,832beeda-9378-4e28-8f27-25f275214e63 -,(331) 387-0752,,,,,,,,Niner Empire Jalisco 49ers Guadalajara,Sergio,Hernandez,zhekografico1@gmail.com,Guadalajara,TX,United States,Bar Cheleros,Bar CHELEROS,190.0,https://www.facebook.com/NinerEmpireJalisco49ersGuadalajara/?modal=admin_todo_tour,,,,,,7af32566-8905-4685-8cda-46c53238a9ce -,3045457327,,,,,,,,49ERS Faithful of West Virginia,Zachary,Meadows,zmeads@live.com,Charleston,WV,United States,The Pitch,5711 MacCorkle Ave SE,12.0,,,,,,,24bdc01c-258e-481a-902d-c134a12917b7 -,2016971994,,,,,,,,49 Migos Chapter,Manny,Duarte,Yaman053@yahoo.com,Saddle Brook,NJ,United States,Midland Brewhouse,374 N Midland Ave,10.0,,,,,,,f0202075-a64b-47e6-bddb-ef41452ab80d -,408-892-5315,,,,,,,,49ers Bay Area Faithful Social Club,Sarah,Wallace,49ersbayareafaithful@gmail.com,Sunnyvale,CA,United States,Giovanni's New York Pizzeria,1127 Lawrence Expy,65.0,,,,,,,4b00c24d-c714-4727-bc8a-c2a9f81392e1 -,5404245114,,,,,,,,Niner Empire Of Indy,Jay,Balthrop,Indyninerfaithful@yahoo.com,Indianapolis,IN,United States,The Bulldog Bar and Lounge,5380 N College Ave,30.0,,,,,,,d225d3bf-a3ff-46b0-a33c-85d1287c1495 diff --git a/data/niners_output/fans.csv b/data/niners_output/fans.csv deleted file mode 100644 index eca8f6a631f5803bf4bf02eb4fbef469df9ed50b..0000000000000000000000000000000000000000 --- a/data/niners_output/fans.csv +++ /dev/null @@ -1,2501 +0,0 @@ -fan_id,first_name,last_name,email,favorite_players,community_memberships -8c7b0bc0-270f-4d32-b3c7-6b21403336f1,Raymond,Crawford,ccrawford@example.com,['c737a041-c713-43f6-8205-f409b349e2b6'],['c8a2f333-b375-4015-868d-0476c7fa7780'] -f78f965c-de40-46a6-b6b8-19abfb4ee692,Sheila,Richards,melanie70@example.org,['473d4c85-cc2c-4020-9381-c49a7236ad68'],['31438176-2075-4285-b76d-e19ddf0d95e2'] -268aa97d-ab1d-42dd-8cb7-1b5a6c3db352,Lisa,Christian,usmith@example.com,['3227c040-7d18-4803-b4b4-799667344a6d'],[] -f3e89711-c141-4aed-a69d-6afacf6c531b,Regina,Andrews,autumn90@example.com,"['89531f13-baf0-43d6-b9f4-42a95482753a', '61a0a607-be7b-429d-b492-59523fad023e']",[] -6ab4700a-5cba-4f2c-a3e8-033d9b14dfcf,Kayla,Riggs,ellisonjessica@example.org,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -d9a97054-3671-4dc3-a8e3-083910fe9a6d,David,Dunlap,carol85@example.com,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],['91d80ee0-86be-4a80-90f6-b48f7656cf4d'] -deb57fea-56eb-4531-addb-cc83e05e6aa6,Ricky,Cameron,qmiller@example.net,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '26e72658-4503-47c4-ad74-628545e2402a']",['6ea27b5d-1542-454f-8653-e48fccb7238b'] -f6bac2e7-eb9b-4e4e-9656-d2ce87d919c0,Lori,Edwards,zimmermanchristopher@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '67214339-8a36-45b9-8b25-439d97b06703', '26e72658-4503-47c4-ad74-628545e2402a']",['83a7cb36-feee-4e71-9dea-afa5b17fbe7c'] -7700a3f6-791d-44d0-9721-136f4f0c6291,Julie,Ramirez,sstephenson@example.net,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],[] -13ae2c2b-3969-4a70-b36e-75518e981724,Steven,Benitez,kellyhughes@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'c800d89e-031f-4180-b824-8fd307cf6d2b', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['c758e93b-3a3e-4c2f-990b-1bf9f1cdd6ca'] -781b7872-1794-43d0-8ecf-a717bc5fcb28,Jennifer,Trujillo,peterswilliam@example.org,['cb00e672-232a-4137-a259-f3cf0382d466'],['279042a3-3681-41c1-bed1-68c8a111c458'] -dfe4de2d-a94b-4f5a-be61-1a573776e26b,Albert,Walls,waltonjessica@example.org,['577eb875-f886-400d-8b14-ec28a2cc5eae'],[] -26da8620-6b24-44b0-8fb0-1b30205cdfe2,Nicholas,Mueller,cwilson@example.net,['f51beff4-e90c-4b73-9253-8699c46a94ff'],['46e02390-6910-4f24-8281-a327e5472f73'] -205ce9bb-7230-4ccc-8e3b-391e04ed54dc,Jerry,Smith,robinwilliams@example.org,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],['fd20c2d2-5ad3-41bf-8882-1f2f4d7872ac'] -bd053ebb-8967-46f1-a1a2-3fee960512da,Kelly,Gonzalez,monicafaulkner@example.net,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '7774475d-ab11-4247-a631-9c7d29ba9745', '26e72658-4503-47c4-ad74-628545e2402a']",[] -5f78a64b-0b1d-4837-b0c1-583df888955f,Gregory,Simpson,lisawilson@example.org,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9'] -79728ea0-6089-4790-9853-11a6d1fb3ce7,Sharon,Charles,gsmith@example.net,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', 'f51beff4-e90c-4b73-9253-8699c46a94ff', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['e439a3a5-c585-4c44-93d6-4cb19ec536e2'] -36381db1-4372-4d7b-bb3a-2c75924e14cf,Claudia,White,flemingrobert@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['c0edc149-153d-42e6-8520-aba4174b832d'] -1ba69b52-f262-4772-8623-f1c0a21bbeef,Brenda,Castillo,wesleyenglish@example.com,['1537733f-8218-4c45-9a0a-e00ff349a9d1'],[] -7ef1a8b4-c06a-4084-9953-755311098b42,Amanda,Chavez,amartinez@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",[] -b35eee21-5d68-4120-9b15-414c03a11011,Steven,Bell,jason64@example.net,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],['fd20c2d2-5ad3-41bf-8882-1f2f4d7872ac'] -22d5af02-a97b-43d9-bdd6-cde3d820280e,Miranda,Williams,hunter98@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['b49d9c5d-2d71-40d7-8f15-e83e4eb10a48'] -1fd7761a-e486-4eba-9112-968f5cefe158,Christopher,Thomas,brittany28@example.org,['79a00b55-fa24-45d8-a43f-772694b7776d'],['5e0fc4de-fee1-427e-97bd-288052de961e'] -7de60654-6eb5-42fc-9faf-17431f8ce67a,Rachel,Martinez,joshuacalderon@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '14026aa2-5f8c-45bf-9b92-0971d92127e6', '86f109ac-c967-4c17-af5c-97395270c489']",['02a2745f-ff6d-45ce-8bfe-6be369c3fb50'] -fe1c9b6b-8f14-417a-8d3e-72c694eb2fd8,Jorge,Smith,collinsantonio@example.net,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['9ec7d2ef-2b5b-4192-911c-b293479d9a17'] -971d7bf3-a81e-467b-b6db-d76cf6258840,Logan,Poole,amanda59@example.com,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'f51beff4-e90c-4b73-9253-8699c46a94ff', '67214339-8a36-45b9-8b25-439d97b06703']",['ac244352-e9fb-4c4f-b0ef-ce93f5f39df0'] -faca49ec-1fab-4ac0-b9e4-cdce8ef1b0e7,Daniel,Roberts,shellyfischer@example.net,"['3227c040-7d18-4803-b4b4-799667344a6d', '59845c40-7efc-4514-9ed6-c29d983fba31', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['ad9a0664-8bf1-4916-b5d3-ca796916e0a5'] -5e6f4823-c913-4fc7-8aa3-0354757977bb,Christopher,Carpenter,cmiles@example.org,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['6c8cd651-9f25-436d-abf4-b32fb74b78e3'] -bd8dc818-560d-4d0e-b2da-0e8c5fd45848,Lori,Thompson,kyletorres@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['c9767f63-b044-409a-96ef-16be4cb3dc9f'] -03495ade-4562-4325-8952-843160167dde,Dylan,Estrada,tayloremily@example.com,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '3227c040-7d18-4803-b4b4-799667344a6d', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['d2991982-2da9-48d1-978b-665a9cd38eb3'] -fb52f1b2-05a5-4b02-a931-655c13e93f54,Vanessa,Hendrix,joe12@example.com,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['e96fb986-f0bb-43aa-a992-f84eea493308'] -21c4764c-a961-43d4-952d-6fe4dfdfefc4,Mitchell,Vincent,samuelgarza@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -9839cce5-65c0-4a0e-adfc-fdc63b3f582b,Timothy,Hernandez,joshuamorgan@example.com,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -a9e6d922-37cc-46ba-8386-08771ccc5e2b,Gwendolyn,Eaton,perry24@example.org,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['7df1ce76-3403-42ff-9a89-99d9650e53f4'] -34ffda4c-ffbd-4429-8f31-e5da1cdf4d5c,Wanda,Smith,lauratorres@example.net,['473d4c85-cc2c-4020-9381-c49a7236ad68'],[] -7e8014b6-9c6a-41f7-a440-1d53cf9cda2d,Anthony,Stephenson,kevinbailey@example.org,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '67214339-8a36-45b9-8b25-439d97b06703']",['a3497e7c-ec38-428a-bdb8-2ef76ae83d44'] -e44a310b-22eb-4942-b41f-c4e881b52ee0,Caitlyn,Webb,vellis@example.net,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -1ec8c158-68fb-49a2-b28b-7692df48a647,Tammy,Burnett,brittany05@example.net,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],[] -e766ef7f-97f0-478c-99a0-9a8625f3cd85,Michael,Griffin,yvette73@example.net,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",[] -37cffdb4-73f4-4d48-9975-ab485b0175ba,Jacqueline,Holmes,ricardo62@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['361e1137-b81b-4658-8e63-233f215b8087'] -49a67ed7-4a98-45d5-9227-2d357c1ebcc3,Dennis,Brown,evanslisa@example.net,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -244197ea-2768-4218-ba93-2dbc644f9097,Jennifer,Williams,chadcunningham@example.net,"['cb00e672-232a-4137-a259-f3cf0382d466', '26e72658-4503-47c4-ad74-628545e2402a']",['4ab054e6-6653-4770-bcdb-f448ac2a07f5'] -e807d8ce-01ad-4506-bfa8-ef6d648877b2,William,Smith,lichristopher@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -baccf6fe-a409-442f-9b52-c11d84b99472,Savannah,Schneider,bruceglover@example.net,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],['ca4820aa-5a1c-4777-9a8e-49d229544c08'] -b129e4c4-9ca1-4fd5-a066-e5551259d5cd,Mark,Neal,richardbentley@example.org,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -63c5a2c6-5cc0-4ae4-bc9d-bab2bd20bb0d,Christine,Hill,taylorjose@example.com,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -44c68674-cf35-407c-a8ab-6ef0d0e8d880,Paul,Cross,destiny15@example.org,['069b6392-804b-4fcb-8654-d67afad1fd91'],['279042a3-3681-41c1-bed1-68c8a111c458'] -5775d4ab-7557-41b4-be3a-4b17eea9d937,Patricia,Smith,hudsondavid@example.org,"['67214339-8a36-45b9-8b25-439d97b06703', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",['ba6c55f2-b95f-4c01-898b-327010c965c0'] -df5a276f-fa11-403a-9b30-9abc9ddecde9,Stephanie,Henderson,julielynch@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '63b288c1-4434-4120-867c-cee4dadd8c8a', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['47219f6e-b0c2-4dd4-9af6-935f2f731228'] -a5250d92-b9ea-47ba-ae26-0ef964f4e62c,Amanda,Carter,ryanlove@example.net,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],['f09252d6-3449-4028-9039-9bc5c617606d'] -a0b659fe-7fdc-4018-ad2f-16602d34d81b,Madison,Aguirre,amylane@example.net,"['c737a041-c713-43f6-8205-f409b349e2b6', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['60e842f0-2b00-4259-8690-865ea9639ab7'] -b1f36379-3e74-4638-b52d-c4f2a3737e65,Lauren,Moore,alyssasmith@example.com,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -cbef5cc7-ea90-4840-bc55-d541e40e99a5,Pamela,Jones,jacksonrobert@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['c86453f6-0155-4458-9a26-e211aa2b8e33'] -93f51a44-ec34-4f81-b08e-850e4801b082,Scott,Osborn,nichole51@example.com,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],[] -689dab15-9049-4b4e-a0d8-77095cd46220,Diana,Jimenez,cainjason@example.com,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['65d8fb43-cd35-4835-887e-80ae2010337b'] -c59b0d68-a09e-4f3e-afff-9048da81095c,Randy,Cantrell,harry21@example.org,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', '069b6392-804b-4fcb-8654-d67afad1fd91']",['1e1b971b-7526-4a6c-8bd1-853e2032ba8e'] -3916659f-3578-4d8a-bbfd-9692f41b2867,Bryce,Garcia,ramirezbrian@example.org,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],['133e9d7e-7d4f-4286-a393-b0a4446ce4f2'] -827cbfcb-d0a8-4f21-b1b0-c6311f907bd9,Danielle,Robinson,stephaniethompson@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",['6f62f732-6bdc-41a7-a026-4d6c4b744388'] -6b5ff985-3aae-4989-9893-9bb266452eb1,Rachel,Schmidt,jacksonhannah@example.org,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['fe144e07-945e-4c66-a148-781275800599'] -4a89ec5c-a04c-448f-80cd-93eb88fe3b2e,Tonya,Lawson,meyertheresa@example.org,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['d09046d4-bdfa-41b1-ab4b-b0b159f555bb'] -30033d4d-3d4a-4623-bd06-9f0eb095146d,Andrea,Barron,sylvia11@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '7bee6f18-bd56-4920-a132-107c8af22bef', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['b107099e-c089-4591-a9a9-9af1a86cfde1'] -504fa95b-7d16-4a9d-ad84-d9484dc8387b,Michael,Pham,dcole@example.net,['d000d0a3-a7ba-442d-92af-0d407340aa2f'],[] -ad6c1b01-fb5f-421e-95f9-798bc8aeeeba,Michael,Smith,qcalhoun@example.com,"['069b6392-804b-4fcb-8654-d67afad1fd91', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -0e87d64e-9a60-49a3-b241-f29108123567,Jodi,Silva,bryantallison@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '052ec36c-e430-4698-9270-d925fe5bcaf4', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -10b8d319-be91-446e-83c3-f92d846c4e73,William,Velez,jeremymartin@example.com,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -b6a7da90-1b27-4297-8182-f622d7957243,Cassandra,Chandler,igentry@example.com,['18df1544-69a6-460c-802e-7d262e83111d'],['e1caa71e-07e4-4d99-9c2d-e12064b1af58'] -7bbf635f-ff0b-4ba4-85a0-f4447a4d75aa,Christina,Henry,benjamincooper@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['c5d3fad5-6062-453d-a7b5-20d44d892745'] -828fe84b-ca60-4bf7-bd87-9f40aa74b6dc,John,Williams,melissastone@example.net,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '069b6392-804b-4fcb-8654-d67afad1fd91']",['84a95dd1-6640-4a78-937a-acb9dab23601'] -681f6a44-e763-4ba0-919f-5c614111dc01,Mary,Schwartz,doris11@example.net,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",['dc830ca3-fe01-43bb-aa7e-d5bb75247b56'] -b798582e-68e3-4506-9022-f60bfad47279,Robert,Martinez,karenryan@example.com,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],[] -1bc3d7a5-e784-4c1b-af45-86a36470099d,Heidi,Campbell,meltonrobert@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",[] -ee23ed60-ec54-47bb-b24f-6c020aac9a0f,Jason,Harding,reedryan@example.net,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '577eb875-f886-400d-8b14-ec28a2cc5eae', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -a0ec8b42-d1c3-4111-9c8d-ed99cf517b4c,Barbara,Evans,charles58@example.com,['7bee6f18-bd56-4920-a132-107c8af22bef'],['4ab054e6-6653-4770-bcdb-f448ac2a07f5'] -556efc66-2d5c-41ac-ab72-8943b65b9e5d,Jay,Reeves,donald42@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -8a3b2c5f-eb94-4854-bdbc-abbf38ee5fae,Judy,Brooks,olivertammy@example.org,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],['5fadd584-8af3-49e7-b518-f8bc9543aa4b'] -8035f5fa-9884-4292-898a-83e32644107b,Latoya,Case,alexander04@example.net,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],['133e9d7e-7d4f-4286-a393-b0a4446ce4f2'] -81a638aa-136b-44fe-8eec-1be96e2836f8,Christina,Aguilar,katherineporter@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '839c425d-d9b0-4b60-8c68-80d14ae382f7', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['173de46c-bc96-4cff-85a5-f361780d1637'] -0b7355cb-0c72-4c3f-9a09-2b8d88b204fa,Kristin,Rivera,simpsonwhitney@example.org,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],['84a95dd1-6640-4a78-937a-acb9dab23601'] -e45867a8-5bcf-466f-8562-f04d642c6ead,Alexander,Alvarez,wilsonmegan@example.com,['7774475d-ab11-4247-a631-9c7d29ba9745'],[] -97f12b5e-5049-4ea6-91ef-2c157e112a54,Elizabeth,Heath,michaelthompson@example.net,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],[] -0349c64f-859b-426a-9f51-5d85ed55d0c2,Christopher,Ford,lwillis@example.com,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['8a0cc83c-ee5e-4f28-abd2-4785b7f503be'] -440998c1-d439-401c-9a2c-38eac56976f4,Stephen,Foster,yrivers@example.net,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['5cb997b6-0b71-405b-8f77-9bb3e30b05bb'] -29054adc-8aee-46ae-a325-672b6ddb6405,Lawrence,Wolfe,ywhite@example.net,"['c737a041-c713-43f6-8205-f409b349e2b6', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['4a253d76-a16b-40bf-aefe-61f1140f69e8'] -60c8611c-1f34-40ce-bd6c-194ccebcbdb4,Jacqueline,Anderson,rholmes@example.org,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],[] -bb4762f2-d361-45f4-b3c5-4445fef87014,Tammy,Brown,hpope@example.net,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],[] -56e9ec7f-a778-4cb9-8049-6947ab010894,Cheyenne,Gomez,jason23@example.net,"['2f95e3de-03de-4827-a4a7-aaed42817861', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -7410c1d5-72c0-445b-a570-19ed1399163d,Lawrence,Marks,bradfordanne@example.net,['3fe4cd72-43e3-40ea-8016-abb2b01503c7'],['c220a934-4ad4-495a-bfeb-221372e9720a'] -623af756-7dd2-40c7-a7d5-451de5306ded,Heidi,Moore,ashleyramirez@example.com,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -a48673a7-6e4c-4576-ab56-f480f5d8aae4,Emily,Lester,lisacampbell@example.net,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'c737a041-c713-43f6-8205-f409b349e2b6', '86f109ac-c967-4c17-af5c-97395270c489']",[] -76b53641-9528-41b6-9553-0fe9f3b0e413,Brittney,Sanchez,courtney61@example.com,['564daa89-38f8-4c8a-8760-de1923f9a681'],[] -455b051e-5e74-4e08-8c42-0f08496ec372,Nicholas,Lowery,harmonchris@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '79a00b55-fa24-45d8-a43f-772694b7776d']",['0c0ac4aa-5abe-48bd-8045-4f8b45ed8fb9'] -5764c76c-92e9-4287-809f-83eb870e0412,Mandy,Lewis,sueperez@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', '67214339-8a36-45b9-8b25-439d97b06703']",['5c2b13a8-60d9-4cef-b757-97a6b0b988e4'] -fbcf4664-3297-4f6b-98d1-ac6405acd427,Marcus,Nguyen,danielortiz@example.org,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",['1b7e81f4-86ee-42fa-a98a-2fec2152c9d9'] -7d3488dd-91db-4fe6-b7df-99f85c898a91,Edward,Jackson,francisangel@example.org,['67214339-8a36-45b9-8b25-439d97b06703'],['a15835e7-83fe-43ad-959f-423cd21aed7b'] -fdd426f1-9601-4255-822f-4c82e0e85416,Carolyn,Davis,sbaird@example.org,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -f7b23757-15fa-45b2-b9f2-6128286f3d4d,Joel,Pierce,fcurtis@example.net,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],['1e1b971b-7526-4a6c-8bd1-853e2032ba8e'] -aded980a-bcf3-482f-b1d0-4191146d5f33,Kristen,Cox,mtorres@example.org,"['2f95e3de-03de-4827-a4a7-aaed42817861', '3227c040-7d18-4803-b4b4-799667344a6d']",['d3002991-05db-4ad1-9b34-00653f41daa7'] -5603b74b-b35b-404e-bccb-d757d35def35,Daniel,Wright,rangelcourtney@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '7bee6f18-bd56-4920-a132-107c8af22bef', '564daa89-38f8-4c8a-8760-de1923f9a681']",['153e3594-3d15-42e5-a856-f4c406c6af79'] -c998ef2e-86a9-43e8-bf4c-1413b97e9d3a,Phillip,Patterson,lnoble@example.com,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['9471e78e-099c-46b1-87da-4d8f71d8e7c3'] -5bddf2c9-9950-4361-a2ab-2b4583b130be,Ronald,Turner,cruzsandra@example.net,"['44b1d8d5-663c-485b-94d3-c72540441aa0', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['b63253fb-6099-4b92-9b87-399ee88f27e5'] -c8afc73e-bfad-4690-be64-ba8335f4ffe0,David,Kirk,uthornton@example.com,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['17a33262-42cb-45a2-a05d-df3a56261411'] -dfabbdf8-35af-4645-96d5-d719e12ab42e,Justin,Roberts,christopher98@example.com,"['89531f13-baf0-43d6-b9f4-42a95482753a', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -74117240-8f29-46fd-af99-df603507c660,Jessica,Robinson,chasehendricks@example.net,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '069b6392-804b-4fcb-8654-d67afad1fd91', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -9e0640c4-0cd1-4a4c-a1fa-2fe4a4823477,Richard,Chavez,michaelwang@example.org,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],['f7feddb7-c9cc-4e58-85ec-44e947a9f370'] -8493b20b-041c-4327-90f4-6cb70ef49612,Katelyn,Holmes,kathyoliver@example.com,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],['1b7e81f4-86ee-42fa-a98a-2fec2152c9d9'] -e794fac9-df6a-452a-8096-7ec31dd4dfdd,Anna,Costa,wilsonjose@example.org,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['c8ffeb37-4dce-4610-bea3-1e848b34c034'] -b5153ef2-16f1-4a9d-8840-05653c5fb201,Benjamin,Nunez,johnsongregory@example.com,"['473d4c85-cc2c-4020-9381-c49a7236ad68', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -fe8a0388-066c-479d-be71-af33dd75c123,Joshua,Garcia,allisonpamela@example.org,"['473d4c85-cc2c-4020-9381-c49a7236ad68', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -390602ca-8cc4-429a-9ffb-b51ee86189f6,Kimberly,Nguyen,ricemichael@example.com,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],['5da5b69a-9c78-42c3-a5b5-97c12fe93f4b'] -40f3aaaa-c61e-4786-911b-2bc98eecdb7f,Katie,Griffin,xevans@example.org,['18df1544-69a6-460c-802e-7d262e83111d'],['5450bccf-e4f5-4837-82cf-92db58d34cf8'] -b2462c1e-e9f8-4194-810b-6b5a3307005d,Robert,Manning,phamrichard@example.org,"['cb00e672-232a-4137-a259-f3cf0382d466', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -b5450bc9-a419-45da-b361-791ed331f104,Kevin,Mcgrath,vnguyen@example.org,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -91a29529-37e2-4aec-b7ed-8244977b4e8f,Mathew,Harrison,steven50@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', 'c81b6283-b1aa-40d6-a825-f01410912435']",['cb00caa7-48f7-41db-bd55-a6f1ca740ba5'] -42cbb581-83cf-4a1d-88b3-97d955b95fd9,Nicole,Gordon,gspencer@example.org,"['61a0a607-be7b-429d-b492-59523fad023e', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -711aaf38-a654-42ae-8d14-743f44aca879,Kevin,Glover,jamesgray@example.org,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -ab4637cc-e580-40ab-9cd4-fd6a5502bc9e,James,Brady,lpaul@example.org,"['069b6392-804b-4fcb-8654-d67afad1fd91', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -87a17ea1-da8a-4617-ac93-68945da3bcb5,Kaitlyn,Edwards,lucas68@example.com,"['072a3483-b063-48fd-bc9c-5faa9b845425', '79a00b55-fa24-45d8-a43f-772694b7776d']",['f97f0dba-9e72-4676-ae77-e316f15490aa'] -c70fb667-610b-4f92-9b1c-63b6127eaf5a,Felicia,Brown,jillgood@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'ad3e3f2e-ee06-4406-8874-ea1921c52328', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['21a4b527-ff93-49d5-9c4a-922e5837f99e'] -46afee18-9ab6-40e3-a376-33c96cb24dc0,Carla,Velez,yjackson@example.net,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],[] -a3688307-2040-4c51-9391-e5912d15dad4,James,Jenkins,john21@example.net,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '3227c040-7d18-4803-b4b4-799667344a6d']",[] -83c69cd2-32aa-4eef-a023-ff31b39d50c5,Kelly,Campbell,steven29@example.com,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['5c4c4328-fea5-48b8-af04-dcf245dbed24'] -fe5642ad-ea12-4a9f-ab8a-d2deef9a4b4f,Nancy,Cooley,seth44@example.com,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['b36619e5-9316-4c17-9779-b9c363443178'] -68b45430-d802-42d2-ae37-9339f3ba69fd,Angela,Aguilar,robert87@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",[] -decb6d1d-d386-4233-86af-2fcccf8712e5,Katherine,Curtis,whitney62@example.org,"['26e72658-4503-47c4-ad74-628545e2402a', 'f51beff4-e90c-4b73-9253-8699c46a94ff', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",['597ab710-aa67-41fe-abc7-183eb5215960'] -a043d28b-0dda-43f4-aa4e-0017759b7465,Jack,Mcdowell,robert78@example.org,['3227c040-7d18-4803-b4b4-799667344a6d'],[] -35eea3bf-5420-448d-8ae8-e08a68379e4e,Jeffrey,Pace,cherylroberts@example.org,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '839c425d-d9b0-4b60-8c68-80d14ae382f7', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",[] -936ed69f-dcd1-4025-9100-ee8f5c3fcfdf,Melissa,Ramos,spencer29@example.org,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],['7df1ce76-3403-42ff-9a89-99d9650e53f4'] -504ce107-91b0-48a7-8794-05223f9160b4,Kayla,Davis,michael63@example.com,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '7bee6f18-bd56-4920-a132-107c8af22bef']",['bcd28f5c-8785-447e-903c-d829768bb4d7'] -508efba5-b30b-49ae-a6bc-9ad48cf3ec9f,Robert,Torres,evanscarrie@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['ca4820aa-5a1c-4777-9a8e-49d229544c08'] -36be6f97-7b0b-4b6b-acaa-82f963d2526c,Anthony,Jackson,sonya75@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'ad391cbf-b874-4b1e-905b-2736f2b69332', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['1cc22c4c-07af-424d-b869-3b5fd1d7d35b'] -f9226c0e-72da-4f96-8b85-fc0b2d7629e0,Cody,Sanchez,katiegreene@example.com,"['7bee6f18-bd56-4920-a132-107c8af22bef', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -a954c15d-b42a-453a-b2df-35ed54f205f9,Andrew,Rasmussen,robertsantos@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '069b6392-804b-4fcb-8654-d67afad1fd91']",['d458ca78-3784-4c95-863b-02141f054063'] -fd0262ab-a640-4148-b74d-35a99e51eb58,Dave,Williams,curtisford@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['34488741-278c-4e4f-8bf0-ac45936f4fb4'] -c47a51b0-190c-4a19-9557-7f3de2caa07b,Richard,Sanders,megan79@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '741c6fa0-0254-4f85-9066-6d46fcc1026e', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -914ca114-585f-4e49-b54f-b0b02f4fc153,Victoria,Gates,caseysmith@example.org,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['e2bd186c-6620-406e-943d-d0eee22078bb'] -a6f8ad61-fdba-46db-aecd-86d54e308d6f,Monica,Trevino,johnsonemma@example.com,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['1367e775-79ba-40d6-98d8-dbcb40140055'] -a543cefb-dbd1-499e-b597-cecc08d811f9,Michael,Rangel,frederickmorris@example.net,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '67214339-8a36-45b9-8b25-439d97b06703', '63b288c1-4434-4120-867c-cee4dadd8c8a']",['7a78bff4-77a2-4643-ac32-4512cc4ce4b0'] -c880f6c7-bd14-44cc-9157-6c0f6b035727,Joshua,Day,acochran@example.com,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '2f95e3de-03de-4827-a4a7-aaed42817861']",['6dfa800d-540a-443e-a2df-87336994f592'] -47586019-9439-4a5a-81be-cb1758af61b3,Laura,Clark,gstein@example.net,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -5a611b9d-893f-408f-aef0-eba2eab4ea2c,Angela,Lopez,pamela37@example.org,"['577eb875-f886-400d-8b14-ec28a2cc5eae', '072a3483-b063-48fd-bc9c-5faa9b845425', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -5c00c399-b4c3-477e-9191-d2b724ce29c4,Bailey,Decker,kathyjohns@example.net,['57f29e6b-9082-4637-af4b-0d123ef4542d'],[] -57760d7d-665e-4c6c-9c9f-a15ce83858af,Thomas,Green,christopher32@example.org,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '724825a5-7a0b-422d-946e-ce9512ad7add']",['57ef2b36-fb70-4cc1-8565-9210919e4650'] -18d611fa-ca90-4832-845e-e44a59efebd5,Joshua,Grant,melindaorr@example.org,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",['fe62c40c-2848-4765-8cdc-617cc17abd41'] -5ec6665a-50a5-4b29-a7d3-2a77e5b66820,Brian,Evans,fernandezkenneth@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -409976ca-ec94-4edf-9cea-f1a7bb91ffa9,Kayla,Garcia,omathews@example.net,"['ad391cbf-b874-4b1e-905b-2736f2b69332', 'ba2cf281-cffa-4de5-9db9-2109331e455d', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['3e509642-808b-4900-bbe9-528c62bd7555'] -8e7d8f57-9a79-47bb-b645-c8935e30fe8e,Peter,Roberson,scott99@example.org,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -b3706c7f-af87-42dd-bd06-004981db0026,Nicole,Solomon,robertwillis@example.org,['63b288c1-4434-4120-867c-cee4dadd8c8a'],['604a9fae-f09d-4da2-af38-438179acb910'] -8e95aa85-e811-4394-9966-8692d916a142,Corey,Maldonado,laura12@example.com,['069b6392-804b-4fcb-8654-d67afad1fd91'],['7f67a44b-ea78-4a7e-93f5-4547ff11131a'] -795f4707-0cb8-4c59-921a-5d3bbbacfb8b,Antonio,Silva,hwilson@example.org,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -6e663b05-c118-4724-92b8-ab9ed5518cc9,Phillip,Thomas,emilybutler@example.net,"['86f109ac-c967-4c17-af5c-97395270c489', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['4a253d76-a16b-40bf-aefe-61f1140f69e8'] -6330268b-c2d3-4952-9688-3c040f184ea2,Jeffrey,Murillo,jamieholt@example.org,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -b5e9bf35-89f9-48a7-955a-9457b58565be,Kenneth,West,crystalmarshall@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -5587642a-242e-4af6-a53d-c508a829c58e,Brandon,Clarke,angela98@example.org,['7774475d-ab11-4247-a631-9c7d29ba9745'],['dacdda72-9a15-437c-8b69-7c0cb67998e5'] -0787a733-7de4-4b7a-9eb3-04392c359c35,Spencer,Raymond,rbond@example.net,['839c425d-d9b0-4b60-8c68-80d14ae382f7'],['919bfebb-e7f4-4813-b154-dc28601e9f71'] -06975717-69f5-4ef1-bcee-488b40438e1a,Dylan,Cortez,jennifer79@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '57f29e6b-9082-4637-af4b-0d123ef4542d', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -72ddf6f5-308b-477f-b858-08086256063f,Ashley,Johnson,michellemedina@example.com,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -7452fbe2-44a3-4ac6-a1c3-304a89116602,Michael,Jordan,karina02@example.org,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -352bc64c-2528-41d3-b06a-5a12e2c6ee60,Kimberly,Ferguson,stephaniestafford@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['3df1dadb-be6b-411f-b455-f954efaf227c'] -1ab55db9-e8bd-4b42-bfa3-24aa16f7274f,Brian,Mccarthy,ymann@example.org,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', '59845c40-7efc-4514-9ed6-c29d983fba31']",['1f6566d0-b6a6-47ef-a8e9-9d1b224cc080'] -5b3d1d58-7d63-459c-8451-6af1e1bab94c,Kimberly,Brown,krogers@example.org,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -994a7731-6b20-43c4-8393-dc160381264b,Veronica,Gibbs,elizabethperez@example.org,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', '2f95e3de-03de-4827-a4a7-aaed42817861']",['d5af1ee6-11a8-42e5-8f8e-08e77ee097e9'] -333857c1-dc52-4c06-90a4-9a1c998f8855,Yolanda,Mendez,martin71@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '072a3483-b063-48fd-bc9c-5faa9b845425', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['963b02b1-fa0d-450c-afe9-ccac1e53db59'] -927a611a-9563-457d-b5cb-29bdaa4b5d66,Dennis,Rodriguez,walter52@example.com,"['072a3483-b063-48fd-bc9c-5faa9b845425', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -9536515f-9960-4b02-8f0c-2362615c91d9,Daniel,Simmons,dillonbridges@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '787758c9-4e9a-44f2-af68-c58165d0bc03', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -0f3eaa7b-7aa3-44d9-8816-4a5c3324f263,Sarah,Tanner,davislawrence@example.net,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['d7a360ca-83b2-442a-ae2a-3079163febff'] -f7a5df44-680f-4216-88ea-c65a5ac599e1,Catherine,Stephenson,victoria23@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['80d1ffb6-f3ca-4ca1-b4f7-a373ea53573e'] -82a7f09c-06cf-4cbc-bb32-65424bd31873,Cody,Smith,vhansen@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -a14e93fa-2a2f-4cd5-87ba-72c18c9b9fd6,Kristi,Nelson,katherine27@example.com,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -00baeab7-24d3-4bf9-9399-d5652b97fe4e,Sara,Grimes,mallen@example.org,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],['57ef2b36-fb70-4cc1-8565-9210919e4650'] -a747bd60-879e-478a-9605-ac4c211b0e63,Rachel,Ramsey,kristine99@example.net,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -defa764d-a957-47a3-9240-1d25be7167c8,Nathan,James,thomasrice@example.com,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '89531f13-baf0-43d6-b9f4-42a95482753a', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['3335203d-008c-419d-bf12-66d7951910a4'] -30932afd-ddc9-4e7c-8231-6afc4eac1c90,Matthew,Clark,tvega@example.com,"['577eb875-f886-400d-8b14-ec28a2cc5eae', '26e72658-4503-47c4-ad74-628545e2402a']",[] -ffa63895-4bdc-464c-b18e-1fed274bbe90,Andrea,Roberts,smitchell@example.net,['587c7609-ba56-4d22-b1e6-c12576c428fd'],[] -c275f3b5-d344-4a83-b344-732b58b1c3a0,Christina,Johnson,brycemiller@example.net,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],[] -e3fec8bf-6ad6-44a6-a32b-e70bbbccee80,Donald,Lee,douglas37@example.com,['61a0a607-be7b-429d-b492-59523fad023e'],['c8a2f333-b375-4015-868d-0476c7fa7780'] -e4ec891c-2a4b-4e63-be45-f74c81332ed2,Kimberly,Stanley,barry70@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['4a75fa22-38c9-4d95-8e19-0e0d24eba4ef'] -52351fa3-114e-400a-992b-8068cf62f0f0,Dawn,Horton,marcus55@example.com,['44b1d8d5-663c-485b-94d3-c72540441aa0'],[] -3d8231ef-c1a7-41a3-b099-29ec3bcbc9d7,Nicholas,Ortega,berrywilliam@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",[] -5105aa85-632a-4bb8-811d-1ee35553c394,Alexander,Fisher,valeriebaldwin@example.com,['2f95e3de-03de-4827-a4a7-aaed42817861'],['ede4a3ad-bdf2-4782-91c6-faf8fae89a2f'] -e8a44dac-3ee3-4162-911b-91f5325b3a8c,Wendy,Hernandez,eric80@example.com,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],[] -d89cc996-6d7b-4380-a8a2-00eb6a4e3a4d,Larry,Flores,rodriguezsteven@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -c2ef280f-c7e0-4c93-8796-0f3e6d9e035c,Albert,Alvarez,xjames@example.com,['18df1544-69a6-460c-802e-7d262e83111d'],[] -9ac27bdd-cf3a-433f-9028-1acaa4f6506d,Cameron,Gates,ramoskyle@example.com,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],['6c8cd651-9f25-436d-abf4-b32fb74b78e3'] -fc741b44-f4c5-481f-b2d4-308aae1204b5,Brandi,Bates,nnorris@example.net,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['3053cc3e-569a-45b7-88bc-71976c4cc078'] -9fb2c83e-cada-448a-8636-90be58d79278,Andrew,Jackson,ctorres@example.net,['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1'],['1c77028e-b7a9-4842-b79a-c6a63b2a0061'] -ebe7ab93-89d8-4328-8b2b-4946c38e148a,Adrian,Morris,gsolis@example.com,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '052ec36c-e430-4698-9270-d925fe5bcaf4', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['18dba8cf-ce28-40e3-995a-ee7b871d943b'] -957a5a6c-932e-4c58-9210-e73ef7f90b7b,Jacob,Flores,meghanjames@example.net,['aeb5a55c-4554-4116-9de0-76910e66e154'],[] -0f35ab88-f9d2-4cb3-b0ed-ce782bae1106,William,Robinson,pedrospears@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '61a0a607-be7b-429d-b492-59523fad023e']",['57ef2b36-fb70-4cc1-8565-9210919e4650'] -d4164cee-8cf8-43ba-838e-be40342caed1,Brittany,Flores,fowlermartin@example.net,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",['9154a687-9ea4-400e-92d4-1f8d6a4efd45'] -8485e630-4c23-4699-b02a-4fe440c3a2fd,Darlene,Sanders,scottwallace@example.net,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '7774475d-ab11-4247-a631-9c7d29ba9745', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['34488741-278c-4e4f-8bf0-ac45936f4fb4'] -28e00bc4-6e29-41bf-b517-20ee7d8f27d7,Denise,Chan,juliecooper@example.net,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['e04aeb81-fae7-466f-8911-791a353ee3f4'] -bf70bf1f-4ebe-40ab-9e55-eac3f10e4ab1,Christopher,Santos,richardcook@example.net,"['26e72658-4503-47c4-ad74-628545e2402a', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['bc4fcf59-dcf6-42bf-ae74-c7a815569099'] -043b82d2-d4f2-4dde-9e23-5ff3d4c97cd0,Felicia,Werner,james78@example.com,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],['1f6566d0-b6a6-47ef-a8e9-9d1b224cc080'] -a7267801-b125-4660-b5a6-df133872a98d,Lucas,Obrien,owenscrystal@example.com,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",[] -6a9d96c1-efd4-4834-a6b1-f5ecde3a4415,Lisa,Patel,carly34@example.net,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],[] -be5139b3-0169-4f2e-8f51-c1aeb587225f,Ryan,Schaefer,lucasscott@example.org,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['31438176-2075-4285-b76d-e19ddf0d95e2'] -8e782a5a-b4ff-4e43-9219-ff1951643802,Joshua,Miles,shane32@example.org,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],['56657395-bdb0-4536-9a50-eb97ee18fe5c'] -e2c00e69-d751-4b4a-9aed-ea52ad0b3cf0,Amber,Weaver,rita98@example.org,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '2f95e3de-03de-4827-a4a7-aaed42817861', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -df4d39a8-e70b-4129-b5e7-bbeee39b2bbb,Heather,Washington,billyharris@example.com,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -f54dea02-b6d0-4764-ae10-dc3d69a0e252,Bryan,Quinn,edgar81@example.org,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', '3227c040-7d18-4803-b4b4-799667344a6d']",['24bdc01c-258e-481a-902d-c134a12917b7'] -fd218632-004f-482c-afee-1909becb92d4,Eric,Davis,jeremycook@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",[] -97a4ea16-9b6e-4459-996c-4d3af1c78399,Jeffrey,Aguilar,katrina73@example.org,['072a3483-b063-48fd-bc9c-5faa9b845425'],['756f1c00-e01c-4363-b610-0714cdfc68c2'] -6ed40bda-6e1b-4f14-91d9-5113a987791e,Holly,Hill,carlosdavila@example.net,['069b6392-804b-4fcb-8654-d67afad1fd91'],[] -6534060d-7b1f-43a0-b10d-1b0c1ee0fac1,Melissa,Young,elaine50@example.net,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],['e0da3bfc-c3dc-4576-9d0a-88c90a3f39ec'] -431169d9-defc-410d-bfe3-b6d032217092,Brian,Brady,karenhines@example.org,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['6080ae1d-807f-4993-825f-a30efba9a4eb'] -416daf1b-13e1-4d74-b101-3f0ba101ab11,Douglas,Burns,markcallahan@example.org,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', '61a0a607-be7b-429d-b492-59523fad023e']",['7a78bff4-77a2-4643-ac32-4512cc4ce4b0'] -fce024a3-426e-4974-a8f5-c97793a0dd38,Vanessa,Richardson,jason80@example.org,['59845c40-7efc-4514-9ed6-c29d983fba31'],['b63253fb-6099-4b92-9b87-399ee88f27e5'] -4d5c6f5d-14da-4aa3-b22c-47acca934f12,Spencer,Thomas,olsoncarol@example.net,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],['279042a3-3681-41c1-bed1-68c8a111c458'] -9facabeb-533a-4ec1-a62f-3b596a0753d9,James,Dickerson,cmorales@example.org,"['59845c40-7efc-4514-9ed6-c29d983fba31', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -c02ae71d-e586-4988-82f4-1ea3407731f8,Antonio,Lucas,williamadams@example.org,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '61a0a607-be7b-429d-b492-59523fad023e', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",['caacd0f1-bf97-40b2-bcb0-f329c33b3946'] -f8a68457-4b60-423c-b16f-8a46ada3998e,Tracy,Hanson,lrobles@example.org,['cb00e672-232a-4137-a259-f3cf0382d466'],[] -6e8d9238-d17e-4096-b4b8-3344529914a3,Christian,Miller,francesharvey@example.com,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -761ea81c-4202-4176-b7fb-b7052234eb89,Larry,Kline,jamesware@example.org,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '89531f13-baf0-43d6-b9f4-42a95482753a']",[] -5e32b8cd-c8f8-4e4e-9b7d-eba3a9282b82,Carlos,Cameron,acarter@example.com,['2f95e3de-03de-4827-a4a7-aaed42817861'],['c9767f63-b044-409a-96ef-16be4cb3dc9f'] -dc422fa4-6ab5-475a-8781-472b86a53b12,Kathleen,Cox,lhopkins@example.org,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '89531f13-baf0-43d6-b9f4-42a95482753a']",['31438176-2075-4285-b76d-e19ddf0d95e2'] -0d2b7e90-4307-43a5-9d0a-f7eb361ea63f,Denise,Villarreal,kramerbreanna@example.org,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '26e72658-4503-47c4-ad74-628545e2402a']",['84a95dd1-6640-4a78-937a-acb9dab23601'] -f6a9ac22-799b-4fd3-88ad-7c0cf011e752,Tracey,Mcneil,jacosta@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -d6bcfdb7-26be-40e6-b1d1-401912c74915,Rodney,Travis,virginiamassey@example.com,"['61a0a607-be7b-429d-b492-59523fad023e', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['fce88bd9-e2a3-481e-bedc-dbebd5343f08'] -ac4940ee-e68c-4776-804d-75c0e3c37a85,Allison,Wilson,ashley46@example.org,"['aeb5a55c-4554-4116-9de0-76910e66e154', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '79a00b55-fa24-45d8-a43f-772694b7776d']",['fcd8cd95-35da-4d85-82db-40fcd48929ec'] -9e2358bf-701c-4152-9d64-f3fdfc2fde45,Peter,Drake,yrocha@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '839c425d-d9b0-4b60-8c68-80d14ae382f7', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -000be14b-f3cf-4f92-a311-7e4ca083ec30,Julian,Smith,jonestracy@example.org,['79a00b55-fa24-45d8-a43f-772694b7776d'],['94cf7a13-54e9-4f3f-9727-ce07107552f2'] -ee58e7e8-6de2-4e77-8829-ed8a36850995,Mario,Dominguez,stephaniemarshall@example.org,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '59845c40-7efc-4514-9ed6-c29d983fba31']",['f4650f32-069d-4dcf-a62b-7a932bf764f5'] -f3ec7451-6cd8-440d-a573-79e872f3fbc3,Taylor,Coleman,david52@example.com,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -cac8820a-e969-4b98-bedd-2a3bab83fc50,Shawn,Brown,walter80@example.com,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '86f109ac-c967-4c17-af5c-97395270c489']",['0d2e48b3-fb33-463f-a7ee-e4013f782b0e'] -7b8f43f6-de62-48ef-8ceb-7502166e185b,Alexander,Davis,deborahhanson@example.net,['cb00e672-232a-4137-a259-f3cf0382d466'],[] -ca4cfd73-2e18-4967-a2e1-5731ace08c54,Greg,Bryant,hensonrandy@example.net,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -0f8a70f1-1ca1-4c80-9aea-d5325c881aab,Rachel,Tran,lritter@example.net,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['3053cc3e-569a-45b7-88bc-71976c4cc078'] -f39065c6-a5ff-45cb-bf91-4dbb96648cd0,Ryan,Jackson,misty71@example.com,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['65d1b90e-c6fa-41ab-aac1-ef32af003121'] -1f5487ae-1ef3-4f0f-bbdc-e1eae18a0fce,Elizabeth,Hoffman,karendougherty@example.com,['61a0a607-be7b-429d-b492-59523fad023e'],[] -48b667d6-fea8-4b77-84da-af169de963e4,Megan,Singleton,zachary27@example.net,"['e665afb5-904a-4e86-a6da-1d859cc81f90', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -5014437d-2769-49cf-a691-e9f91f32ff62,Catherine,Hart,wharris@example.org,"['7bee6f18-bd56-4920-a132-107c8af22bef', '9328e072-e82e-41ef-a132-ed54b649a5ca', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -afff51dd-e60d-4337-9b95-a34ce0ab0185,Stephanie,Benson,pwilson@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -ace3a3d1-210f-40e2-90cc-99c2ba3902d3,James,Johnson,jonathandawson@example.com,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -eced64e3-8622-4111-9e59-d9e2dd300a3a,Amanda,Bryan,cindylewis@example.net,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",['95c25b54-1ac7-40ec-8ec2-09fc59b3da17'] -3b2194a7-f843-42d1-90b4-7d7e32ad6364,Laurie,Hernandez,cnguyen@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '7bee6f18-bd56-4920-a132-107c8af22bef']",['4a253d76-a16b-40bf-aefe-61f1140f69e8'] -80838a86-a88e-454c-8eec-3f76f8c37fbd,Katherine,Fox,meredith89@example.org,['cb00e672-232a-4137-a259-f3cf0382d466'],['eedf3fa0-c63b-495b-90df-9e99eaf3e271'] -39485f40-98e1-446a-bb4d-1de5ad063a04,Nathan,Mills,beardpamela@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['2a650b10-6518-4b6f-882a-fc4d0a4596ff'] -8bdd8264-f90b-40a5-9f3c-a8525bdd8490,Edward,Fowler,amy45@example.org,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],[] -4630422a-2fa6-4915-98c8-8f91afa2fe66,Todd,Hunter,levi38@example.org,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -88b107ab-43d5-43fc-9f58-04e9d7c8191a,Alejandro,Anderson,crystal46@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -a274eb9a-80f3-48bb-b8c5-ebf102babcd7,Dawn,Flores,jonesmelissa@example.com,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -68bdee65-371b-4493-a88b-ea96ca9cbc37,Michael,Molina,christopher58@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -0f8f84af-d473-4a16-a76e-7d005ec0b7d2,Kurt,Ward,mjames@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -cb128ca4-6a44-48e3-a982-9fe521b9c9f1,Miguel,Garza,vdavis@example.org,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -6050becf-d90d-4278-a6d0-878979097ee4,Michael,Lambert,jmcgee@example.org,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['a8231999-aba4-4c22-93fb-470237ef3a98'] -7a491805-23d1-4537-a059-6c5ddae77533,David,Gilbert,vjones@example.net,"['86f109ac-c967-4c17-af5c-97395270c489', '072a3483-b063-48fd-bc9c-5faa9b845425', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -26d3302b-3c33-4c70-bb38-8c06a224e80f,Mary,Crawford,lholder@example.org,"['aeb5a55c-4554-4116-9de0-76910e66e154', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -885dda9a-bbd5-4fdc-b731-575fa28cb122,Holly,Wright,ymalone@example.org,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'cb00e672-232a-4137-a259-f3cf0382d466']",['bfabecc2-aeb2-4ce6-85c2-27c2cc044f21'] -4031b364-c10f-4031-a981-337460f0cf10,Anna,Huffman,pamela58@example.org,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],['fe897059-b023-400b-b94e-7cf3447456c7'] -ec3e2019-5323-49de-bd98-a034dc6c5dea,Sherry,Harris,gilbertjustin@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['4d21411d-a062-4659-9d06-c1f051ab864c'] -2e6b5f1d-60b2-413f-8b61-7093e2df26e4,Danielle,Mcbride,misty88@example.net,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '14026aa2-5f8c-45bf-9b92-0971d92127e6', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -85dc464a-1aff-4715-a91b-651b92ba3979,Sabrina,Singh,cherylhamilton@example.com,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],[] -9b0dfad6-3883-4e28-a2b9-38ccac2918a1,Susan,Young,nicole53@example.com,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],[] -d7cf6416-b205-40c0-876a-1bfa2cf32057,Marissa,Chavez,johnstonthomas@example.com,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",['4e074598-e19e-411f-b497-27544616e7aa'] -5089b1d0-1f20-44f5-84b2-fa2a6f7f8888,John,Bradley,fesparza@example.org,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'cb00e672-232a-4137-a259-f3cf0382d466']",['9471e78e-099c-46b1-87da-4d8f71d8e7c3'] -399b90c9-a114-48df-b62f-c3b5f9d11af3,Joanna,Boone,timothy12@example.com,['577eb875-f886-400d-8b14-ec28a2cc5eae'],['4ab054e6-6653-4770-bcdb-f448ac2a07f5'] -cedafb14-47f7-46b6-a8ac-9cf2651745ac,Kimberly,Skinner,danieljones@example.com,"['67214339-8a36-45b9-8b25-439d97b06703', 'ad391cbf-b874-4b1e-905b-2736f2b69332', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",['a34c9b30-182f-42c0-a8a5-258083109556'] -86aba6e4-04f1-4ad2-a0d5-5f8c6cd2d139,Christina,Ray,josephmarsh@example.com,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['e1caa71e-07e4-4d99-9c2d-e12064b1af58'] -0f1f2505-49e6-46b6-8a48-617cd93c3bb5,Charles,Thomas,kylerojas@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '587c7609-ba56-4d22-b1e6-c12576c428fd', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",[] -1da63df2-dd57-4eed-87ed-1ebb3f6849dc,Kristy,Brown,kellerderek@example.org,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -7c59ea27-afa2-4143-8e2a-08ee00ed9957,Melissa,Miller,dana77@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', '18df1544-69a6-460c-802e-7d262e83111d', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -d8b17d11-0a9e-44c7-af49-8019c34d7ee4,Emma,Williamson,maria19@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",[] -37bb1fde-9c89-4438-b28d-e9cf3f4b2ed9,Cynthia,Rodriguez,cameronreyes@example.org,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '18df1544-69a6-460c-802e-7d262e83111d']",[] -835bebd6-6fcd-4419-b9fb-ff738110c519,Deborah,Hayes,stevensjoshua@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '44b1d8d5-663c-485b-94d3-c72540441aa0', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -7c58723d-7935-4b0a-9857-62d65a9fd01c,Richard,Jones,kristopher21@example.org,['1537733f-8218-4c45-9a0a-e00ff349a9d1'],['72248fc0-155b-4ffe-ad5a-e95e236e24ed'] -c5d598dd-453a-4ea7-a69b-8c1c82941132,Rebecca,Walker,rodgerszachary@example.net,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['7a1980ac-ca6a-4b85-8478-a7fb23796fd3'] -88e5e9f8-9d86-4fcc-8239-55ee2d56def3,Leah,Young,aandrews@example.org,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -b0f5ac64-2f95-44ea-ad51-bcc869823117,Misty,Terry,qcallahan@example.net,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -d06881e5-40d5-49c4-bbcc-8a88f19f79fe,Mariah,Alvarado,rowemichael@example.org,['577eb875-f886-400d-8b14-ec28a2cc5eae'],['d9f16b96-42fe-4712-a4a4-10d700b7e4bc'] -1402d262-79bf-4486-aee3-fd370adbe734,Eric,Harris,jonathanross@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -6aafa6b0-d420-4a10-bb5c-b240da9eadbb,Matthew,Church,kayla19@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -520f07e1-d286-437b-a57b-73cca582b378,Collin,Campbell,larsonpatrick@example.net,"['724825a5-7a0b-422d-946e-ce9512ad7add', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -91c74def-c5f2-4586-92e9-421dfb36f358,Joshua,Mullins,vaughnadrian@example.com,['072a3483-b063-48fd-bc9c-5faa9b845425'],[] -9ff91315-41a1-44f7-8156-7619d01cc301,Sara,Schroeder,james40@example.com,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",['e1eab1f1-0342-487c-ba7e-ff062a1d0f93'] -554a2c67-8c1f-48d0-afac-dff9e9619ab4,John,Diaz,marshallmark@example.com,['44b1d8d5-663c-485b-94d3-c72540441aa0'],['4e074598-e19e-411f-b497-27544616e7aa'] -483f82a6-db7c-4777-8efe-c6e3bfd69514,Robert,Kelly,hernandezaustin@example.org,"['89531f13-baf0-43d6-b9f4-42a95482753a', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",[] -c45cce52-e9e5-46ef-b603-a9fce1885d7e,Nicole,Williams,thompsonmelissa@example.net,['069b6392-804b-4fcb-8654-d67afad1fd91'],[] -6bd56821-5fbd-4151-919c-3f4023dce47b,Michelle,Davis,lindseymark@example.org,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '86f109ac-c967-4c17-af5c-97395270c489', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -37858ff5-73d6-4b70-a43d-45c83de04d96,Julia,Thompson,morgangregory@example.com,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['b5a5dfe5-4015-439f-954b-8af9b2be2a09'] -6f11f706-af07-4b3e-8b0b-9adbb6b7cb10,Tracy,Lopez,odonnellrichard@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",[] -d62efb20-ef72-4b41-a8e5-ee1b7852a464,Joseph,Parker,johnathan19@example.com,['7774475d-ab11-4247-a631-9c7d29ba9745'],[] -782eeb49-5a61-479d-a08e-9fc3cb91ba04,Alan,Kim,dale36@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -b02433ec-23f9-465c-8ce5-88a78c41ba23,Katelyn,Conrad,dustinhunter@example.com,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],['bc369128-c50f-4a05-ad37-37a8c2adcb9c'] -011b462a-b8da-41ff-a05a-cf306bdb0913,Faith,Mccullough,ethan11@example.org,"['072a3483-b063-48fd-bc9c-5faa9b845425', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -21af0d54-14d4-452b-99f0-8d5076063a6d,Alicia,Alexander,fruiz@example.com,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '89531f13-baf0-43d6-b9f4-42a95482753a', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['4d21411d-a062-4659-9d06-c1f051ab864c'] -81a24a17-e295-4bc6-9fb1-7d9aaeaae0c3,Monica,Wilson,jill09@example.net,"['069b6392-804b-4fcb-8654-d67afad1fd91', '564daa89-38f8-4c8a-8760-de1923f9a681', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",['279042a3-3681-41c1-bed1-68c8a111c458'] -6ab89439-afa9-4861-a5af-63e81ab1a84e,Mark,Kirby,jennifervelez@example.com,"['aeb5a55c-4554-4116-9de0-76910e66e154', '3227c040-7d18-4803-b4b4-799667344a6d']",['bd0657d5-8de9-47d3-a690-57824c2f2fbb'] -74743241-9c63-4204-b236-40bb400b3a71,Christopher,Rogers,rwiley@example.com,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '59e3afa0-cb40-4f8e-9052-88b9af20e074', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -d0d834a5-551a-4b98-9b5f-cfd9bf3fa7ce,Miranda,Lowery,carolhawkins@example.org,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],[] -26f8717b-51a3-4157-8cab-66c878347c9c,Brandy,Kelly,marquezdenise@example.com,['564daa89-38f8-4c8a-8760-de1923f9a681'],['963b02b1-fa0d-450c-afe9-ccac1e53db59'] -fb6d1ea6-1de3-47ba-81a4-7eebf451111f,Mary,Scott,owilliams@example.net,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '3227c040-7d18-4803-b4b4-799667344a6d']",[] -00476883-a22b-4826-90bd-2e2cd1fe1ba1,Michael,Salazar,pamela82@example.com,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['3e1b2231-8fa4-4abc-938f-7c09f30b37fc'] -8f6ca2f6-d754-4779-99ff-852af08e3fef,Ralph,Reese,mpitts@example.com,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],['f8a76108-d201-4daa-b934-e4a091a7e47c'] -af18ec29-60d7-4e17-9809-33aeb8fe72b5,Veronica,Frye,flemingdustin@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['fe22a382-f319-410e-8d77-54919bc2f132'] -4b083616-6f27-4920-8bf8-4bf3cfc504f6,John,Turner,mbaker@example.net,['89531f13-baf0-43d6-b9f4-42a95482753a'],['0ca56830-c077-47eb-9d08-bf16439aa81c'] -0e89624b-6cc3-4bd5-b0b9-1a90ce029eb2,Kurt,Blake,emilycrane@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '724825a5-7a0b-422d-946e-ce9512ad7add']",['fe62c40c-2848-4765-8cdc-617cc17abd41'] -e96d2bcd-ea6e-4eee-9f39-13ec0c7192ad,Robin,Neal,longkevin@example.com,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],[] -1e41e538-af00-4b86-b805-5a792b6f23fa,Nicholas,Young,charles94@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -e42fe6cf-753c-4840-bf02-51a7f3d6edb1,Dana,Johnson,phyllisroth@example.com,"['63b288c1-4434-4120-867c-cee4dadd8c8a', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -7a4c7390-f09e-4fd7-8c5f-875107c4a54f,Michelle,Wagner,carlos83@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['92abbcf2-007c-4a82-ba94-c714408b3209'] -fc32f2da-b13c-4bea-bcd1-6934af966018,Diane,Garcia,rasmussenbrandon@example.net,['cb00e672-232a-4137-a259-f3cf0382d466'],[] -3894bab7-ddf3-4f59-bffa-8f63fe5ca18d,Devon,Murphy,bradychristine@example.net,"['c737a041-c713-43f6-8205-f409b349e2b6', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['b10f5432-4dd0-4a27-a4c9-e15a68753edf'] -dcd8ecde-924f-43e3-b2e0-44b2aa96ad21,Kyle,Cook,brentparker@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', '564daa89-38f8-4c8a-8760-de1923f9a681']",['d212a0be-515c-4895-b0c1-0612b401f380'] -a188ef33-b146-44bf-8982-4fbe8d06c927,Whitney,Martinez,andrealevy@example.com,['67214339-8a36-45b9-8b25-439d97b06703'],['71687e97-c1cc-4dd0-8c2c-5bee50ab8b80'] -6e8b0363-e59d-4ff0-91d4-32f93e8d686d,Devin,Adkins,ktanner@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",[] -473d0c3d-f929-484b-96c1-ebd110cd763d,Denise,Evans,wrightmichael@example.org,"['18df1544-69a6-460c-802e-7d262e83111d', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -7331ff6e-0bed-4649-9573-aa6c9715ce54,Nicholas,Ward,ahopkins@example.net,"['aeb5a55c-4554-4116-9de0-76910e66e154', '61a0a607-be7b-429d-b492-59523fad023e']",['24bdc01c-258e-481a-902d-c134a12917b7'] -4c728640-bd22-41ec-b95d-81ded26b704e,Daniel,Parrish,mfernandez@example.org,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '787758c9-4e9a-44f2-af68-c58165d0bc03', '072a3483-b063-48fd-bc9c-5faa9b845425']",['604a9fae-f09d-4da2-af38-438179acb910'] -8e3ec900-8115-4ff9-bbfb-8418a07ad985,Andrea,White,schaeferandrew@example.org,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",[] -f8a2e4bf-7cc6-4280-96bf-e0d96397cda5,Courtney,Taylor,tpeck@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['722b3236-0c08-4ae6-aa84-f917399cc077'] -c21f8390-223e-4054-bfa4-30c4f4d08bd3,Danielle,Hall,dustintaylor@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'f51beff4-e90c-4b73-9253-8699c46a94ff', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",[] -b3b1bc76-301a-4f67-b6db-66f3da42562d,Emily,Mayo,margaretsimmons@example.net,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],['e2bd186c-6620-406e-943d-d0eee22078bb'] -a91d0e1c-de01-4b09-8e88-134fde046eb4,James,Hughes,williamwest@example.com,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],[] -7892b748-65fc-4c5d-9412-29cbfec9e2e3,Chelsea,Odonnell,usmith@example.net,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['858b5895-efd8-4ea4-9a11-e852dc4e8e89'] -ddc0055f-2474-4a77-ac43-2b47d6dcc5fc,Theresa,Hayden,rhodesbrandi@example.org,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],['1511d62f-6ab4-4fcb-8e0e-21c1ff9f76f0'] -40392ce4-2f17-406c-884b-e1e19a072de2,Sue,Rivera,john92@example.net,"['26e72658-4503-47c4-ad74-628545e2402a', '44b1d8d5-663c-485b-94d3-c72540441aa0', 'c737a041-c713-43f6-8205-f409b349e2b6']",['daacbcbf-ae02-4057-bd41-555bf8dc954d'] -5a46f0b0-4976-4894-9183-a47c121ddd9b,Daniel,Webb,moorejoseph@example.org,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -a8a24d33-1683-47b5-96c5-3d6ec0e7b09d,Jennifer,Jones,rgibson@example.org,['9328e072-e82e-41ef-a132-ed54b649a5ca'],['a15835e7-83fe-43ad-959f-423cd21aed7b'] -4b2ca01c-dcc2-4477-9b62-6425e9565770,Jeremy,Russell,shanethomas@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -1cc8679d-2641-436f-b5d0-18929e649565,Robert,Williams,edwardsjessica@example.net,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],[] -fbfbb870-aba4-466c-8fff-c0ad51c021aa,Ryan,Jarvis,heatherhinton@example.org,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '787758c9-4e9a-44f2-af68-c58165d0bc03', 'cb00e672-232a-4137-a259-f3cf0382d466']",[] -91df72c9-3ba1-4c1c-aeef-1f0b9d614efe,Eric,Brewer,haysemma@example.org,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],['790c095e-49b2-4d58-9e8c-559d77a6b931'] -312530b6-f9a5-4b87-abca-e8fbeb4d0403,Christopher,Hawkins,jenniferreyes@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '069b6392-804b-4fcb-8654-d67afad1fd91', '564daa89-38f8-4c8a-8760-de1923f9a681']",['5cb997b6-0b71-405b-8f77-9bb3e30b05bb'] -2a80d92e-0f68-4d91-882c-d68ec44624c8,Kristen,Mathis,vhoward@example.net,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],[] -3ed833ff-2d75-4539-8472-3d0d3ab5d0ad,Tracy,Johnson,susanwilson@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '839c425d-d9b0-4b60-8c68-80d14ae382f7', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",['9ff1a8da-a565-4e98-a33e-9fe617c7ad79'] -1cc29400-cbad-484f-ac10-d4dfccd4382d,Shawn,Ryan,colecameron@example.net,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],['09f575e9-9f5d-41ca-998f-bfa72a693b1a'] -800f5d99-5e52-410d-85fd-e3f73184334f,Abigail,Taylor,adam79@example.com,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],['989b87b0-7bf5-40f9-82a1-7f6829696f39'] -2441840e-a1c5-41c5-a679-1c68ca0a858e,Dawn,Moreno,todd58@example.net,['c737a041-c713-43f6-8205-f409b349e2b6'],[] -e555dff9-a252-4429-806b-5d0a2850bb1f,Lindsey,Johnson,ericdurham@example.org,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['dcbb58a3-91a8-4b6b-a7d1-fcfcb4b5c5ba'] -473fd55f-5417-46f1-8aaf-934b7ff1aee3,Valerie,Santos,monica45@example.com,['59e3afa0-cb40-4f8e-9052-88b9af20e074'],[] -12242a25-725a-418d-b46d-d751df85e6a1,Mary,Hill,fparsons@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -f53aa98c-1eb6-4cbd-af84-cb931b1bec2f,Holly,Kemp,rodriguezleonard@example.org,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -07c26ff5-7732-4600-89e3-358b3f4162b7,Evan,Hernandez,thomas80@example.org,['67214339-8a36-45b9-8b25-439d97b06703'],[] -b667e1fa-a364-4193-a3a8-0a639291eabd,Kimberly,Mueller,tstevenson@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '052ec36c-e430-4698-9270-d925fe5bcaf4', '89531f13-baf0-43d6-b9f4-42a95482753a']",[] -d213aec8-769a-4724-8c6f-269c25b95721,Melissa,Hull,lopezmichael@example.org,['d000d0a3-a7ba-442d-92af-0d407340aa2f'],[] -0f5cc0d2-6198-4bb7-ac48-df5045a44c1b,Amy,Johnson,john40@example.net,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['47219f6e-b0c2-4dd4-9af6-935f2f731228'] -66db3035-639d-4f18-a579-31519d56332f,Kendra,Long,gerald32@example.org,['f51beff4-e90c-4b73-9253-8699c46a94ff'],[] -20658c81-c3fb-4aee-bbd1-8b915a0e1e95,Ryan,Little,sandrathomas@example.net,['7bee6f18-bd56-4920-a132-107c8af22bef'],[] -b261e2c5-82f5-4c16-b839-25d5ee8e4a6c,Anna,Butler,cliffordsmith@example.org,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['16ae7f7d-c1bc-46ab-a959-a60c49587218'] -94a67c98-9f01-4319-8780-58b768a3b31c,Robin,Campos,yingram@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['b90b0461-013f-4970-9097-1b15f9708b3c'] -9b34888d-7087-4741-a607-fd160276a403,Michael,Baker,theresa24@example.net,['577eb875-f886-400d-8b14-ec28a2cc5eae'],['d3002991-05db-4ad1-9b34-00653f41daa7'] -328d906e-b858-4094-afae-f2b83c86acda,Ashley,Mills,heather28@example.org,"['cb00e672-232a-4137-a259-f3cf0382d466', 'aeb5a55c-4554-4116-9de0-76910e66e154', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -cff26f26-f4c3-4745-8fb6-b9f156c831bf,Stacie,Solomon,eodonnell@example.net,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', 'ad391cbf-b874-4b1e-905b-2736f2b69332', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -7509eb69-8ac9-41fd-80ad-097cf7c79719,Caitlyn,Reed,donna49@example.org,['2f95e3de-03de-4827-a4a7-aaed42817861'],[] -bb3e5f7d-82be-4bdf-a222-8290d2f30d7a,Amber,Porter,morankurt@example.org,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -4dc2efb4-24c7-4b29-830c-f9771af86eca,Stephanie,Jordan,loribennett@example.org,"['ad391cbf-b874-4b1e-905b-2736f2b69332', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",['6a75b28a-db14-4422-90ca-84c6624d6f44'] -90fb7d64-4dc0-410f-b3e2-bddcf921c8e7,John,Davidson,murphykatrina@example.org,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],[] -84c5fe5d-e787-43cf-aac6-80ffaeab8107,Heather,Merritt,fritzerica@example.org,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['80099d97-0d21-46e1-8403-69c87f3bebd2'] -fdcdf8ce-ec47-492e-aa1e-6dff82ead6a4,Todd,Chavez,taylorvictoria@example.net,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],['3dda0bcb-6039-4f6e-91a7-5f010e930e8f'] -14f19ce8-201f-474d-a71d-604176716e17,Jonathan,Moore,floreslisa@example.org,['e665afb5-904a-4e86-a6da-1d859cc81f90'],[] -9da112c5-212d-4fe2-a323-8be6ecdcd789,Eric,Griffin,djones@example.com,"['072a3483-b063-48fd-bc9c-5faa9b845425', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -023acb08-33e2-4386-bd55-e880396a59f4,Paige,Griffin,qowens@example.org,['473d4c85-cc2c-4020-9381-c49a7236ad68'],['5c577d0d-45c5-4c98-963f-6599ca2eb587'] -7446fa16-64df-4983-843c-21524fdf00da,Stephanie,Bush,carrolljaime@example.org,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', 'c737a041-c713-43f6-8205-f409b349e2b6', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['96c86314-45fc-4e05-a2d5-c2a840cba21d'] -7b0c1c42-2caf-414b-8d4a-bc828a5c2839,Alexis,Key,tsmith@example.org,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['9b2adc0a-add8-4de7-bd74-0c20ecbd74df'] -76d4eb27-46df-4b8c-afe0-c6230376e8aa,Christine,King,smithsteve@example.com,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -45c3fd94-0d78-4256-af7b-64d7d83e19b7,David,Byrd,guzmanmike@example.com,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",[] -cc1b720b-287f-496f-972e-2202d4a71461,Joel,Bell,donaldsonanthony@example.net,"['c737a041-c713-43f6-8205-f409b349e2b6', 'ad391cbf-b874-4b1e-905b-2736f2b69332', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",[] -79b28894-acf0-4f3f-9cf3-2125e808c253,Susan,Michael,zlowe@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['e0822b86-9589-4d0d-a8b0-8c7eaafa5967'] -d9422e61-14df-4f1c-a7c2-a597548f76b0,Richard,Colon,ycox@example.net,['587c7609-ba56-4d22-b1e6-c12576c428fd'],[] -fc99a4db-a392-4ee5-9217-8e5f2caf2f49,Anne,Smith,jasondixon@example.com,['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d'],[] -5fb202cb-4097-4f88-83d8-27114f4aab54,James,Wells,ashley18@example.com,['c81b6283-b1aa-40d6-a825-f01410912435'],[] -0a8d459c-5a9d-482e-b03a-d83b17b953bd,Samantha,Knapp,zclements@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '59845c40-7efc-4514-9ed6-c29d983fba31', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['1a185320-fa73-49e9-905e-acffa1821454'] -302370ee-5c9e-45ba-93f0-ced1c2752d36,Alexis,Johnson,timothyperry@example.org,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -66814bd4-a87f-4642-a349-86cac9168812,Cynthia,Scott,fitzgeraldcole@example.org,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '7bee6f18-bd56-4920-a132-107c8af22bef', '069b6392-804b-4fcb-8654-d67afad1fd91']",['0ca56830-c077-47eb-9d08-bf16439aa81c'] -c8f8fc96-a28a-45ac-80c0-f53f82e544ad,Jessica,Reed,oconnelljose@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",[] -2b318fdc-fae1-480e-a820-793f8648603a,Stephanie,Dunn,martinlaura@example.com,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '473d4c85-cc2c-4020-9381-c49a7236ad68', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['133e9d7e-7d4f-4286-a393-b0a4446ce4f2'] -aa47de94-4a8b-47fe-8be4-5324a461349e,Donna,Olson,lisa82@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['ede4a3ad-bdf2-4782-91c6-faf8fae89a2f'] -738b08fe-bb80-4dd1-9acb-3f82f45be034,Kevin,Carter,mckayjamie@example.com,['c737a041-c713-43f6-8205-f409b349e2b6'],[] -497eb58a-93f3-4134-8d25-1e4c49c43f03,Mitchell,Bridges,sanchezandrea@example.net,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['5cb997b6-0b71-405b-8f77-9bb3e30b05bb'] -d7d783e9-ad08-48ac-ad4a-eff46a2f3397,Gina,Arnold,jamie54@example.net,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '86f109ac-c967-4c17-af5c-97395270c489', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['b50447d8-6d95-4cab-a7e5-228cd42efebd'] -05e9ff12-d291-45ca-8951-16e076774518,Aaron,Torres,andrewsparks@example.com,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['5cb997b6-0b71-405b-8f77-9bb3e30b05bb'] -b33d0243-4dd7-4032-8edd-bec15c674a15,Diane,Morris,dylanday@example.net,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],[] -7357ef47-3dce-44cf-8e7f-c6fbd0a2ce95,Sydney,Jackson,morenopaula@example.com,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '839c425d-d9b0-4b60-8c68-80d14ae382f7', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",[] -902cafb0-f032-46c2-ae98-0938837ce546,Anna,Wiley,dnorris@example.net,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -1d7d9df3-aebb-4d3c-9cb0-1fae4b5c4185,Jessica,Wang,thomastimothy@example.net,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -2a410e39-a592-4fca-b1f0-084fde085bb3,Lee,Clark,tracy93@example.com,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],[] -48fefaf4-f1cb-42ae-a621-5d833e5eaee5,Eric,Harris,smithamy@example.org,['57f29e6b-9082-4637-af4b-0d123ef4542d'],[] -781fa153-ef9b-43f7-8abe-49ccd879f710,Donald,Guerrero,wsparks@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -adc228a9-f724-4820-9137-493c4417589e,Sharon,Moore,laceypena@example.org,"['26e72658-4503-47c4-ad74-628545e2402a', '14026aa2-5f8c-45bf-9b92-0971d92127e6', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['f0202075-a64b-47e6-bddb-ef41452ab80d'] -0c633319-95f9-43c2-b898-b4ac866d057d,Michael,Torres,george93@example.net,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],[] -e3f1b6bc-43f4-489a-9c25-0bc5b74df3cc,Charles,Harris,kimdaniel@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', '1537733f-8218-4c45-9a0a-e00ff349a9d1', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['e94f718f-d099-477d-bdbd-40d267f92a93'] -bb46b67d-0f45-4a78-9ecc-0037d72d4d51,Lori,Dennis,jkirby@example.com,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],['8f136975-58ff-4a5d-91c2-1c1220bbb9da'] -07b15a71-5933-4213-9281-50537260e5dc,Kara,Woodward,perickson@example.net,['26e72658-4503-47c4-ad74-628545e2402a'],[] -a8b9c181-08d9-4874-8c93-409d540f1b84,Shane,Thompson,wilsondavid@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['ec208909-5357-48a2-8750-4063c4a7bd2e'] -6acc9f2a-4d48-407c-83e3-401f49475e7d,Mark,Lopez,maureenarellano@example.org,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -87475a77-dea2-4542-b6c1-b5ee3a117837,Dawn,Leach,frederickemily@example.com,['577eb875-f886-400d-8b14-ec28a2cc5eae'],[] -630ce388-10ce-4e62-907f-b7ac936ba71a,Kayla,Osborne,kimberly78@example.net,['c800d89e-031f-4180-b824-8fd307cf6d2b'],[] -77b6f419-10d5-4f48-bf60-8736a72301e4,Danielle,Church,hannahclark@example.com,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['3e509642-808b-4900-bbe9-528c62bd7555'] -bc623888-c33a-450d-826b-8c36c8babfa2,Lori,Lang,davidmccoy@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -dbaedcfa-6e89-41d4-8a8f-57eba2a3851b,Teresa,Black,rbrown@example.com,['9328e072-e82e-41ef-a132-ed54b649a5ca'],[] -948d235c-5bce-426d-af43-36255fa54b0c,Margaret,West,jeremiahray@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'c800d89e-031f-4180-b824-8fd307cf6d2b', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -37d8af0d-93c4-46e2-9fba-117baae4d0a8,Emily,Nguyen,caldwelldawn@example.com,"['c737a041-c713-43f6-8205-f409b349e2b6', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['91dd0e08-1fd4-41a5-8280-ff2e74a49b42'] -58181c79-b252-4d8e-8884-0a3f60c2271c,Chad,Reed,millerrachel@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -78060377-9782-45a8-a245-c3954745d403,Patricia,Mason,spencer66@example.com,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",[] -2003bf42-32b0-40ee-bca8-10fe755592c2,Catherine,Sanchez,mmorrow@example.net,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '44b1d8d5-663c-485b-94d3-c72540441aa0', '89531f13-baf0-43d6-b9f4-42a95482753a']",['12515d58-5699-416d-8ab9-627632f46e65'] -5010d927-0fc0-4012-b681-3ef8fd6a2573,Jordan,Johnson,danielmitchell@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '587c7609-ba56-4d22-b1e6-c12576c428fd', 'cb00e672-232a-4137-a259-f3cf0382d466']",['08b87dde-06a0-4a00-85fc-4b290750d185'] -3f4c576b-8d15-4f42-81c5-f097ca3db0db,Dana,Hawkins,christopher67@example.com,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -6498dd56-62fe-4414-a3cf-0fa2707738ef,Mary,Tran,nboone@example.com,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['e3933806-db81-4f2d-8886-8662f020919b'] -599d159e-c88a-4a89-b03e-97f7ec34f1e0,Christopher,Jackson,paul75@example.com,['c800d89e-031f-4180-b824-8fd307cf6d2b'],[] -c23644f8-8c05-4916-a53f-ea8495186a8c,Kimberly,Wagner,robertsjason@example.org,['61a0a607-be7b-429d-b492-59523fad023e'],['ca4820aa-5a1c-4777-9a8e-49d229544c08'] -23ac5d0c-0719-4087-858f-dc77d27fcf52,Paul,Long,samuelstein@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '63b288c1-4434-4120-867c-cee4dadd8c8a', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",[] -06cf0667-136d-477d-b9df-9bc76ddd13f2,Rhonda,Ellison,vaughnjoshua@example.com,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -711d43c6-8178-45c1-9ef4-3cd579f85efc,Jennifer,Schmidt,gkelley@example.com,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],[] -b11bb632-98f4-4cf7-86c0-6cda5a635cda,Barbara,Payne,katie38@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -afa8a5ba-12aa-4e4f-8056-86c0b64c2334,Matthew,Anderson,diaztamara@example.com,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],['4df8603b-757c-4cb8-b476-72e4c2a343da'] -031f7732-e05f-427c-b54f-1b5c57a8c6e9,Adam,Johnson,smithchristine@example.net,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', '724825a5-7a0b-422d-946e-ce9512ad7add']",['13506992-672a-4788-abd2-1461816063e4'] -6ec6fb58-8e4b-4e51-8daa-c9c2abf1d615,Christopher,Thomas,kenneth67@example.org,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -32ba3524-57f1-4297-b850-dffb2f5a6c22,Tammie,Richardson,jose02@example.com,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],[] -a95f97a3-56f0-4c27-992b-f015b6e5b357,Christopher,Gordon,johnny81@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",['ae6d4193-5ba7-41e3-80e3-d67ba38c6dd1'] -0e850886-a24c-498c-9eb8-82fa7502ded6,Krystal,Buck,coreythomas@example.net,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",[] -6241c1f6-06d4-42d7-8f6f-0cd2459802e7,Charles,Freeman,cjohnson@example.com,['724825a5-7a0b-422d-946e-ce9512ad7add'],['5cb997b6-0b71-405b-8f77-9bb3e30b05bb'] -6a584133-fb24-43d3-80e4-15504e67afe4,Robert,Wallace,uavila@example.net,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -f75f7eef-6a62-4784-82c1-ac62ac54d849,Gregory,Jones,eorozco@example.com,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -56531d18-d1aa-4850-94d1-16ce98e4bd6f,Matthew,Nguyen,virginia53@example.net,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '63b288c1-4434-4120-867c-cee4dadd8c8a']",['0d2e48b3-fb33-463f-a7ee-e4013f782b0e'] -88b9ef88-6714-4568-afd7-60e4703e766d,Ashley,Robinson,carteramanda@example.org,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['19d647db-7014-4236-9060-7967b62f30cd'] -6a32519c-68ff-4385-838b-7bcd058790b6,Jennifer,Hamilton,jason65@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '7bee6f18-bd56-4920-a132-107c8af22bef', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -1b4087fc-39f5-4a60-be5d-9131924d4ca6,Justin,Mcdowell,alexmiles@example.org,['577eb875-f886-400d-8b14-ec28a2cc5eae'],[] -0820904c-a1fd-45bb-aaf3-f758ef6cb991,Chelsea,Stewart,jacksonbradley@example.net,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",[] -f697b930-06e4-42e0-839a-b56afeda53ee,Debra,Garcia,anthonyelizabeth@example.com,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],[] -cf0f76ea-6e02-4b4a-b104-c0cfe5093143,Michael,Fuentes,kpatterson@example.net,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '724825a5-7a0b-422d-946e-ce9512ad7add', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -908f655b-e28a-4739-bb90-655b79f3824b,Anthony,Jackson,shane43@example.org,['9328e072-e82e-41ef-a132-ed54b649a5ca'],['bc0c7169-ca42-4d7b-ac37-9e42b54ef161'] -fada10e3-f2f2-4027-9189-2f17fc6febe0,Devin,Miller,edwardmiller@example.com,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '18df1544-69a6-460c-802e-7d262e83111d']",['604a9fae-f09d-4da2-af38-438179acb910'] -6ecb0180-9eb6-4927-9c9d-1096e3a5a13e,James,Ross,popedaniel@example.net,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '2f95e3de-03de-4827-a4a7-aaed42817861']",['0260e343-0aaf-47a5-9a99-ae53cb3c2747'] -c5f23cb1-a80a-4de0-bc15-5df6a1795bc5,Nicholas,Chan,phillipsrandy@example.com,"['59845c40-7efc-4514-9ed6-c29d983fba31', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['4a75fa22-38c9-4d95-8e19-0e0d24eba4ef'] -028f4295-ff23-43ce-b471-e03a6ef77c07,Gary,Johnson,fwebb@example.org,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],['5a3593c9-b29b-4e06-b60f-fe67588ac4ef'] -9e76825d-3c1d-47ff-9520-4f72a81086db,Katelyn,Riley,dpratt@example.net,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",[] -aaf460a0-69c7-4ce1-8395-3bbc0f17b1af,Alec,Reed,dickersoncrystal@example.net,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],['1f6566d0-b6a6-47ef-a8e9-9d1b224cc080'] -5c200466-aa71-4128-8e5b-022539d70b66,Paul,Smith,lmorgan@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -8007df1f-bd19-4edd-b777-de4e6c78a954,Julie,Morris,carol90@example.org,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -9b0cbdde-6c26-49e1-818c-8655fe6ea416,Jennifer,Harris,inguyen@example.org,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'c81b6283-b1aa-40d6-a825-f01410912435']",['5d6b4504-ce14-49a1-a1ab-0b8147f15e26'] -facca2c1-3acf-47cb-92dc-8868a4451837,Tina,Williams,curtisparsons@example.com,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -330d28ba-9b53-4456-b580-fe6bd0777188,Tyler,Jones,susan86@example.net,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'f51beff4-e90c-4b73-9253-8699c46a94ff', '18df1544-69a6-460c-802e-7d262e83111d']",[] -0d9a321b-820d-4809-ac3f-32e9f5aca180,Gina,Henderson,josephbarker@example.org,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],['0d2e48b3-fb33-463f-a7ee-e4013f782b0e'] -5f7e0ef8-3757-4a5f-906c-fc13952e5b34,Keith,Torres,christopherweaver@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['ac244352-e9fb-4c4f-b0ef-ce93f5f39df0'] -d5e83781-94f8-4402-85bf-a90890820147,Mark,Townsend,gardnerkrystal@example.org,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],[] -97e61513-d729-4b48-89d6-9669b36601ba,Margaret,Stevens,juliahill@example.org,"['18df1544-69a6-460c-802e-7d262e83111d', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -2a982941-ed9a-4f35-b2a6-ab4cac2685f0,Jessica,Williams,kevinhughes@example.net,['052ec36c-e430-4698-9270-d925fe5bcaf4'],[] -cfe50d71-55c6-4e4a-b5a7-d1dbbd491731,Sharon,Martin,marvinfletcher@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -8a616e46-92c6-4136-a885-35e810b2f889,Ashley,Dixon,xherring@example.org,"['724825a5-7a0b-422d-946e-ce9512ad7add', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -b972f861-af07-4479-8ab8-29dc8d480905,Colleen,Macdonald,gregorywilson@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -cc06d300-35b7-4e23-90d7-ada7df70f2c5,Melissa,Cantrell,wadekarla@example.com,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['b90b0461-013f-4970-9097-1b15f9708b3c'] -bbea0958-1424-44bf-9f45-c5b4f8432a78,Darlene,Valdez,bauerkayla@example.net,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],['67232110-4863-40da-be01-a95147537a9c'] -be71b3da-9d44-4419-9475-20b1ca9d9727,Richard,Sullivan,michael25@example.com,"['26e72658-4503-47c4-ad74-628545e2402a', '2f95e3de-03de-4827-a4a7-aaed42817861', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['dcbb58a3-91a8-4b6b-a7d1-fcfcb4b5c5ba'] -5e2a0b3e-a7b7-4702-9b4e-0829e3344227,Tracy,Graham,jennyrobinson@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -78de17c3-be12-4e39-ad9a-0acd295ea5c0,Todd,Randall,kristidavis@example.com,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '61a0a607-be7b-429d-b492-59523fad023e', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['bd8a91b8-935c-430e-9383-e1e8f512a395'] -b8276e8d-2511-409f-b5ab-bbb3c1ab18ad,Claudia,Freeman,hbrown@example.com,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],[] -b1e777dc-2bb4-4739-8553-fabc0572199b,Sarah,Singleton,robert21@example.org,"['7bee6f18-bd56-4920-a132-107c8af22bef', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['0d2e48b3-fb33-463f-a7ee-e4013f782b0e'] -dacf7fe0-23e2-4cce-a7c0-591da6246db7,Angela,Kelly,corey32@example.org,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['2f4b05d8-d3ec-4afb-a854-d7818899afe4'] -97614f60-36bd-40ca-8d79-1097fa9683d4,Deborah,Gutierrez,scott40@example.com,['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1'],['7af32566-8905-4685-8cda-46c53238a9ce'] -88b2b726-7bf2-44e3-8327-b77e19135f52,Shawn,Jackson,lisa61@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -f923da91-a767-402b-adc5-b8714a178b04,Eric,Ayala,fblair@example.org,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],[] -e0f496f7-1db6-4336-b482-b4373e7eb2d3,Amanda,Lindsey,phill@example.com,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],[] -32b09de0-6942-4db0-af55-80198839c479,Tiffany,Larson,anne52@example.com,"['e665afb5-904a-4e86-a6da-1d859cc81f90', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['a61907c4-11c0-4f84-9273-443043ef9a48'] -d794f9ca-a916-45d7-971b-614a624ab463,Summer,Wright,suelambert@example.com,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '7774475d-ab11-4247-a631-9c7d29ba9745']",['b49d9c5d-2d71-40d7-8f15-e83e4eb10a48'] -5e22d601-befb-46bd-8e5d-852623c1ff1e,Sarah,Stafford,kevin35@example.org,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -baaa9a7c-c1d1-4ae5-a499-a5c0dbda6513,Kristin,Tanner,brianna57@example.com,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', '069b6392-804b-4fcb-8654-d67afad1fd91']",['b10f5432-4dd0-4a27-a4c9-e15a68753edf'] -628c6091-2554-4fea-bb29-61041bc93094,Aaron,Bond,youngjacqueline@example.net,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'c81b6283-b1aa-40d6-a825-f01410912435']",['97bf71f0-276c-4169-8f77-a5a3e0cd98c4'] -0256ec47-673c-45ca-9433-a246f2a637cf,Kenneth,Robertson,gjohnson@example.net,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '473d4c85-cc2c-4020-9381-c49a7236ad68', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",[] -9c334232-0285-442d-85d4-2a537b15113e,Kelly,Reyes,james49@example.org,['63b288c1-4434-4120-867c-cee4dadd8c8a'],['832beeda-9378-4e28-8f27-25f275214e63'] -d2f15574-5d92-4857-84c2-4ed3cc508507,Tracy,Stone,luis10@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -311aa382-ac11-4293-9111-e1fa9c0e45fd,Nicole,Brady,wendy92@example.net,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '26e72658-4503-47c4-ad74-628545e2402a', 'c737a041-c713-43f6-8205-f409b349e2b6']",['b10f5432-4dd0-4a27-a4c9-e15a68753edf'] -b172a63a-b90a-4fd0-81b6-d9e814394eb3,John,Cole,brenda67@example.org,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'ba2cf281-cffa-4de5-9db9-2109331e455d', 'cb00e672-232a-4137-a259-f3cf0382d466']",[] -830f14a5-8893-4a4e-b12b-9d6940afa6a1,Wanda,Parker,omartin@example.net,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9'] -e92bab7b-14ba-4a13-b829-912d9e473bdf,Isabel,Williams,reneedeleon@example.net,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],[] -448ba340-d86d-4928-b5ef-0405be88f9cf,Kelly,Jensen,jessedavis@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -95024dc4-02ae-4762-b1ca-d502254d15bc,Greg,Taylor,navarrowilliam@example.net,['d000d0a3-a7ba-442d-92af-0d407340aa2f'],[] -a93ef085-ea95-48a8-9172-8163fc9a2b4d,Brandon,Johnson,voliver@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",['18dba8cf-ce28-40e3-995a-ee7b871d943b'] -dd408f74-9fd9-4ac0-ac83-832db5fb76ae,Amanda,Garcia,pprice@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['6847f646-5383-4226-bcf1-4059695eba82'] -1188f42c-0678-4594-8583-584451db2feb,Joshua,Nelson,anthonyduran@example.com,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],[] -00275c85-4e7a-47e0-ba57-ada7c21eaefd,Kellie,Allison,matthew78@example.com,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'e665afb5-904a-4e86-a6da-1d859cc81f90', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['dc830ca3-fe01-43bb-aa7e-d5bb75247b56'] -60d96a39-2b94-443e-a218-d77425bf2327,Debra,Curtis,vickiepatel@example.net,"['89531f13-baf0-43d6-b9f4-42a95482753a', '18df1544-69a6-460c-802e-7d262e83111d', '67214339-8a36-45b9-8b25-439d97b06703']",[] -5c281d34-5bab-4bff-9d23-e64b6a479ab2,Taylor,Baker,rodriguezjoanne@example.net,['aeb5a55c-4554-4116-9de0-76910e66e154'],['d84f87ab-abaa-4f1a-86bf-8b9c1e828080'] -118a45af-f27f-40d8-b64c-1a0cf898f815,George,Smith,kwilson@example.org,['7774475d-ab11-4247-a631-9c7d29ba9745'],[] -ff64340a-740d-4da7-be41-3b9a010f7021,Christopher,Middleton,uhernandez@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['3d65bb01-ff6b-4762-b55f-f59d5d63e057'] -e10a4460-15c7-4e81-a2e4-7dd4be59f19b,Brandon,Lester,rangelmelissa@example.com,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -dd47a111-7dee-4d95-91a3-849deeeff671,Stephanie,Craig,robert60@example.com,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],[] -77968f5e-f443-42dc-84bf-4c2a19909df8,Mark,Douglas,jfuller@example.net,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'e665afb5-904a-4e86-a6da-1d859cc81f90', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",[] -74d6b392-36e8-4342-a8c9-c48d63da48d6,John,Anderson,max92@example.org,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],['5fadd584-8af3-49e7-b518-f8bc9543aa4b'] -e015dd9b-1c23-496c-ac5b-c3d69200d973,Eric,Campbell,jennydaniel@example.com,"['c81b6283-b1aa-40d6-a825-f01410912435', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -fa33c960-938e-4d45-a886-2134b43509ba,Kayla,Garza,esparzalisa@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '67214339-8a36-45b9-8b25-439d97b06703']",['451a785e-6805-4a2e-841b-ac6e5e648c7f'] -61d02224-0f83-4427-bb81-c105470069c2,Amanda,Baker,robertgarcia@example.net,['cb00e672-232a-4137-a259-f3cf0382d466'],[] -dd34c508-b898-4243-b3fb-e384ccceb7c6,Eric,Fox,trogers@example.org,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '587c7609-ba56-4d22-b1e6-c12576c428fd', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -ec73bae5-54d6-41e9-8b59-03205fbdd95a,Timothy,James,rromero@example.net,['072a3483-b063-48fd-bc9c-5faa9b845425'],['3d40d597-6ecb-451f-ac63-3516c5862d1f'] -a1d72838-4dab-4a73-84fb-0b4610f186d4,Rebecca,Williams,davisbobby@example.net,['c81b6283-b1aa-40d6-a825-f01410912435'],['18faedc7-eba5-4224-85ac-124672b7f0c3'] -cdceeebb-3498-464d-84ca-668521a60647,Zachary,Flores,fulleredward@example.com,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['02a2745f-ff6d-45ce-8bfe-6be369c3fb50'] -fb431c06-2301-4ebc-94b7-1a9fdca04deb,Joshua,Cummings,millskenneth@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['eedf3fa0-c63b-495b-90df-9e99eaf3e271'] -c9335dc9-783d-4266-a7f5-1980c3b9544b,Derek,Gomez,thale@example.org,"['59845c40-7efc-4514-9ed6-c29d983fba31', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['0f046820-2a39-4b2d-9925-cec153cbe8cb'] -e46b96a1-22bb-4230-9d76-14972a5717ad,Angela,Perez,adam41@example.com,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -bc9fe104-9242-4118-b75e-e283fb243743,Bruce,Garcia,william89@example.net,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -5412a756-9c71-4721-81c0-20d214dae5ea,Grace,Fields,uowen@example.net,['9328e072-e82e-41ef-a132-ed54b649a5ca'],[] -42c73a68-dd48-4a59-9617-e07a29368f17,Suzanne,Davis,lharris@example.org,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['1511d62f-6ab4-4fcb-8e0e-21c1ff9f76f0'] -5d5d4250-1ab1-4e84-b8cd-edc7e483a6f0,Maureen,Gilbert,adavis@example.net,"['c81b6283-b1aa-40d6-a825-f01410912435', '564daa89-38f8-4c8a-8760-de1923f9a681', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -a606b954-9f49-4883-9b68-383539feffe4,Sean,Henderson,millerkatherine@example.com,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '473d4c85-cc2c-4020-9381-c49a7236ad68', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['f09252d6-3449-4028-9039-9bc5c617606d'] -df6a9086-4261-4002-baaf-1a6725153d28,Dennis,Humphrey,melissa30@example.net,['61a0a607-be7b-429d-b492-59523fad023e'],['cb00caa7-48f7-41db-bd55-a6f1ca740ba5'] -fb86af05-0151-4274-a93d-387edb323ed0,Brandy,Stone,ggarza@example.org,['c97d60e5-8c92-4d2e-b782-542ca7aa7799'],[] -e438bd01-aaf6-48a9-9cfd-8073d65c1ea0,Rebecca,Carter,sthompson@example.net,"['cb00e672-232a-4137-a259-f3cf0382d466', '6a1545de-63fd-4c04-bc27-58ba334e7a91', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",['46e02390-6910-4f24-8281-a327e5472f73'] -f758165d-bfd0-4b5a-8db3-4158d13ebb69,Melvin,Johnson,carrolljoshua@example.org,"['aeb5a55c-4554-4116-9de0-76910e66e154', '2f95e3de-03de-4827-a4a7-aaed42817861', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -d28166eb-d0fe-4ff6-be66-119cfea3e1fe,Amber,Banks,jortiz@example.com,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],['1cfc9512-821c-4168-96dc-dd6fe3664fa7'] -20e114db-9c0d-4eab-8f3a-fb966aa877b6,Lisa,Nelson,kathleen63@example.com,"['577eb875-f886-400d-8b14-ec28a2cc5eae', '26e72658-4503-47c4-ad74-628545e2402a']",['7747fcc1-0f07-4288-a19f-abc06417eb6b'] -043b80de-9f97-415f-b462-ae385c3ede74,Kyle,Conner,istevens@example.net,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '89531f13-baf0-43d6-b9f4-42a95482753a', '072a3483-b063-48fd-bc9c-5faa9b845425']",['a5990335-b063-4f4a-896a-7959e2e559ed'] -b5aaecbd-a416-4b9c-a0a4-69254afce081,Kristin,Hicks,paulkerr@example.com,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -159fb102-2d8e-49cb-84b3-9952663738ab,Heather,White,vthomas@example.net,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -bb93bfba-5ef2-4a1a-9fa3-7d341cb7cd57,Daniel,Smith,teresa35@example.net,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'cb00e672-232a-4137-a259-f3cf0382d466', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -8a25cb39-17bd-46ae-8fec-a72ba201ceed,Andrew,Dixon,vincent30@example.com,"['7bee6f18-bd56-4920-a132-107c8af22bef', '577eb875-f886-400d-8b14-ec28a2cc5eae', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",['2584743f-fb25-4926-b229-2468e4684fc7'] -4a1d23ee-f120-48bc-add1-c728cdefbc30,Robert,King,khester@example.net,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['ee9360bb-fe33-4514-8dac-270ea7d42539'] -aee7331c-c409-4ede-b46b-f881d7733872,Yvonne,Andrews,theresagillespie@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '2f95e3de-03de-4827-a4a7-aaed42817861', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -ee219886-4439-4ad0-b4b9-47dbca0c106a,John,Williams,schroederstephanie@example.org,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '514f3569-5435-48bb-bc74-6b08d3d78ca9', '26e72658-4503-47c4-ad74-628545e2402a']",[] -a4643fcb-024d-4c8e-967f-1cb2a62d20b3,Barry,Henderson,lewisdylan@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -f052284c-8188-4d6c-a705-1467109c93d5,Wesley,Chen,poncechristopher@example.net,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '514f3569-5435-48bb-bc74-6b08d3d78ca9', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['7df1ce76-3403-42ff-9a89-99d9650e53f4'] -067bd932-7630-4033-9536-7a468a3627f5,Bethany,Nguyen,pereztanya@example.net,['839c425d-d9b0-4b60-8c68-80d14ae382f7'],[] -edb71b5a-ccb1-4ecd-823e-2940bbd32501,Cristian,Ho,paul17@example.com,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '61a0a607-be7b-429d-b492-59523fad023e']",['743983ca-55ad-40a7-93c2-9051bf14e946'] -e2108730-c430-4919-9788-09e8bb13457b,Stanley,Ramsey,aacevedo@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '3227c040-7d18-4803-b4b4-799667344a6d', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -519b1cc0-7e46-4fbb-9734-56fd377602be,Jason,Nguyen,lsmith@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['2105468b-1c9d-4fc5-a238-00bde2262266'] -848fc935-5f6f-4fc8-b897-0fdbe6f2df89,Robin,Williams,davidsmith@example.org,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],[] -5f860d1f-68d8-405b-81d4-6a25975682c3,Nicholas,Collier,harveysteven@example.org,"['724825a5-7a0b-422d-946e-ce9512ad7add', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['bdfda1af-97ad-4ce2-ba84-76824add8445'] -903c4af9-cafc-4078-852f-a6e26cd26ead,Andrew,Gonzalez,kgonzales@example.org,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['f97f0dba-9e72-4676-ae77-e316f15490aa'] -fda697a2-dc19-4bc2-93a3-edc5973db7c3,Kevin,Rogers,ryan61@example.org,"['89531f13-baf0-43d6-b9f4-42a95482753a', '839c425d-d9b0-4b60-8c68-80d14ae382f7', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",['db07fa7b-d0f9-44b4-981b-358558b30f4c'] -4e6fafc1-b8ce-4367-975a-ed5241335d88,Aimee,Evans,silvaamber@example.com,['c81b6283-b1aa-40d6-a825-f01410912435'],[] -77841bd0-007d-4635-90e7-108c6a307a4b,Christy,Bradshaw,robert49@example.net,"['c737a041-c713-43f6-8205-f409b349e2b6', '86f109ac-c967-4c17-af5c-97395270c489']",['6f9118c5-41aa-47dc-8e6c-8da98577521c'] -42664cfa-67ed-4eee-9667-27d6ca9faaa8,Sydney,Harvey,xvaughn@example.org,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', 'c800d89e-031f-4180-b824-8fd307cf6d2b', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",['d3002991-05db-4ad1-9b34-00653f41daa7'] -b8285466-9768-4c5b-9ae0-1c2db0a4e3e9,Pamela,Gutierrez,kara06@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -d4c55002-394f-430a-a1ea-3479b320a20b,Jo,Steele,emorales@example.net,['89531f13-baf0-43d6-b9f4-42a95482753a'],['0d2e48b3-fb33-463f-a7ee-e4013f782b0e'] -7cf9788e-c4bc-47e8-8878-2644481f1138,Erin,May,sonyaellis@example.net,['2f95e3de-03de-4827-a4a7-aaed42817861'],[] -60f939f9-1be7-4f59-b394-51bfeb575903,Amanda,Hamilton,dylan12@example.org,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],[] -50788d5a-50ac-4027-9cac-4adb0b670e59,Jeremy,Page,osbornhaley@example.com,"['89531f13-baf0-43d6-b9f4-42a95482753a', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['a8231999-aba4-4c22-93fb-470237ef3a98'] -9f782082-4f09-4464-b95d-16351b8d352d,Arthur,Lloyd,hopkinsangela@example.org,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '724825a5-7a0b-422d-946e-ce9512ad7add', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",['133e9d7e-7d4f-4286-a393-b0a4446ce4f2'] -830f1b27-d398-4d67-a9ba-5202ce720218,Daniel,Edwards,thomas03@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '587c7609-ba56-4d22-b1e6-c12576c428fd', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",[] -e6e7162e-6462-49cc-9e6c-ab5bee6aa04f,Andrew,Gonzalez,rebecca23@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', '26e72658-4503-47c4-ad74-628545e2402a']",[] -12865a24-8619-45fb-bfc8-74d49fb26587,Wendy,Baker,xturner@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '514f3569-5435-48bb-bc74-6b08d3d78ca9', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['ad1580de-5b95-44a5-8d08-50326e67d89e'] -f7e2aeac-aa23-412c-85dc-b5b662ae74a2,Frank,Dalton,bellpatrick@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['b62c31fd-d06e-4e38-b6da-5c9f4259a588'] -071ef8b5-1425-4d9f-bbc7-f61600c21252,Jessica,Johnson,lisa22@example.com,['577eb875-f886-400d-8b14-ec28a2cc5eae'],[] -56690423-dbc7-4379-bce9-d9255ba08a82,Diane,Cowan,richardjames@example.org,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -b69aa9e7-7945-4f4c-8d95-f57b1bbad59e,Karen,Lee,johnsondavid@example.com,"['072a3483-b063-48fd-bc9c-5faa9b845425', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '89531f13-baf0-43d6-b9f4-42a95482753a']",[] -bcfa44fe-d79d-4bf0-98e1-e91a088f0301,Robert,Tran,charlestrevino@example.org,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['07c46b33-d48c-4dee-b35b-ff3bec33eef1'] -7a891601-b672-415f-8c82-af89afb32abb,Angel,Gray,nicholaswhite@example.net,['e665afb5-904a-4e86-a6da-1d859cc81f90'],[] -bfb644d7-e801-411d-86e3-500b93323843,Tara,Lindsey,rosariojohn@example.com,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],[] -1299cdb0-f4a4-451d-964e-8a26d510164b,Maureen,Edwards,mbrown@example.com,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['19d647db-7014-4236-9060-7967b62f30cd'] -037407a2-48f7-40f4-b94b-87842e3dd34a,April,Freeman,connie83@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -ad1a4fb7-1f8e-42e4-b0c9-105f12ac86a8,Brianna,Huynh,tammymitchell@example.com,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -d575ec37-abca-416d-8a3a-1032068e812b,Danielle,Massey,riceanthony@example.net,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -adccd0f8-42d3-48e6-87d0-35cac3bee631,Jennifer,Le,sclark@example.com,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],['d36e4525-9cc4-41fd-9ca9-178f03398250'] -7b47095a-b447-44a0-b481-7d1e2819f07b,Clinton,Shaw,larry25@example.org,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",[] -ea905a5f-2880-4f5a-b6fd-d6472222354e,Carol,Walter,monique38@example.com,"['86f109ac-c967-4c17-af5c-97395270c489', 'e665afb5-904a-4e86-a6da-1d859cc81f90', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['e2bd186c-6620-406e-943d-d0eee22078bb'] -5b4d46cd-a397-4484-a3c2-51246a3fdea4,Jennifer,Lewis,rstrickland@example.com,"['89531f13-baf0-43d6-b9f4-42a95482753a', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -d6fb6dd6-b86f-40de-86a7-9f350b1d5b47,Tina,Walsh,woodsbrittany@example.com,['61a0a607-be7b-429d-b492-59523fad023e'],['18dba8cf-ce28-40e3-995a-ee7b871d943b'] -8f0e60d9-2df6-4c1a-8aaa-8a39f14571bd,Brandon,Boyd,jonesmathew@example.com,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],['1b7e81f4-86ee-42fa-a98a-2fec2152c9d9'] -82c29dc4-8050-4bf6-84f2-bc44323ba3ca,Christopher,Maynard,michael37@example.org,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -43f44a00-00b6-4bed-99f0-6c8440731bcd,Bryan,Patterson,kathleen05@example.net,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -f2f46755-fb6c-48a2-8a23-c475d7909a70,Barbara,Brewer,meghan83@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'e665afb5-904a-4e86-a6da-1d859cc81f90', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -9bb676d2-6864-4152-8905-214dc294c360,Martin,Hendricks,erodriguez@example.com,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['011a93a0-8166-4f24-9bb0-613fb7084acf'] -fde2782a-1b10-485c-bfb2-f2728b41fe95,Michelle,James,sarahburch@example.com,"['7bee6f18-bd56-4920-a132-107c8af22bef', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -582a0977-76bb-4227-9a33-9d77713b2ff6,Kenneth,Spence,victor04@example.org,['63b288c1-4434-4120-867c-cee4dadd8c8a'],['25a08c6b-414c-430f-891b-86aacac98010'] -bf60015f-8848-4fdd-81bb-c1fa21268538,Bethany,Nelson,jeremy30@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '7bee6f18-bd56-4920-a132-107c8af22bef']",['2a650b10-6518-4b6f-882a-fc4d0a4596ff'] -e0ec8ed3-8675-4f31-b2f2-8cfba868cdc4,Kelsey,Cunningham,stephaniewilliams@example.com,['7bee6f18-bd56-4920-a132-107c8af22bef'],[] -e00d14a9-a38d-4260-a096-581505aa67b6,Amy,Richardson,hodgesryan@example.net,['c737a041-c713-43f6-8205-f409b349e2b6'],[] -cccac355-1985-4e38-8760-6e6545e75756,David,Rivera,gshepherd@example.com,"['89531f13-baf0-43d6-b9f4-42a95482753a', 'cb00e672-232a-4137-a259-f3cf0382d466']",[] -d6082079-367f-4ee0-a4dd-f63556a618b0,Douglas,Daniel,xlarson@example.net,"['c81b6283-b1aa-40d6-a825-f01410912435', '18df1544-69a6-460c-802e-7d262e83111d', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['e1eab1f1-0342-487c-ba7e-ff062a1d0f93'] -aa7b1363-8a04-437b-9fef-2b41d87beb79,Robert,Sandoval,christopher00@example.com,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",[] -903961ed-1778-445b-9374-426cefec2c66,Andrew,Simpson,kevin58@example.net,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['0260e343-0aaf-47a5-9a99-ae53cb3c2747'] -674d0490-d2db-453d-b055-450e5db3b88d,Kevin,Smith,idixon@example.org,"['aeb5a55c-4554-4116-9de0-76910e66e154', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -f000b468-01af-4f78-ae0d-abce9c8928e4,Raymond,Mason,harold37@example.org,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -c166ea97-376c-4fa6-89a5-24d7e9320812,David,Green,elizabethsantana@example.net,['57f29e6b-9082-4637-af4b-0d123ef4542d'],[] -a9d7aa16-88f6-4c4e-8b26-2f74902892b7,Kenneth,Wong,luis82@example.com,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -2861cbec-2754-4434-b0d4-13aa792dee91,Gary,Doyle,michael07@example.com,"['86f109ac-c967-4c17-af5c-97395270c489', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -223ead9f-89d7-4feb-972d-648eca98e5c3,Sarah,Garcia,carrie19@example.com,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['279042a3-3681-41c1-bed1-68c8a111c458'] -55684e2d-c627-4911-8621-11192b978830,Sabrina,Wolf,roberthancock@example.org,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['a04e732d-8850-4b55-9354-cbc5a3167e14'] -4c2eb0ac-9f95-4c1a-8cba-beb3e5744424,Tara,Kennedy,amanda67@example.org,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],['d08f2811-4f8c-4db3-af53-defe5fe3b9cf'] -cd5a21ab-3e85-4007-a10a-9622ab56beb1,Louis,Fitzgerald,alyssaavila@example.com,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'cb00e672-232a-4137-a259-f3cf0382d466', '59845c40-7efc-4514-9ed6-c29d983fba31']",['45249454-edef-4d93-a5d2-f6f14e123707'] -8877407b-0caa-4ed3-a629-5e0b40d1ae7b,Theresa,Sims,kgardner@example.com,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],['47ecfc8e-62ef-4eb8-93c7-008b6008cc16'] -5edd29e8-78b7-4c16-a73a-4e569f5d50a3,Jason,Singh,greendawn@example.com,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -5d84248b-7720-4ad5-8892-fc63ae8fbf12,Danielle,Patel,stephenrodriguez@example.com,['e665afb5-904a-4e86-a6da-1d859cc81f90'],['52686405-7db2-48bd-a10c-2b98b58451dd'] -0740c72b-5b39-4ce7-9eeb-14c4eff00198,Christopher,Mckenzie,lisa86@example.net,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['ccfd888f-3eae-4aa5-b532-a93cc157945f'] -9f452487-e7d8-494b-ba7c-69c220dcf412,Whitney,Fletcher,qsmith@example.net,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],['79cfd643-4de5-46b2-8459-f1f6b8d87583'] -5a6dfd30-55bf-4156-a7ca-586e481ebcfa,Todd,Peterson,klinekaren@example.org,['6cb2d19f-f0a4-4ece-9190-76345d1abc54'],['451a785e-6805-4a2e-841b-ac6e5e648c7f'] -3b465816-dcc0-4f36-821b-4f9d1fe820c0,William,Smith,jeffrey30@example.com,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -3eb501b8-d675-4d4d-a773-ea6b6fb206e3,Shirley,Daniels,meghanlee@example.net,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -1a0f6aea-7f38-4804-97eb-060af96256d6,Jacqueline,Miller,aaron00@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '839c425d-d9b0-4b60-8c68-80d14ae382f7', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['c700e245-1664-4459-8f89-f26b2548d901'] -24f18602-dd98-4d48-a85f-686fe76d5f50,Michael,Davis,blake55@example.org,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['3b3f7978-53e0-4a0c-b044-be05cb7fad97'] -0e94d25d-d8d5-45f0-8f41-f5fdbc64236e,Heather,Rodriguez,patrickgutierrez@example.net,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -219d054a-d5ed-4284-851d-41c0bdf6079c,Leslie,Hernandez,qwilliamson@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -faae3142-3dc9-46a3-a1b6-88824919c286,Ryan,Gray,vchavez@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['01d43858-67f3-4c95-b6ca-81a75b33a75c'] -360068d9-5095-40cd-ac57-4051f5d25471,Alejandra,Johnson,shannon05@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', 'c800d89e-031f-4180-b824-8fd307cf6d2b', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -c8dc3c98-16e9-45f5-9907-b8c3feb3dfb2,Melissa,Turner,rowlandashlee@example.org,['e665afb5-904a-4e86-a6da-1d859cc81f90'],['aaafb4f5-408a-43cb-90c5-451db488af94'] -f3979d68-d573-4de5-94e8-99676b7ab481,Peter,Flynn,jwagner@example.net,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', 'aeb5a55c-4554-4116-9de0-76910e66e154', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['3d691991-bcac-4354-95c4-e73998e5abe7'] -5bd1cc54-4873-4036-b46b-c412589593e4,Mark,Stanley,larsonjason@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",[] -c9138f43-a992-48bc-949e-7dbb688517cf,Laura,Smith,patricklowe@example.com,"['59845c40-7efc-4514-9ed6-c29d983fba31', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -89fef7f3-b190-4f1e-afc8-1e578851b51d,Gina,Gonzalez,mark15@example.org,['57f29e6b-9082-4637-af4b-0d123ef4542d'],[] -d153b750-e1a8-4c24-8f1c-56c5de942855,Diana,Shaw,kevin19@example.com,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'cb00e672-232a-4137-a259-f3cf0382d466']",[] -e8566b3b-71cf-4877-9b59-551080f4c551,Joseph,Douglas,danielle93@example.net,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],[] -0bc0a636-0f33-44fd-99c7-470bca024032,Julie,Robinson,masonbrandy@example.com,"['072a3483-b063-48fd-bc9c-5faa9b845425', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['9b2adc0a-add8-4de7-bd74-0c20ecbd74df'] -75a95348-8b6f-444a-8568-baffc93df501,Kristy,Ellis,nicholsondeborah@example.org,"['2f95e3de-03de-4827-a4a7-aaed42817861', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['803dea68-563c-4f52-ad85-616523b60788'] -7ac1eb2e-20ca-46f5-b282-317528cea4fb,James,Jones,lisasnyder@example.net,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'c737a041-c713-43f6-8205-f409b349e2b6', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['7084ad06-71a2-474b-90da-6d4d73a464f6'] -4dec503c-49f7-4bd0-bd41-1a074f7395c0,Dalton,Clayton,snowcourtney@example.com,['63b288c1-4434-4120-867c-cee4dadd8c8a'],['40693c50-8e07-4fb8-a0bc-ecf3383ce195'] -eeb4e433-a0dc-406e-a004-54796fdf7fe7,Monica,Freeman,harrisalicia@example.com,"['f51beff4-e90c-4b73-9253-8699c46a94ff', 'cb00e672-232a-4137-a259-f3cf0382d466']",['80099d97-0d21-46e1-8403-69c87f3bebd2'] -6b0ea04b-f5ba-4ff0-9533-5b51f4f8f3e3,Antonio,Hawkins,jamesamy@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', '86f109ac-c967-4c17-af5c-97395270c489', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -46776f44-8be0-4dd7-ba04-a8c307b441fe,Stephanie,Leon,ufields@example.com,['c81b6283-b1aa-40d6-a825-f01410912435'],[] -de0bdd01-1b64-4e1e-a849-b2005e4d5fac,Cynthia,Anderson,kelly16@example.org,['18df1544-69a6-460c-802e-7d262e83111d'],[] -50da38e5-29c2-40bf-a02f-81e77cd93243,Terri,Patel,hayeschristopher@example.com,"['aeb5a55c-4554-4116-9de0-76910e66e154', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['79dc1fdb-a80c-4571-ac0c-91804b40f886'] -31260b1f-cd6e-41f2-954a-42769e5fad63,Robert,Kelly,kevin96@example.net,"['63b288c1-4434-4120-867c-cee4dadd8c8a', '67214339-8a36-45b9-8b25-439d97b06703']",[] -679c0754-1c72-4111-bf83-d0c1d81ef7ce,Douglas,Carroll,ijohnson@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['47ecfc8e-62ef-4eb8-93c7-008b6008cc16'] -296e8d66-28ba-47ab-a1ef-62c3c782fa1e,Rachel,Parrish,copelandmark@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', '89531f13-baf0-43d6-b9f4-42a95482753a']",[] -c0e30e5f-8f7f-40a7-81cc-462308828581,Breanna,Phillips,alyssa52@example.org,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'c737a041-c713-43f6-8205-f409b349e2b6', '724825a5-7a0b-422d-946e-ce9512ad7add']",['205540c2-8a52-40ff-8de0-5ecb5603eba2'] -e9e56325-1132-4aa2-8625-3b7150fc9d08,Natalie,Mathis,elizabeth42@example.net,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -cd45e9c4-a490-4c67-9e4b-ec5c9f950bed,Brandon,Jones,ksmith@example.net,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '14026aa2-5f8c-45bf-9b92-0971d92127e6', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -949f7443-90f5-47ad-bcb9-a07cb821a393,Christine,Smith,justinhernandez@example.net,"['cb00e672-232a-4137-a259-f3cf0382d466', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['12515d58-5699-416d-8ab9-627632f46e65'] -b05e5f13-642f-40a1-b673-bfffdb695b3a,Joseph,Smith,catherinecase@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -f893bb33-51a8-49e4-ac45-c57c11b2de8e,Ashley,Bautista,suzanneking@example.net,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -915d1052-a73c-4467-8ef6-f9081f947e17,Samuel,Meyer,joshuaweaver@example.com,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '18df1544-69a6-460c-802e-7d262e83111d', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['2cb6aa09-8f3f-4d8b-8a91-872b9df2c079'] -ece1753a-6356-407d-bb2b-c2e349ed1e12,Sarah,Thomas,brenda91@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",[] -6c1c3619-47b1-4deb-ac6c-b2cd2b4e9884,Amanda,Rodriguez,wgill@example.com,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -4c324dc4-d0a9-43f5-9624-7d6cb0988817,Amanda,Lewis,patricklewis@example.net,['86f109ac-c967-4c17-af5c-97395270c489'],['f4650f32-069d-4dcf-a62b-7a932bf764f5'] -4ebc1710-6156-43d6-aeae-db65cc299629,Paul,Jones,ohebert@example.net,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -c15c4ad1-d083-40f6-aa28-387e45f3379e,Kendra,Gregory,andrewwatson@example.com,"['7bee6f18-bd56-4920-a132-107c8af22bef', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",[] -479f4d79-b43d-4e2c-9ac9-6b87a37fd6da,Gail,Valdez,jay81@example.net,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '7bee6f18-bd56-4920-a132-107c8af22bef', '61a0a607-be7b-429d-b492-59523fad023e']",[] -85c6e5cd-f56b-4857-9eaa-cb3eb030034f,Juan,Chapman,amandaschneider@example.com,"['18df1544-69a6-460c-802e-7d262e83111d', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -3f64414d-b0b2-4636-8674-9b531f63969c,Jake,Bean,nunezkimberly@example.com,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'c737a041-c713-43f6-8205-f409b349e2b6']",['fb060075-4c05-4c05-9c1b-fc1531f548a5'] -6fce6dd0-615c-4603-a5ae-f3a0e43c6d09,Cindy,Daniels,floressuzanne@example.net,"['c81b6283-b1aa-40d6-a825-f01410912435', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",[] -ec110f9b-4c98-41e2-bcc5-225fd69bb7a0,Carrie,Craig,rochakathleen@example.com,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['3df1dadb-be6b-411f-b455-f954efaf227c'] -0a5549b9-48d8-40ce-9036-86d2b65b408a,Blake,Adkins,peterbeasley@example.com,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '67214339-8a36-45b9-8b25-439d97b06703', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -f299f547-321b-46b2-a6fe-b927358a7000,Aaron,Davis,bartonandrew@example.org,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -6915d8bc-5249-4eaf-89c8-5fbd07de71b6,Michael,Steele,debrabates@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -0073ae09-b282-4263-9f8f-d3d451cded54,Kevin,Ball,josehorne@example.net,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['173de46c-bc96-4cff-85a5-f361780d1637'] -bdfe330d-c8f1-4d14-b22c-d628a28cc77b,Roger,Phillips,amanda94@example.org,['052ec36c-e430-4698-9270-d925fe5bcaf4'],['bfe07d0d-ca15-400a-aa7d-febdb72f5e51'] -59dd46e3-3ead-4108-9e21-2aac0425a4f8,Roger,Campbell,alan16@example.org,['79a00b55-fa24-45d8-a43f-772694b7776d'],['9471e78e-099c-46b1-87da-4d8f71d8e7c3'] -4498a840-e4fe-4316-ba43-105186e53174,Jessica,Hernandez,mchavez@example.com,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],['bd8a91b8-935c-430e-9383-e1e8f512a395'] -c0438072-6cf1-4817-aec0-92d54082dc33,Carol,Torres,roweadam@example.net,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', 'cb00e672-232a-4137-a259-f3cf0382d466', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",[] -f1d9f17a-46f6-4579-80ae-554fab2c2287,Peter,Sheppard,schroederstephen@example.com,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '86f109ac-c967-4c17-af5c-97395270c489', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",['756f1c00-e01c-4363-b610-0714cdfc68c2'] -300939ca-89a8-41a7-8d72-e4cd6652a67d,Ryan,Gross,roblesrichard@example.net,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],['d55f08cc-5a12-4a6e-86bd-cfd1fa971c6a'] -375682a1-b08b-4de8-8c00-f747f63911e5,Luke,Thompson,catherineharris@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['2400a836-b97a-46ca-8333-28c2e780ee3d'] -9a84b728-c393-4e90-ad01-021e14828e95,Steven,Rogers,hendersonmegan@example.org,"['2f95e3de-03de-4827-a4a7-aaed42817861', '26e72658-4503-47c4-ad74-628545e2402a']",['76e56a22-d4e7-46c5-8d75-7c2a73eac973'] -07e25d37-a2d4-49d5-aba9-e1087b4ff69c,Kelly,Bennett,ryanparker@example.org,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],[] -b954ff5d-d990-4957-ba33-49901e59fc6a,Julie,Smith,parkerphyllis@example.net,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '26e72658-4503-47c4-ad74-628545e2402a', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['bc4fcf59-dcf6-42bf-ae74-c7a815569099'] -e907a90f-0086-4e08-8073-2f4105988fdb,Sarah,Lewis,owensteresa@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",[] -3fc994bb-3e89-48c2-a62f-ee8f360bbedf,Mark,Mcdonald,richard40@example.org,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '724825a5-7a0b-422d-946e-ce9512ad7add', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['ca4820aa-5a1c-4777-9a8e-49d229544c08'] -5131c9c6-7020-4e58-b87b-3d500efade23,Kelly,Alvarez,ujenkins@example.org,['c800d89e-031f-4180-b824-8fd307cf6d2b'],['cbba3ff2-3599-457b-ab09-728f11ff636d'] -bf985900-268b-493d-8bd8-4e1b55f870c0,Theresa,Long,juliebaxter@example.net,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -dd8a4049-aaab-457f-a538-7e2b55c5c319,Dawn,Villa,michaelross@example.org,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",[] -2a38d5ab-9059-4ccd-b469-ce19cc548a13,Gabriela,Bernard,ramirezsteve@example.net,"['c81b6283-b1aa-40d6-a825-f01410912435', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['b49d9c5d-2d71-40d7-8f15-e83e4eb10a48'] -5081aa7e-e336-47a9-9e99-3a12f3c2f766,Marie,Williams,rachel59@example.org,"['ad391cbf-b874-4b1e-905b-2736f2b69332', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",[] -f7083baa-c8bf-4920-a687-1dcd6e90692f,Sheryl,Castro,jordan72@example.com,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -a91c3312-6b25-4816-9a7a-edafb8767428,John,Cross,erichinton@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '79a00b55-fa24-45d8-a43f-772694b7776d']",['6a75b28a-db14-4422-90ca-84c6624d6f44'] -4653554a-ac09-4662-95c7-5f214613b20d,Christopher,Morris,psanchez@example.com,['3fe4cd72-43e3-40ea-8016-abb2b01503c7'],['7af32566-8905-4685-8cda-46c53238a9ce'] -485e81f7-8eeb-4d72-9a59-4abc627d865c,Raymond,Cain,gregorymartinez@example.com,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['d95611e2-f59d-4bdf-9cc3-67417117f372'] -9ddea4d9-2300-477a-a261-83a01a9791b5,Mary,Clark,michaelcarroll@example.org,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],['fff9028c-4504-47c1-8b12-c4b23391d782'] -ec61248c-0dd0-465a-887a-a242dd90e6cc,Sarah,Ryan,bradrichardson@example.com,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['e0822b86-9589-4d0d-a8b0-8c7eaafa5967'] -a843ca66-22da-4a1c-8b14-f0b495a27304,Alicia,Parker,woodanthony@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['c4b728a4-8c84-4abb-acd1-d8952768fbf3'] -a7a553c7-540e-4aa5-8099-502d45c000f2,Deborah,Wallace,daniellehernandez@example.net,['cb00e672-232a-4137-a259-f3cf0382d466'],[] -502f4079-aa1c-469d-b45c-35d0ecb5b918,Kimberly,Mills,cobbmary@example.net,"['57f29e6b-9082-4637-af4b-0d123ef4542d', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['dab5ce35-eacc-4dc0-8b7e-6a6d211e1ce7'] -9ed8fe94-9e79-4e18-b470-2482e78025f4,Alexis,Holmes,bob71@example.com,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],['5c4c4328-fea5-48b8-af04-dcf245dbed24'] -622420e1-b792-45bc-b61d-35d35a40871d,Jonathan,Christensen,shannonochoa@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '1537733f-8218-4c45-9a0a-e00ff349a9d1', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -cf200ae3-271b-4905-96dc-708ac825d356,Robert,Summers,fortega@example.org,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],['e588d2c2-b68f-4d33-be95-0b72f0a682b2'] -06e4398e-38d6-472d-8c9f-fdf36eb30556,Kristina,Miranda,robertsonjoseph@example.org,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],['278e71b3-2e69-4ee2-a7a3-9f78fee839ea'] -9ab974d6-9ec8-440f-87de-42454161b877,Jesse,Hammond,cynthiarobbins@example.net,"['c81b6283-b1aa-40d6-a825-f01410912435', '59845c40-7efc-4514-9ed6-c29d983fba31', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['8dc91968-9d5b-4e1e-82e1-507f51b67802'] -40e0c527-106c-48e4-ab4e-bd3db7594e21,Ricky,Johnson,bsanders@example.org,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -5cc76ed2-535d-476b-a0e9-4e79a86451f8,Judith,Hayes,jay72@example.org,['069b6392-804b-4fcb-8654-d67afad1fd91'],[] -8af12e3b-2556-4a98-845d-425c0f57e267,Lisa,Smith,yevans@example.org,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '069b6392-804b-4fcb-8654-d67afad1fd91']",['56e577b7-e42b-4381-9caa-905f9fcc08e5'] -cf2969bd-ad1b-4135-9a78-b37907f15dd8,Nicole,Klein,greenjeffrey@example.org,['6cb2d19f-f0a4-4ece-9190-76345d1abc54'],[] -57475a35-e2c9-4762-b5b1-08786b040978,Richard,Rogers,michelle66@example.net,['069b6392-804b-4fcb-8654-d67afad1fd91'],['191351af-67f4-4f93-bc84-06a57f61ad5e'] -781e28c2-1588-4d3f-ad01-9a77bd1bf4ca,Luke,Hudson,mark52@example.org,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -66ed07e6-7e4e-4e9f-a5e1-5c3cbe358352,Teresa,Vega,crystalsmith@example.net,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],[] -b83ac65a-8e87-4eb6-9819-0bf225cc59cf,Rhonda,Cox,coxnicholas@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",['ba6c55f2-b95f-4c01-898b-327010c965c0'] -c597660b-83d0-4126-8f4d-7c25b2f7b26b,Tim,Vance,reidjessica@example.org,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -4d5eb929-a134-4da9-b08d-2b77375d676a,William,Graham,cfaulkner@example.org,"['e665afb5-904a-4e86-a6da-1d859cc81f90', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -4ad6e27f-5c07-4f2a-abed-90b114528b96,Leah,Alvarez,morriskenneth@example.com,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '18df1544-69a6-460c-802e-7d262e83111d', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -c070cb67-a20c-44c6-afad-d9b763c8750d,Luke,Clarke,hodgekenneth@example.org,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -240ec1bd-babb-452e-8171-b0f293d8e89e,Jeffrey,Campbell,shieldscody@example.org,['86f109ac-c967-4c17-af5c-97395270c489'],[] -e39a3c9e-8d4d-4915-9765-b6e78b9b6f85,Veronica,White,matthew07@example.com,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -95cdce99-d10e-4ea5-8a46-38c2aa6049f9,Joann,Martinez,harrisscott@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",['3d691991-bcac-4354-95c4-e73998e5abe7'] -e5e01b16-697d-4d8f-abb1-f74bb3294aec,Leslie,Beck,sherryhansen@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '86f109ac-c967-4c17-af5c-97395270c489']",['e6d2eca5-915f-4875-a9c7-99c3fe33e44d'] -c283c6fe-cba5-43c5-9536-a88849034718,Amy,Mcdonald,jeffrey56@example.org,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",['55bc2d2d-a3b7-4afc-a7a4-651f85c84c0f'] -5fb6647c-4a88-4f03-9abd-2ee05895c556,Madeline,Davis,andrewhaynes@example.org,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '14026aa2-5f8c-45bf-9b92-0971d92127e6', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -c757fc0d-f295-4898-9c18-080879930926,Carlos,Owens,ubutler@example.net,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],[] -56cdaae5-2ad6-48c6-8498-146a8a1ed74a,Charles,Terrell,fernandezadam@example.org,['c81b6283-b1aa-40d6-a825-f01410912435'],['7f67a44b-ea78-4a7e-93f5-4547ff11131a'] -fc3005fe-2936-413a-995c-eca969c91c4f,Susan,Espinoza,robert73@example.com,['18df1544-69a6-460c-802e-7d262e83111d'],[] -ad8082b5-eb55-4709-aa64-ce5d1448dec4,Steven,Jones,allendana@example.net,['26e72658-4503-47c4-ad74-628545e2402a'],[] -7a7c3159-208c-4ed8-9fa9-3a39c2710236,Chelsea,Hicks,mmejia@example.org,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],['151fbf5f-baa0-4d13-bb7d-6f9484355e78'] -c821ac8d-eaa8-49d0-b117-07210c1d1745,Matthew,Contreras,nancyhernandez@example.com,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '577eb875-f886-400d-8b14-ec28a2cc5eae', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -401e8a4c-6bc9-49b5-bf8a-d6209c6ad530,Tony,Cole,ehess@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['27d663fa-1559-4437-8827-7dabba59fdb0'] -9817f37a-2b6a-43db-8f81-0307db69c9d6,Corey,Kennedy,josepherica@example.org,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -1a1a200d-5d2d-4bf5-9124-9aca05c56fce,Dustin,Stafford,michellezamora@example.com,"['aeb5a55c-4554-4116-9de0-76910e66e154', '89531f13-baf0-43d6-b9f4-42a95482753a']",['d09046d4-bdfa-41b1-ab4b-b0b159f555bb'] -e934ce34-b3d6-4188-85f1-58aec84c3470,Tina,Greene,wardronald@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', 'ad391cbf-b874-4b1e-905b-2736f2b69332', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -8a96f21d-1c1e-4e85-8ac9-93f7aaf91e2d,Matthew,Taylor,qconway@example.net,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",['f8a76108-d201-4daa-b934-e4a091a7e47c'] -2b870597-2ced-4755-84f1-639497a67037,Sharon,Jackson,teresadavis@example.org,['c81b6283-b1aa-40d6-a825-f01410912435'],['279042a3-3681-41c1-bed1-68c8a111c458'] -0f9181e7-d172-497b-b04e-6cfd961dd190,David,Decker,ndaniel@example.net,"['f51beff4-e90c-4b73-9253-8699c46a94ff', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",['57ba8002-3c69-43da-8c14-9bfa47eab4d2'] -b2aebc2e-036f-4234-a468-79c1dc5ccfeb,Michael,Alexander,maldonadoaustin@example.com,['ba2cf281-cffa-4de5-9db9-2109331e455d'],['53cca285-682a-474f-b563-284ed4d288c1'] -fd2c8f57-0b42-4311-8589-9b400a7788cf,Lorraine,Sampson,megan47@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', '26e72658-4503-47c4-ad74-628545e2402a']",[] -e029c0d5-b562-4c54-be04-e2e2da845f01,Catherine,Crawford,mwilliams@example.org,"['18df1544-69a6-460c-802e-7d262e83111d', '79a00b55-fa24-45d8-a43f-772694b7776d', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -505a63b0-943c-456c-aed3-be86a80d088b,Cynthia,Gordon,jacquelinegarcia@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', 'ba2cf281-cffa-4de5-9db9-2109331e455d', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -8316694b-2c1d-4e10-8566-59bda8bfced4,David,Evans,fieldslauren@example.com,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -7e3bb249-a6e9-4696-8725-e04905be91f8,David,Melton,mccarthynathaniel@example.org,['2f95e3de-03de-4827-a4a7-aaed42817861'],[] -241bed0a-c56d-4933-8bb5-711da39749b9,Susan,White,melissa33@example.org,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],['0a6d4071-14d2-4297-aee8-fe0706cb4cf6'] -861f7d3e-28c0-40a0-90e2-1daf213c82ec,Antonio,Mahoney,anthony93@example.org,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '1537733f-8218-4c45-9a0a-e00ff349a9d1', '67214339-8a36-45b9-8b25-439d97b06703']",['46e02390-6910-4f24-8281-a327e5472f73'] -eff9db0d-5f3e-4209-9007-030d0c73de77,John,Byrd,esanchez@example.org,"['59845c40-7efc-4514-9ed6-c29d983fba31', '26e72658-4503-47c4-ad74-628545e2402a', '86f109ac-c967-4c17-af5c-97395270c489']",['173de46c-bc96-4cff-85a5-f361780d1637'] -7328c7ce-4c96-49a5-a037-a76772c11590,Jamie,Martin,amywagner@example.net,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '724825a5-7a0b-422d-946e-ce9512ad7add', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['604a9fae-f09d-4da2-af38-438179acb910'] -3c9f5eae-41aa-4723-93d5-73c8a2bf2650,Carmen,Alvarez,michael62@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '61a0a607-be7b-429d-b492-59523fad023e']",[] -8049e0db-c2fa-42eb-86a7-60055fbe2d71,Michelle,Franco,gibsonlindsay@example.org,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['722b3236-0c08-4ae6-aa84-f917399cc077'] -23cb182d-1a83-459f-8f48-25ff96e67b1c,Katherine,Fields,smithjacqueline@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -60d450a9-e50d-4317-8617-58b84b7f1922,Steve,Johnson,douglas18@example.net,['79a00b55-fa24-45d8-a43f-772694b7776d'],[] -3be248f3-c988-4c50-aaff-03e94c6c5319,Amanda,Conner,yorkmonique@example.net,['724825a5-7a0b-422d-946e-ce9512ad7add'],[] -5f97f031-022c-4ed4-a23b-3a84e28847e6,Richard,Ross,annaharrell@example.net,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",[] -24cbcf83-6b2d-41f0-8904-62f9977ade06,Cindy,Evans,nielsenmichael@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['8a0ad20d-1074-47df-bb78-7dfd008619af'] -bcd2327a-9bc2-4f17-933d-0fd62567f7c6,Roger,Ruiz,eric90@example.org,['7bee6f18-bd56-4920-a132-107c8af22bef'],[] -1450ab28-e27e-46cc-988f-b01335e9a50b,Betty,Green,woodsbetty@example.com,"['072a3483-b063-48fd-bc9c-5faa9b845425', '67214339-8a36-45b9-8b25-439d97b06703']",['2d719e75-080c-4044-872a-3ec473b1ff42'] -a2d3c1e9-9064-4f85-be2a-aa56d8017040,Larry,Bell,nwong@example.org,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['ca6d549d-ee2c-44fa-aea6-9756596982a1'] -d4110168-c0a2-433d-a241-c59cb77ba7cd,Christopher,Mcclain,longbenjamin@example.com,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['47ecfc8e-62ef-4eb8-93c7-008b6008cc16'] -7d639012-29f2-48eb-9e0d-ebd0b16d5c83,Anne,White,kyle84@example.org,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'ad391cbf-b874-4b1e-905b-2736f2b69332', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['8f14f922-9f58-4ad6-9ec9-327e95011837'] -511552d5-36b1-4841-997f-187c06554f71,Henry,Diaz,ashleymurray@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '59e3afa0-cb40-4f8e-9052-88b9af20e074', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -efc493c5-72f7-45d3-978f-4065e0849c44,Kenneth,Wolfe,wrightdean@example.com,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -b211d18e-82a2-41e6-8e42-3c0921d7e8e6,Monica,Moore,warrenkyle@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', 'cb00e672-232a-4137-a259-f3cf0382d466', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",[] -98a436c9-ae1e-4f21-b849-ea9214408a9b,Paul,Wilson,qosborne@example.net,['18df1544-69a6-460c-802e-7d262e83111d'],[] -bb45286d-22bf-406e-ab12-9fbfd30942cd,Scott,Burke,zmurray@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '1537733f-8218-4c45-9a0a-e00ff349a9d1', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -154f1c53-c64c-4efd-b3c2-93a4d0675bc7,Marvin,Harris,jose35@example.net,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['6f9118c5-41aa-47dc-8e6c-8da98577521c'] -4ff28fd8-8d8a-4d47-be91-123c8e123fdc,Randy,Peterson,pwilliams@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'c81b6283-b1aa-40d6-a825-f01410912435']",['95c25b54-1ac7-40ec-8ec2-09fc59b3da17'] -46f7ce34-43de-4553-8dc6-c0112ad3bd25,Matthew,Smith,powellnicole@example.net,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -07af5f21-8847-4759-b4b3-7e5c07b7f571,Crystal,Kemp,andrea48@example.org,"['18df1544-69a6-460c-802e-7d262e83111d', '069b6392-804b-4fcb-8654-d67afad1fd91', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -79367caa-28f5-45f8-bb8f-2a0aca4b960c,Matthew,Clark,melindaevans@example.org,['86f109ac-c967-4c17-af5c-97395270c489'],['d55f08cc-5a12-4a6e-86bd-cfd1fa971c6a'] -b6892d12-376b-4497-adeb-ceded596a41e,Lisa,Thomas,williamsjustin@example.net,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],[] -a7b7e9e8-022a-40f8-849d-6b7bc5b95a24,Douglas,Reyes,tyler76@example.com,['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d'],['56657395-bdb0-4536-9a50-eb97ee18fe5c'] -ddaf89ec-b724-4936-9361-c7fbc11514af,Cynthia,Macias,sandra72@example.org,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],[] -d117a446-ce1e-4a64-b137-4bdbd3ea6125,Joshua,Meyers,chadwaller@example.org,"['724825a5-7a0b-422d-946e-ce9512ad7add', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['24bdc01c-258e-481a-902d-c134a12917b7'] -9a3a7091-084a-49e5-87b9-b347e70c0fad,Amy,Evans,bridgetschmitt@example.com,"['3227c040-7d18-4803-b4b4-799667344a6d', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['8f14f922-9f58-4ad6-9ec9-327e95011837'] -56ac5f1e-af67-4595-b59d-0039604b9150,Luke,Armstrong,janet42@example.net,"['aeb5a55c-4554-4116-9de0-76910e66e154', '67214339-8a36-45b9-8b25-439d97b06703']",['4e074598-e19e-411f-b497-27544616e7aa'] -798abde0-7a3a-4801-ae3f-4e0198db831f,Matthew,King,andrew98@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -96a7ed6f-e82a-4cb0-9165-95c077921d1b,Maria,Nguyen,morriswendy@example.net,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'cb00e672-232a-4137-a259-f3cf0382d466']",['25a08c6b-414c-430f-891b-86aacac98010'] -39e84cd6-f3cd-4785-9a68-0b42a3550309,Hannah,Mathews,christianwhite@example.net,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -711f423c-b0c4-441e-9f14-45cece2c95d6,Melissa,Becker,lisa48@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '052ec36c-e430-4698-9270-d925fe5bcaf4', '67214339-8a36-45b9-8b25-439d97b06703']",['88cb20a4-fc5e-4f79-a469-0079e0c8495b'] -9f5f7d62-eb3a-4f65-b735-417387ce8d0f,Robert,Norton,wilkersonmaria@example.com,"['26e72658-4503-47c4-ad74-628545e2402a', '44b1d8d5-663c-485b-94d3-c72540441aa0', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['c86453f6-0155-4458-9a26-e211aa2b8e33'] -eea269ee-6efb-4dee-a7c4-0ae874435897,Jessica,Hill,nhood@example.org,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['c8ffeb37-4dce-4610-bea3-1e848b34c034'] -1c9dea72-955c-4ae6-b5fc-774502ec5bd9,Jacob,Williams,mallory13@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '79a00b55-fa24-45d8-a43f-772694b7776d']",['b90b0461-013f-4970-9097-1b15f9708b3c'] -5640b02e-8513-4bb2-b67a-9055b9fa5145,Andrew,Burke,hvasquez@example.net,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '26e72658-4503-47c4-ad74-628545e2402a', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -6ad0651e-df28-4654-81b8-ef94a3ccea46,Kerry,Olson,david50@example.com,['564daa89-38f8-4c8a-8760-de1923f9a681'],[] -4ff00587-5f4c-442a-9cd4-7fc31d11524d,Robert,Reynolds,williammolina@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '63b288c1-4434-4120-867c-cee4dadd8c8a', '61a0a607-be7b-429d-b492-59523fad023e']",[] -6f2a3dda-f855-4930-b4b0-3473637a8843,Christian,Robbins,ogreene@example.org,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],[] -3f1104a9-5f3f-4989-b72e-1d5dfff94a7b,Katie,Anderson,chavezmichael@example.com,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '86f109ac-c967-4c17-af5c-97395270c489']",[] -96cda514-973c-4808-98eb-a860daad9ef1,Katherine,Ball,staciemiller@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['d95611e2-f59d-4bdf-9cc3-67417117f372'] -d8cb9671-4017-4649-bb14-a2ebca108756,Brandy,Lucas,brittanywilson@example.net,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",[] -e13e7e7e-095e-4637-a8d7-2b61977b2d31,Donna,Campos,brownarthur@example.org,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '2f95e3de-03de-4827-a4a7-aaed42817861', '61a0a607-be7b-429d-b492-59523fad023e']",[] -53a27727-aa31-4a48-9a68-cbea2c80cbfa,Laura,Reyes,michaelfrancis@example.org,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['814efa81-10cb-4012-b040-ee33f1e6b156'] -1f18de79-d2c7-420f-b925-13d6824e9d41,Michael,Rollins,eric95@example.com,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -3cdbfb9c-f528-49ad-ad72-86e9ff9de5af,Alisha,Baldwin,jessedavidson@example.net,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],[] -b85b4937-56ba-40e4-9c25-e55175eb1594,Robert,Elliott,jessica21@example.net,['473d4c85-cc2c-4020-9381-c49a7236ad68'],['d84d8a63-2f4c-4cda-84a2-1c5ef09de68c'] -6f3c6495-2924-49bc-9b1d-f841c577dd36,Christopher,Lopez,qharrington@example.org,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['eec5a289-f51e-43ef-83f9-de27fbe2525b'] -9c0e69af-b45a-4124-b956-9aa260dd981f,Dana,Mclean,brian55@example.net,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', '741c6fa0-0254-4f85-9066-6d46fcc1026e', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['361e1137-b81b-4658-8e63-233f215b8087'] -f97f8444-a86e-46cf-bf17-5ba07a9b0026,Michael,Kirk,michael60@example.org,"['cb00e672-232a-4137-a259-f3cf0382d466', '59845c40-7efc-4514-9ed6-c29d983fba31', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",['ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2'] -847f12f2-c843-485d-9550-fc98d6250af2,Michelle,Pugh,julie06@example.com,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['bc369128-c50f-4a05-ad37-37a8c2adcb9c'] -a4e4fb1f-617a-4fd5-9d29-bfbb86121c03,Allison,Nelson,mark42@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['5823848e-b7b8-4be4-bc6b-92546a7324f2'] -850d8586-fddb-4141-84bd-3df406d8deaa,Jeffrey,Wilson,maria02@example.org,"['7bee6f18-bd56-4920-a132-107c8af22bef', 'c81b6283-b1aa-40d6-a825-f01410912435', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -92788666-4cd5-47b0-a257-132d8f52a08a,Rhonda,Kirk,fwilson@example.org,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -307710d7-c3a6-4af4-a4b1-73d190fb54c8,Melissa,Ramos,khenson@example.net,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -9002ed6f-aee0-4a49-be3b-7b7859cc2ff5,Carol,Anderson,sean61@example.com,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],[] -a552f076-1373-4ab7-b5a1-d1fa6a6f9a00,Amanda,May,osbornmichael@example.net,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -38f2ce7f-7ab8-4923-b3d6-461fdad04e5b,Jeanne,Bates,croberts@example.com,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -27b9710f-f06d-4a50-8120-f0952767968b,Caitlyn,Hansen,pcuevas@example.org,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '79a00b55-fa24-45d8-a43f-772694b7776d']",['0ca56830-c077-47eb-9d08-bf16439aa81c'] -2c6ab2e4-4ed4-40a8-bc16-6b6d9eb7fba9,Jody,Martinez,morgan46@example.com,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '577eb875-f886-400d-8b14-ec28a2cc5eae', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['21a4b527-ff93-49d5-9c4a-922e5837f99e'] -3f277f7b-4269-4771-9b82-a429b65a7aab,Matthew,Vargas,hoodluis@example.com,"['86f109ac-c967-4c17-af5c-97395270c489', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -cd2926e0-c1d2-4664-9a42-b395df691ca4,Kayla,Daniels,kristinefrank@example.net,"['57f29e6b-9082-4637-af4b-0d123ef4542d', 'ad3e3f2e-ee06-4406-8874-ea1921c52328', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -c9801625-d0e5-4d1c-8c55-c9d7d232f164,Kathryn,Greene,mitchellbowen@example.org,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', 'f51beff4-e90c-4b73-9253-8699c46a94ff', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",[] -fbf08649-bf3f-41aa-b662-2c29ec1bb613,Seth,Gonzales,richmondamy@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['5fadd584-8af3-49e7-b518-f8bc9543aa4b'] -5d589232-36ca-495c-9345-d0b96a340557,Alicia,Martinez,mary62@example.net,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],['27d663fa-1559-4437-8827-7dabba59fdb0'] -9e4a890a-e70d-4dbc-81ae-561fcdea79ee,Ricky,Cisneros,laurievaughn@example.com,"['61a0a607-be7b-429d-b492-59523fad023e', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -9b2b3f18-242c-4697-8047-fdc3419330cd,Edward,French,daniel60@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -b4f34b82-5fde-4609-8547-248b1a928390,Leslie,Kim,jennifer18@example.org,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['08b87dde-06a0-4a00-85fc-4b290750d185'] -4273e025-6029-4199-812c-1a26c8697f69,Monica,Holloway,floresvictor@example.org,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['43c67b64-aa19-4d3c-bd4e-c18799854e93'] -e5fecd2d-dcf2-4de6-9093-243f7e8c2f9e,Timothy,Day,robert37@example.net,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],['803dea68-563c-4f52-ad85-616523b60788'] -65d74d6d-80ae-40d7-9935-4e9832ffbbe4,Brandi,Jones,reynoldskenneth@example.org,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '86f109ac-c967-4c17-af5c-97395270c489']",[] -517e04ba-86b2-4c27-825b-5f38329ef317,Marie,Stanley,cbell@example.org,"['069b6392-804b-4fcb-8654-d67afad1fd91', '59e3afa0-cb40-4f8e-9052-88b9af20e074', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -f29d484e-2a3f-4972-a107-4ba8282a0d59,Angela,Rogers,robert57@example.net,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -fb8b2e14-f608-4aa5-b6c2-26cf3dae3c33,Jessica,Gonzales,daniellecoffey@example.org,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['d55f08cc-5a12-4a6e-86bd-cfd1fa971c6a'] -bc5e77d1-92a0-45a3-9593-2b75dcda035d,Brandon,Jones,wdunn@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '7774475d-ab11-4247-a631-9c7d29ba9745', '724825a5-7a0b-422d-946e-ce9512ad7add']",['2400a836-b97a-46ca-8333-28c2e780ee3d'] -24e92960-ca93-403d-9af3-a7d1f614713f,Vanessa,Hill,richardreed@example.net,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['e4c645ab-b670-44c3-8ea2-f13dd0870bf5'] -de174a94-5785-4518-8c6b-041cbabd8a91,Richard,Williams,uwheeler@example.net,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'c737a041-c713-43f6-8205-f409b349e2b6', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",['a3497e7c-ec38-428a-bdb8-2ef76ae83d44'] -b4c8a355-c89b-4f17-b060-d44c0030a1f5,Sonya,Young,sarahjohnson@example.net,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],[] -87ab0897-5e42-44ee-abaa-25dc0d674ba0,Bradley,Johnson,audrey40@example.net,['069b6392-804b-4fcb-8654-d67afad1fd91'],['fe897059-b023-400b-b94e-7cf3447456c7'] -d5bc5633-e34a-4a6b-938a-bc1341341d01,Wanda,Snyder,russoscott@example.org,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -ec54ca6a-c3fc-41f0-800d-f9ac7273e9ad,Joseph,Torres,matajames@example.net,"['072a3483-b063-48fd-bc9c-5faa9b845425', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",[] -c63cc47d-5967-43ee-9129-113a79df667f,Michael,Martinez,mlarson@example.com,['564daa89-38f8-4c8a-8760-de1923f9a681'],['dd93b349-8a58-4ae5-8ffc-4be1d7d8e146'] -2befc600-2cce-482c-b4af-a685ae5ef028,Erin,Winters,qhowe@example.org,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -d1155f64-96c3-469b-8218-5a6412737676,Jared,Beasley,miguelwilliams@example.org,['18df1544-69a6-460c-802e-7d262e83111d'],['6a75b28a-db14-4422-90ca-84c6624d6f44'] -225e81c1-3175-4304-ae15-506f07cf113a,Stephanie,Cruz,pbrown@example.net,"['724825a5-7a0b-422d-946e-ce9512ad7add', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['ad9a0664-8bf1-4916-b5d3-ca796916e0a5'] -3e60ed15-419e-43ab-9dac-cd0216698ec9,Robert,Ortega,jeffrey03@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '577eb875-f886-400d-8b14-ec28a2cc5eae', '18df1544-69a6-460c-802e-7d262e83111d']",[] -62013b97-e9d7-40a7-8895-44b1a529bfce,Amanda,Brown,joneshoward@example.com,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['91d80ee0-86be-4a80-90f6-b48f7656cf4d'] -5cb71bca-1e7c-4722-879c-32e78fcfba2e,Kevin,Wise,davidpitts@example.com,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -0874ee01-74a7-44d6-b0c7-9e816d2247dc,David,Smith,robinnichols@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '61a0a607-be7b-429d-b492-59523fad023e', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['47ecfc8e-62ef-4eb8-93c7-008b6008cc16'] -f75e4c99-332a-4d36-ae9b-ae070d3109c1,Megan,Perry,lbates@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -41f2fa7c-c7d6-4271-a413-3e7d873c6b71,Debbie,Martin,kempjeff@example.org,"['072a3483-b063-48fd-bc9c-5faa9b845425', '59e3afa0-cb40-4f8e-9052-88b9af20e074', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['c4b728a4-8c84-4abb-acd1-d8952768fbf3'] -64b54640-71a4-4c39-a6c9-7b816f9f741f,Patricia,Snyder,anthony96@example.net,['072a3483-b063-48fd-bc9c-5faa9b845425'],['8968fdf0-d411-4899-9aaf-632d1ff2ca1c'] -8a865e8c-869a-4cd2-9219-2289eb76559a,Anita,Gallegos,wsmith@example.com,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],[] -08d8fe91-092e-4fac-b016-885050d383f8,Sara,Freeman,christopher99@example.org,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['9384f475-5183-4a60-bfc5-53102d9f4d56'] -947a90a9-9267-4fcd-a808-c19eed49334f,Christopher,Lowe,daniel18@example.net,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],['6dfa800d-540a-443e-a2df-87336994f592'] -c745a675-e9a4-42d7-910d-4f1758846e06,Steven,Miles,sgood@example.net,['d000d0a3-a7ba-442d-92af-0d407340aa2f'],[] -f4fec116-3c70-4258-92fd-17fd777cb294,Kevin,Cobb,robert35@example.com,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],[] -c349f7af-d812-445c-9fa2-e13e92ae5bc2,Laurie,Contreras,thomasmatthew@example.net,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -05678f2e-cb12-4d00-acd5-ff74740c3540,David,Chase,alfred97@example.net,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],['b50447d8-6d95-4cab-a7e5-228cd42efebd'] -7e8e604d-cdca-4677-86c2-96e5dc3b3f28,Michele,Mitchell,james19@example.com,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'c800d89e-031f-4180-b824-8fd307cf6d2b', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",['e04aeb81-fae7-466f-8911-791a353ee3f4'] -914b4af9-b5e3-4272-ae20-3c040441bcc9,Matthew,Mendoza,tduran@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['09f9160d-e91c-472b-aee9-251881a2d1e6'] -d3d94919-6f71-4adb-8662-3c99bd1c24f5,Gabriel,Allison,andrewwolf@example.com,"['c737a041-c713-43f6-8205-f409b349e2b6', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', '67214339-8a36-45b9-8b25-439d97b06703']",['8676e40c-bf96-41ec-903d-cffc999b853e'] -37a83cad-c464-46ca-a520-f4500f5fb4df,Anthony,Gibson,tricia59@example.org,"['59845c40-7efc-4514-9ed6-c29d983fba31', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -e80fda3c-dc80-41a1-b3a1-27824fc484ad,Jason,Wells,katherinehuang@example.org,"['26e72658-4503-47c4-ad74-628545e2402a', '61a0a607-be7b-429d-b492-59523fad023e']",[] -2f78265f-e085-480b-a236-a53e347a519f,Candace,Mendoza,nlevy@example.net,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],['7df1ce76-3403-42ff-9a89-99d9650e53f4'] -f5a65150-662b-4a09-ac0d-57accfee4e6b,Tina,Chavez,jackblanchard@example.org,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '61a0a607-be7b-429d-b492-59523fad023e']",[] -20a8651a-a21d-4474-abe4-a05c573768bf,Brandon,Hamilton,juan73@example.net,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '61a0a607-be7b-429d-b492-59523fad023e', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -a82177eb-2674-4018-bcd1-08d90a20bd41,Chelsea,Carter,pmack@example.net,['86f109ac-c967-4c17-af5c-97395270c489'],['b5a5dfe5-4015-439f-954b-8af9b2be2a09'] -94a4b954-9474-4873-bc99-46c4e324c511,Katelyn,Kane,hernandezcurtis@example.net,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],[] -cd626314-abb1-4cdb-b7c1-ff0e36c28c6a,Joseph,Jones,kevinhayes@example.com,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],['d36e4525-9cc4-41fd-9ca9-178f03398250'] -3078df99-a5cf-4503-9a9b-e84e9ab3afae,Casey,Moody,stephaniesmith@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -44f87ec3-137d-4b81-9d61-ebac64ab06c6,Kenneth,Lambert,ijohnson@example.org,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -a9cf6742-5027-40b1-beac-3266eddb8ffb,Richard,Green,canderson@example.org,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",['a742f2e3-2094-4cbb-b0bd-cbe161f8103b'] -fe728e30-8840-4da2-ace3-4b1f68f6f699,Patrick,Chavez,lschmitt@example.org,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -73a95179-6313-4d6d-b027-45d17d617a61,Leah,Stokes,ilyons@example.org,['aeb5a55c-4554-4116-9de0-76910e66e154'],[] -1e19bbbb-68f0-4838-a3f0-95359cb611c7,Randy,Hoffman,susan47@example.com,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '787758c9-4e9a-44f2-af68-c58165d0bc03', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -9eb6c254-5e1b-45d4-9725-206fba622af6,Roy,Foster,aphillips@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '9328e072-e82e-41ef-a132-ed54b649a5ca', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -a8f7bcc0-e026-477a-b189-4b9c5c4b6018,Elizabeth,James,kmyers@example.net,['072a3483-b063-48fd-bc9c-5faa9b845425'],[] -b62be4ba-cac3-4547-b14c-743835c5e623,Teresa,Schultz,sanchezrebecca@example.net,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],['dab5ce35-eacc-4dc0-8b7e-6a6d211e1ce7'] -57175095-7371-433f-ade4-b08ae1c4e4e4,Vincent,Melendez,shelby84@example.org,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['2105468b-1c9d-4fc5-a238-00bde2262266'] -468a1907-db1b-471e-a296-e408356a06ca,Debra,Johnson,ana19@example.net,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -810ba654-3ae9-4e46-9005-50060641af9c,Amy,Calhoun,joshuabradshaw@example.com,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -5cb710aa-a5f3-499f-9a78-e70dee778089,Amy,Joseph,xfernandez@example.net,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -7c3d6956-6c13-4213-97a1-8c3dc1bfa65a,Sarah,Walker,kingjulia@example.com,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -d1a0f47f-dbe4-41e5-86d9-e23ba86320c6,Debra,Marquez,lukeperry@example.com,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['53cca285-682a-474f-b563-284ed4d288c1'] -9d3ce0f2-9b1c-444b-94b4-a13177231efa,Mary,Gill,clinton40@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -25d983b3-4f67-4214-a2cb-d2cf61254be5,Michael,Golden,sarah52@example.com,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', '7774475d-ab11-4247-a631-9c7d29ba9745', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -dc438e5e-2841-4014-a2bb-07020843766c,Desiree,Coleman,robert40@example.net,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],[] -99c1f4c6-7591-4a5d-a00d-55a9755d3940,Courtney,Rodriguez,stephanie86@example.com,['57f29e6b-9082-4637-af4b-0d123ef4542d'],[] -e1e27ac9-9d39-4366-bc38-e01509a43e07,Michael,Richardson,aaron45@example.org,['577eb875-f886-400d-8b14-ec28a2cc5eae'],['7747fcc1-0f07-4288-a19f-abc06417eb6b'] -85e7ba55-3e42-4f38-a764-57d8923150b3,Michael,Galvan,walkercassandra@example.org,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -0f69de5f-e566-4980-b487-3884742c2bc9,Lee,Simmons,pjenkins@example.net,['44b1d8d5-663c-485b-94d3-c72540441aa0'],['722b3236-0c08-4ae6-aa84-f917399cc077'] -cbc04850-5faf-4774-81d1-bf4cd2f0e480,Dean,Taylor,nthompson@example.net,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -53b8582d-1813-4e40-a5dc-c83b8453fb77,Amanda,Nunez,oramirez@example.com,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '7774475d-ab11-4247-a631-9c7d29ba9745']",['133e9d7e-7d4f-4286-a393-b0a4446ce4f2'] -9aa7a320-37ca-43d6-aa2d-c74fb845e9e9,Ashley,Ross,elizabeth36@example.org,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],['09f9160d-e91c-472b-aee9-251881a2d1e6'] -be5f8f2d-1eae-4204-9379-4dbaf5b564e3,Jessica,Carter,scott31@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -0f076115-d840-4d1b-a97f-7b523d6a7fc1,Sean,Hall,joe39@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', '18df1544-69a6-460c-802e-7d262e83111d']",['f09252d6-3449-4028-9039-9bc5c617606d'] -9b6b092a-145a-4e5e-843a-f0f1466844b1,Ryan,Rice,youngbeth@example.net,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['919bfebb-e7f4-4813-b154-dc28601e9f71'] -92c04436-45c9-4efb-b6a4-f39ca698b05a,Nicole,Robinson,ivelazquez@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -4fb3225b-dafd-456f-a9f6-1d068be49a02,Sally,Ramirez,johnwall@example.org,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],['9ca185c4-2ab6-46d9-a059-e7720899647c'] -392fdcde-899b-47c3-bb9d-67b48027a03b,Jimmy,Gray,qpierce@example.com,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2'] -ce4669b1-9f6b-43a2-93d3-2d88c5c14160,Robert,Daniels,ushelton@example.net,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -f61bbf7c-6e79-48d3-a252-977e24826f26,Justin,Parks,bwhite@example.net,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['b5a5dfe5-4015-439f-954b-8af9b2be2a09'] -ee32f0fa-af33-440d-8b0a-62483defbb68,Gregory,Blackwell,tyler94@example.com,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -b2d6f8a8-43aa-4699-856c-313274a6c616,Michael,Park,sandersmelanie@example.com,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],['a8231999-aba4-4c22-93fb-470237ef3a98'] -5b43129b-b7fe-4684-9850-193d086389ef,Jose,Smith,tsimpson@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",['707406f0-991f-4392-828c-4a42b6520e72'] -9f1ca26f-812f-43cc-8322-f8803a93f35c,Amanda,Banks,ayerskyle@example.net,['86f109ac-c967-4c17-af5c-97395270c489'],['60610e12-fa4b-4aac-90b7-9db286dcba5e'] -8ddae2ae-1fa4-40d7-b5d3-3b55244b9ee3,Colin,Pierce,amber72@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '741c6fa0-0254-4f85-9066-6d46fcc1026e', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -2b98d112-710c-4cc7-91d2-1804b0e14522,Gordon,Simon,stewartellen@example.org,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",['7f67a44b-ea78-4a7e-93f5-4547ff11131a'] -68502369-079b-418a-afdb-b6363e10b97c,Jesus,Lee,vdavis@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'ad391cbf-b874-4b1e-905b-2736f2b69332', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -5d2c41b9-f083-4609-97b0-e08ca9e25b76,Terri,Jones,lisa97@example.com,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -e6718c0a-6acf-4af3-a4de-66fd01e81b0c,Tony,Wood,brittneysimmons@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -e69a4823-2272-46d4-bb29-783cee34aa5c,Cathy,Zimmerman,markroberts@example.org,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -3cd6eca5-49fa-4fb9-9781-cfe42738ac55,Kelly,Perry,courtney24@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '26e72658-4503-47c4-ad74-628545e2402a']",['19d83148-d992-4592-8d90-26593b22b373'] -66ef4c49-a57b-415b-ad16-e3acdea4b979,William,Moses,wcastillo@example.org,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['c3764610-9b72-46b7-81fa-2f7d5876ac89'] -6debc0f5-e72b-4fac-9cb9-5102d83dafaa,Zachary,Taylor,uolson@example.org,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -4466bd67-3f73-468a-9316-fa45fffc040d,Brianna,Henderson,frazierjohn@example.net,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],['4d21411d-a062-4659-9d06-c1f051ab864c'] -0c2eb416-ff36-4b57-87c0-a0121b2aa940,Jacob,Johnson,swilliams@example.com,"['18df1544-69a6-460c-802e-7d262e83111d', '79a00b55-fa24-45d8-a43f-772694b7776d', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -096721f2-5c91-4452-b01a-51bb8cc5be52,Kimberly,Schwartz,mark16@example.com,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['2a650b10-6518-4b6f-882a-fc4d0a4596ff'] -efad7099-31e5-45f6-9253-37c7aae0545d,Kelli,Dixon,vasquezsarah@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",[] -ba901c96-281c-4635-ad12-93bcc6a84eba,Stephanie,Guerrero,frankaustin@example.org,"['26e72658-4503-47c4-ad74-628545e2402a', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['5a3edf14-ae01-4654-b562-669cf1ed8ddf'] -b1921723-f516-4170-937c-0b6801eba218,James,Meyer,hallrichard@example.com,['9328e072-e82e-41ef-a132-ed54b649a5ca'],['24342cfe-2bf4-4072-85a1-baa31f4d0572'] -fab6b842-9450-4213-ab48-c1f40b4611d3,Joshua,Smith,victoriapatton@example.net,['ba2cf281-cffa-4de5-9db9-2109331e455d'],[] -eeefe7b8-e694-46e0-a282-7a53a020510a,Todd,Marks,gail46@example.com,['89531f13-baf0-43d6-b9f4-42a95482753a'],[] -3554930e-c78d-4711-b916-c9e5d5cf9bd6,Megan,Vargas,donna79@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",['1b7e81f4-86ee-42fa-a98a-2fec2152c9d9'] -d4d4a8ee-94b5-41fc-af67-6c0af68b0e23,David,Freeman,sandrahall@example.net,['473d4c85-cc2c-4020-9381-c49a7236ad68'],['a187f582-4978-4706-afe3-9bd37b2468c8'] -3d1faeb7-c9ff-41f9-b30d-e0881aa7b75f,Heather,Johnston,trevorgutierrez@example.net,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -4fa484e6-bc31-4ec7-94a8-992f1b4a8fa7,Anthony,Bell,michaelsmith@example.com,"['7bee6f18-bd56-4920-a132-107c8af22bef', '724825a5-7a0b-422d-946e-ce9512ad7add']",['c220a934-4ad4-495a-bfeb-221372e9720a'] -b77e0ff8-c3f0-4ba4-a0c8-6187a8f9f823,Sean,Townsend,anthonybutler@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",[] -a6f3e043-dc39-4cb8-94e8-49ec29c56111,Michelle,Gregory,zburke@example.net,['86f109ac-c967-4c17-af5c-97395270c489'],['57ba8002-3c69-43da-8c14-9bfa47eab4d2'] -a5dd9c9c-1a04-484b-ba7e-0046234df345,Chelsea,Walker,christopher30@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '7774475d-ab11-4247-a631-9c7d29ba9745']",['6dfa800d-540a-443e-a2df-87336994f592'] -6f0e9c9f-bffb-4186-af75-4f939ec358eb,Aaron,Kelly,beckeralexis@example.net,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -bb1bf329-78f5-4741-9617-86057da97b04,Amy,Doyle,kimsmith@example.org,"['59845c40-7efc-4514-9ed6-c29d983fba31', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -c6ac6476-d6d5-48ca-ab6c-8e80ee15ccd4,William,Schroeder,mshepard@example.com,"['26e72658-4503-47c4-ad74-628545e2402a', 'c737a041-c713-43f6-8205-f409b349e2b6']",['c5d3fad5-6062-453d-a7b5-20d44d892745'] -c1715297-99a1-46dd-8fe6-1d392b4d404a,Albert,Pollard,wellsjulie@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -57a684f3-1cba-49e8-a5ca-1dbc3460deb6,Jamie,Gonzalez,hansonrobert@example.com,['c737a041-c713-43f6-8205-f409b349e2b6'],['a34c9b30-182f-42c0-a8a5-258083109556'] -15bc62ac-f7fa-430c-84e0-28a1ea7c2b88,Renee,Fleming,singhmarie@example.net,['e665afb5-904a-4e86-a6da-1d859cc81f90'],['1367e775-79ba-40d6-98d8-dbcb40140055'] -de804849-a628-43b8-ad08-b93ddda4027e,Sherry,Hall,thomas99@example.com,"['072a3483-b063-48fd-bc9c-5faa9b845425', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -25cb12d6-c01b-4b7e-bd84-775d21a0e6d1,Susan,Nelson,noah36@example.org,['587c7609-ba56-4d22-b1e6-c12576c428fd'],[] -ac3aed7f-2751-4fa9-ab81-7d0b1e88358f,Jose,Wilson,ilowe@example.com,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['b7615efb-5b5f-4732-9f7c-c7c9f00e3fd9'] -9b2f83b1-3a35-45a5-9278-36fb5f245709,Ryan,Mcknight,bgonzalez@example.org,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '57f29e6b-9082-4637-af4b-0d123ef4542d', '2f95e3de-03de-4827-a4a7-aaed42817861']",['963b02b1-fa0d-450c-afe9-ccac1e53db59'] -51ca34f7-b78e-4bf5-a10e-0433568fe7b5,Andrew,Spencer,jamesvillanueva@example.net,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9'] -acbf422b-56d6-4c79-8fc4-ee41163d65b7,Shannon,Meyer,ncampbell@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -0e214222-9f1f-44be-b04b-1cae3d863932,Justin,Holmes,john85@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '724825a5-7a0b-422d-946e-ce9512ad7add', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -2767d39c-0d6d-4c3d-8244-70b00ee8b213,Jason,Taylor,mcguiresteven@example.org,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",['eedf3fa0-c63b-495b-90df-9e99eaf3e271'] -9377da52-3069-4cf4-9d9f-035a0a1c8bf4,Bruce,King,hannah79@example.com,"['c737a041-c713-43f6-8205-f409b349e2b6', 'ba2cf281-cffa-4de5-9db9-2109331e455d', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",['5d6b4504-ce14-49a1-a1ab-0b8147f15e26'] -886f30fd-e20f-455f-8bdf-d93f83b3a367,Stuart,Ray,kellyrowland@example.net,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', 'aeb5a55c-4554-4116-9de0-76910e66e154', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['7d8634f9-d608-4589-a06c-cf0be4d539bc'] -55ea49d8-4526-4b73-9025-129126b23e1c,Patrick,Chambers,hectorpineda@example.net,"['564daa89-38f8-4c8a-8760-de1923f9a681', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",[] -7101de72-c9ef-4563-9119-0302c64409e0,Tiffany,Flores,wolfjerry@example.net,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['d99e6edc-f0db-4c16-a36c-2f4fd0a28283'] -41c4ad65-da55-430c-bcb0-14a734abd0f7,Courtney,Pollard,anita50@example.com,['577eb875-f886-400d-8b14-ec28a2cc5eae'],[] -246914bd-c360-48be-863c-b5bfd9264b7f,Rebecca,Reynolds,justin16@example.org,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],[] -615730bd-61d9-4edf-9310-267fad95dd49,Luis,Bush,watsonrhonda@example.org,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],[] -64a5628b-5dda-4207-a6f1-5e60bf7fc48d,Joseph,Newman,christopher88@example.net,"['26e72658-4503-47c4-ad74-628545e2402a', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -724f95c5-bb4a-4327-9815-960b35001e5a,Brandon,Gross,mduarte@example.org,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",[] -a8de8d8d-b689-4e9a-bd38-d668c62882cb,Rhonda,Long,nwilliams@example.net,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -f26fc785-4b8d-4830-8b3b-c2ff81ef692e,Eugene,Johnson,reesealexis@example.org,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -802b820e-a8be-4fff-a69b-23c51c81ae4d,Jessica,Garcia,hernandezlisa@example.com,['564daa89-38f8-4c8a-8760-de1923f9a681'],[] -361fcb92-7f3c-4882-9e51-9f17fec04e11,Jon,Richmond,tara90@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",['1d2a73c1-b52e-495c-9b8f-fe505b85bea1'] -f950ad6d-9070-4d03-9b8c-3ade504e800c,Karen,Myers,cooperangel@example.net,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],[] -5a7576ba-bc77-432c-8127-d3aa1975f747,Darren,Andersen,randy89@example.org,"['069b6392-804b-4fcb-8654-d67afad1fd91', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -2615e1e7-49b2-40d2-955f-941b68429ee1,Andrew,Flores,fclark@example.org,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],['f114a0ec-738b-4e50-8f19-57e30f908f20'] -f2ef0075-8b8e-4c2f-beec-1e4eaf5050f8,William,Haney,ydavis@example.net,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],['a15835e7-83fe-43ad-959f-423cd21aed7b'] -ff56e68e-9ddc-4aae-8724-efc79fa6a28e,Darren,Jones,crawfordlance@example.org,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'c737a041-c713-43f6-8205-f409b349e2b6']",['b6d4a8ed-7001-476d-8207-c9272216f10f'] -e3011c56-859d-4e24-84dd-9a43741a93e3,Elizabeth,Miller,natasha62@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",[] -034c4e38-ee17-4309-a17f-a7300ab71ccc,William,Thompson,huntercourtney@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['81bfb4e9-02c5-41eb-9fbe-1aff93df64a3'] -97e38a4e-9f84-45c9-aff3-2445e76babed,Jacqueline,Evans,riosdavid@example.net,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['790c095e-49b2-4d58-9e8c-559d77a6b931'] -84a465a3-df26-4522-9c24-9d0e24244eac,Carl,Cooper,upotter@example.org,['7774475d-ab11-4247-a631-9c7d29ba9745'],[] -29993259-0422-46a7-9691-ff6c09f47a5d,Michael,Ingram,zreed@example.org,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'c737a041-c713-43f6-8205-f409b349e2b6', '072a3483-b063-48fd-bc9c-5faa9b845425']",['cfea1941-d200-4d5b-9710-8fcf08cfd02d'] -4a230a0d-5e97-4b7b-a658-70d1c41be392,Dominique,Luna,joe35@example.org,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -3952060a-ce4c-4d8a-b274-1c857535734c,Julie,Livingston,jon84@example.com,"['3227c040-7d18-4803-b4b4-799667344a6d', '67214339-8a36-45b9-8b25-439d97b06703', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",[] -8c8bcfd8-7700-4721-bd0f-8592aed08c9d,Stephanie,Benson,vshelton@example.net,['26e72658-4503-47c4-ad74-628545e2402a'],['432532ef-de67-4373-bf0d-f4608266f555'] -1565fe40-1dd9-406f-9b2d-51f05fadc4ac,Anna,Walker,walkercheyenne@example.org,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -6c747132-3f9a-43f0-a6a3-2f3a22eabda3,William,Sims,carternatalie@example.net,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],['ca6d549d-ee2c-44fa-aea6-9756596982a1'] -25b2901c-12ec-4c48-a078-675e89bf9a61,Jason,Villa,rthompson@example.org,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",[] -040ec43e-5e86-469e-9ee9-b28f61264cb0,Michelle,Malone,sophiazhang@example.net,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '741c6fa0-0254-4f85-9066-6d46fcc1026e', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",['8e462fa7-4301-4ff5-abdb-13f2e42b1735'] -6556b62b-327a-4064-a310-863754bef3b0,Angela,Scott,tashafowler@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', '7bee6f18-bd56-4920-a132-107c8af22bef', '564daa89-38f8-4c8a-8760-de1923f9a681']",['3e1b2231-8fa4-4abc-938f-7c09f30b37fc'] -5e7b14cf-ff63-4c17-adbf-a3cb441a989d,Mary,Hunter,bennettangela@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['9b748d0a-b684-462a-9731-d5d0141a0d06'] -07777560-ab3f-4665-ad2e-1aa8ef112aab,Jenny,Mullins,rebeccataylor@example.com,"['aeb5a55c-4554-4116-9de0-76910e66e154', '26e72658-4503-47c4-ad74-628545e2402a', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['fd0f4a51-00f4-43bc-9e72-38a882537ea7'] -1a0a0853-1c9e-49ee-a485-463f6910160b,Monica,Richardson,kcombs@example.org,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -8b0b0312-75d3-4a24-b572-4bc465e030db,Melinda,Hale,brucemartinez@example.com,"['3227c040-7d18-4803-b4b4-799667344a6d', 'cb00e672-232a-4137-a259-f3cf0382d466', '072a3483-b063-48fd-bc9c-5faa9b845425']",['3d40d597-6ecb-451f-ac63-3516c5862d1f'] -5a299db8-a4d3-4abc-8295-e85dfefe426d,Alexander,Moore,laura05@example.net,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -01f532a9-4c86-4997-9739-e46df1c471fa,Dawn,Ford,michaelmanning@example.org,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],['78924e81-6889-4b7f-817e-38dcfd040ec7'] -d8c98ba9-f7fd-4c5b-af25-b8c9eac68e7d,Lauren,Quinn,jennifer07@example.org,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],[] -23ad1d66-fac1-49d4-bc17-baa976b8691b,Rachel,Jackson,hgraham@example.net,"['67214339-8a36-45b9-8b25-439d97b06703', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -ee85a997-97ec-441a-a924-fb10f6e68a3f,Julie,Skinner,copelandmichael@example.com,['67214339-8a36-45b9-8b25-439d97b06703'],['eee2e97f-1d1f-4552-abbf-c615e64f8377'] -c2b1f760-0140-44e2-9625-8e826bde0cb9,Katrina,Goodman,francismathew@example.net,"['069b6392-804b-4fcb-8654-d67afad1fd91', '9328e072-e82e-41ef-a132-ed54b649a5ca']",['194f5fc9-99ed-4c7d-8c0e-d1e5bf00fca2'] -9c7a1fd5-ea25-4470-b21e-3a9855c179e2,Michelle,Fletcher,michaelbailey@example.org,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",['7084ad06-71a2-474b-90da-6d4d73a464f6'] -e4817748-bb8b-45d8-9a9f-ddf95d5d96a6,Richard,Monroe,ojohnson@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -d0888431-6a8d-4c3e-856c-14ff2137e0b3,Kelsey,Johnson,michael47@example.com,['59e3afa0-cb40-4f8e-9052-88b9af20e074'],[] -abf1c0fc-3b63-4e09-ae17-868f668c170c,Christopher,Hansen,karenalexander@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -1ac21bf4-840b-49d2-9d02-868029140c78,Katelyn,Owens,fergusonrhonda@example.net,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],['b10f5432-4dd0-4a27-a4c9-e15a68753edf'] -e384d153-8144-4840-975d-a94fed6c341b,Kevin,Long,james18@example.com,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['c888853d-5055-438c-99f8-9a9904fd76a8'] -ae92c663-7910-4d18-a05c-7ab168509ce9,Cheyenne,Jones,bwilson@example.com,['63b288c1-4434-4120-867c-cee4dadd8c8a'],[] -1190c9c3-9f10-4d53-b290-6ed237c573b9,Cassandra,Chapman,russelltaylor@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -45f2303a-c3ea-48ac-8d8c-e59d71494bf9,Kayla,Levy,shane90@example.com,"['61a0a607-be7b-429d-b492-59523fad023e', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",['e2bd186c-6620-406e-943d-d0eee22078bb'] -95c22c0a-d466-44d1-8c37-ae63b535cc64,Brittany,Madden,luisnelson@example.org,"['cb00e672-232a-4137-a259-f3cf0382d466', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -90865e56-1952-440f-aa91-2b53f678e1e0,Frank,Flores,robertscarmen@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -76b952af-6616-450d-8747-ddc692f972a5,Jessica,Harris,hessjuan@example.org,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",[] -24788069-218f-4d56-9b4b-5fc32a1ccd5c,Tamara,Stuart,trodriguez@example.net,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['1b03a988-18e7-4ea5-9c89-34060083eaea'] -71a3e4f3-8e01-40fd-bad0-5889ccf874b9,Adam,Compton,fergusonmichael@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'e665afb5-904a-4e86-a6da-1d859cc81f90', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -f43583ce-86c5-4d27-a920-40ddaa1be984,Julie,Miller,emily87@example.org,"['724825a5-7a0b-422d-946e-ce9512ad7add', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['5cb997b6-0b71-405b-8f77-9bb3e30b05bb'] -a3cf15fd-2131-463f-87ad-b1738ba3d1ab,Monica,Shepherd,kingmichele@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -07ba6381-f8af-4e44-8138-76378f4432ba,Jordan,Johnson,elizabethlewis@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -11a77e70-af19-44b0-aad4-95d21ccc8e1f,Michael,Martinez,matajon@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '787758c9-4e9a-44f2-af68-c58165d0bc03', '7bee6f18-bd56-4920-a132-107c8af22bef']",['65d8fb43-cd35-4835-887e-80ae2010337b'] -a378e35d-ae51-46c6-b10e-1f5e804415ae,Michael,Carter,francesedwards@example.net,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -9dec60e7-592e-4ebc-b535-6a1734b98045,Nathaniel,Williams,anthonyreese@example.net,['724825a5-7a0b-422d-946e-ce9512ad7add'],[] -a988a28f-e749-4c03-aa61-9b2166cb0fb1,Douglas,Willis,ethanclark@example.net,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -f5738a92-1f55-4c9d-be16-2af04dab3e5c,Joshua,Davis,yjohnson@example.org,"['26e72658-4503-47c4-ad74-628545e2402a', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",['3b0873d4-3bf9-4d1b-8ae8-666a17d7b988'] -b677d8d4-e4dd-4df0-b07e-68332f6f2603,Joanna,Rodriguez,vangalexandra@example.com,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -0f565730-a886-4852-bd48-1c4382a68376,Erin,Jones,zsalinas@example.org,['7bee6f18-bd56-4920-a132-107c8af22bef'],[] -6d43d1e5-64d1-4e0b-84ba-6f3751a5d81d,Joseph,White,ejimenez@example.com,['63b288c1-4434-4120-867c-cee4dadd8c8a'],[] -48b5e046-a220-48fb-b434-8b5a09376e56,Gary,Tate,ccampbell@example.org,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -6c972932-1281-466a-b0e4-5037517a05cc,Colleen,Rodriguez,gvaughn@example.org,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -d754141f-88a3-40b5-ac7e-b7a4178907ac,Mary,Freeman,sheliabutler@example.net,"['c81b6283-b1aa-40d6-a825-f01410912435', '741c6fa0-0254-4f85-9066-6d46fcc1026e', '564daa89-38f8-4c8a-8760-de1923f9a681']",['5df15f36-f0c3-4279-b2f1-4bbb6eb6342c'] -3d5fa983-b2e4-4751-a8eb-216c67e4e898,Zachary,Bolton,robertgomez@example.com,"['7bee6f18-bd56-4920-a132-107c8af22bef', '1537733f-8218-4c45-9a0a-e00ff349a9d1', '072a3483-b063-48fd-bc9c-5faa9b845425']",['de7e2c76-771b-4042-8a27-29070b65022a'] -038cc863-d8c2-4686-8577-b6b87bd22848,Jeremy,Boone,qtorres@example.com,"['c737a041-c713-43f6-8205-f409b349e2b6', 'ad3e3f2e-ee06-4406-8874-ea1921c52328', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -6f2af038-be43-42a3-907b-736e0e139f3d,Robert,Walter,ashleycrosby@example.org,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '3227c040-7d18-4803-b4b4-799667344a6d']",[] -d4a4b425-1a5a-437a-b736-169da3d4dbbb,Harold,Cunningham,shawna39@example.net,['724825a5-7a0b-422d-946e-ce9512ad7add'],['6f9118c5-41aa-47dc-8e6c-8da98577521c'] -5216197a-afc8-41b1-b1e3-eccf2636c1ac,David,Norris,natalie27@example.com,"['c737a041-c713-43f6-8205-f409b349e2b6', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -9934ba40-34e1-437a-979e-719d6b98091a,Kevin,Poole,burkejamie@example.org,"['59845c40-7efc-4514-9ed6-c29d983fba31', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -bfdbcac1-8c8a-4d97-998a-a21af50ec851,Stephanie,Cameron,fischerjohnny@example.net,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '59845c40-7efc-4514-9ed6-c29d983fba31']",['1d8a9355-cc45-49c5-a3f4-35be92f8f263'] -a3ed3ca4-3705-4b43-ae3d-510ac52a894a,Becky,Thompson,emilypierce@example.com,"['61a0a607-be7b-429d-b492-59523fad023e', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -6bba7a8a-8960-4ecf-8969-2c942303dfa1,Kelli,Hartman,fishersusan@example.net,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -f5591ba3-afee-418e-8e4e-93695397cfaa,Caitlin,Moore,dominique68@example.org,"['cb00e672-232a-4137-a259-f3cf0382d466', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['97bf71f0-276c-4169-8f77-a5a3e0cd98c4'] -85fc9dfa-c80e-4632-af91-c8064e60a6ab,Jennifer,Wagner,lindsey62@example.com,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",['4d21411d-a062-4659-9d06-c1f051ab864c'] -b1942319-53f7-4b87-91a6-19fd5d1912bb,Jennifer,Smith,yking@example.org,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -31dfdeb6-ce76-44a3-a1b4-6989ac2f7a64,Elizabeth,Collins,wagnermichael@example.com,['67214339-8a36-45b9-8b25-439d97b06703'],[] -fe0e7227-aef9-4d12-8f4f-4446c535147e,Wanda,Roman,christopher68@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -1e33655b-16ef-4d54-a1ad-a20c0dde460f,Regina,Stone,fullernicole@example.net,['587c7609-ba56-4d22-b1e6-c12576c428fd'],[] -f57da831-c626-4ee8-9620-1af5c1e86b9c,Chad,Hughes,larathomas@example.com,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '577eb875-f886-400d-8b14-ec28a2cc5eae', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",['604a9fae-f09d-4da2-af38-438179acb910'] -6bd4d16f-acda-4f57-a743-b4065e4c15ad,Tara,Yang,imartinez@example.org,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],['8968fdf0-d411-4899-9aaf-632d1ff2ca1c'] -a6ed393c-925d-4711-a19a-615037e46ded,Fernando,Rivera,michael00@example.net,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -d67740f5-9582-4c85-ac1d-b643a6260247,Tammy,Moran,pperez@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -be4385f1-9063-4a5c-867b-8a6f8acb19ee,Jennifer,Ashley,fordnicholas@example.org,['7774475d-ab11-4247-a631-9c7d29ba9745'],[] -9cd65549-d115-4a32-9b7a-43fbd473690c,Veronica,Moore,catherinewright@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['5c4c4328-fea5-48b8-af04-dcf245dbed24'] -8b571d52-9429-4bdf-a02b-1023917415d3,Brandon,Klein,lucas79@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",[] -29adc9c6-3f37-47b4-afb7-3871d0f9d4d5,Billy,Phillips,dawn09@example.net,['61a0a607-be7b-429d-b492-59523fad023e'],['e1a357d9-a7f1-4711-9d5b-fd15e9172330'] -dca3745d-0533-44d0-a31a-a0e6ecbd66b7,Matthew,Reed,zacharymercer@example.org,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'c800d89e-031f-4180-b824-8fd307cf6d2b', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['5fadd584-8af3-49e7-b518-f8bc9543aa4b'] -37173c9f-c5a1-4ace-947b-d6898bdf6128,Erin,Brown,smithcorey@example.com,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '79a00b55-fa24-45d8-a43f-772694b7776d', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -6f4c7cb1-93aa-4101-b038-360b92b256ab,Randy,Fletcher,kristenwilson@example.net,"['7774475d-ab11-4247-a631-9c7d29ba9745', '89531f13-baf0-43d6-b9f4-42a95482753a']",['d84d8a63-2f4c-4cda-84a2-1c5ef09de68c'] -b561708f-d128-4d02-91bc-d136bce6c318,Carrie,Bean,jcarrillo@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['fff9028c-4504-47c1-8b12-c4b23391d782'] -03ce5ed0-2f03-4054-a6ec-99a65a1a5f78,Juan,Pena,carterjames@example.org,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['722b3236-0c08-4ae6-aa84-f917399cc077'] -90f6775d-7758-4862-9303-1bb34cc092a1,Emily,Carter,brandibrown@example.net,"['86f109ac-c967-4c17-af5c-97395270c489', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['82cd3ac8-2db0-493f-beff-5db479afe620'] -2834c446-b3d0-414f-9917-92c285fd9b0d,Michael,Duncan,jennifer87@example.com,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],[] -17ae7afe-9642-4c0a-bbef-5bcccefe6273,Diana,Warren,lindsay23@example.com,['839c425d-d9b0-4b60-8c68-80d14ae382f7'],[] -570bf8a1-4995-4d85-b75d-eba4429309b8,Charles,Vaughn,melendezmary@example.org,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['78924e81-6889-4b7f-817e-38dcfd040ec7'] -2faecc78-6dea-4c24-8643-2414066fc446,Sharon,Wright,danielchapman@example.net,"['7bee6f18-bd56-4920-a132-107c8af22bef', 'ad391cbf-b874-4b1e-905b-2736f2b69332', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -3729d9ff-4fb1-4385-94f2-98effe4b66ed,Wendy,Kim,mgreer@example.net,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '514f3569-5435-48bb-bc74-6b08d3d78ca9', '7774475d-ab11-4247-a631-9c7d29ba9745']",['278e71b3-2e69-4ee2-a7a3-9f78fee839ea'] -b1f6c271-386a-4bf5-90e7-6b9f570ee181,Shawn,Keller,james04@example.org,['724825a5-7a0b-422d-946e-ce9512ad7add'],['f8a5299d-77bd-414e-acad-c6ad306d4ce2'] -029456ab-7994-42cb-b448-49620a5180db,Brian,Wise,andrew35@example.net,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['d95611e2-f59d-4bdf-9cc3-67417117f372'] -8f4fb3a0-c70b-4503-804d-5f2d099d6c34,Joseph,Melendez,johnsonpatrick@example.com,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '9328e072-e82e-41ef-a132-ed54b649a5ca', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['bdfda1af-97ad-4ce2-ba84-76824add8445'] -bded6d94-0f27-4110-a368-5851a20d82b0,Alan,Robinson,shelly32@example.org,['3fe4cd72-43e3-40ea-8016-abb2b01503c7'],['6dfa800d-540a-443e-a2df-87336994f592'] -20f0c6b7-65fd-44f5-b374-e97e584425c9,Bruce,Davis,ricardolawrence@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -54bc8e9d-46a4-48f0-aa18-357582bceaa8,Daniel,Brown,michael56@example.org,['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d'],[] -500979a0-546c-4dc2-9695-ac4527248303,Tracy,Sheppard,boltonlindsey@example.org,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '2f95e3de-03de-4827-a4a7-aaed42817861']",['ede4a3ad-bdf2-4782-91c6-faf8fae89a2f'] -8deb0a7e-68ac-4ecb-acf2-3433c8b17eca,Tracy,Hughes,gedwards@example.org,['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1'],['790c095e-49b2-4d58-9e8c-559d77a6b931'] -671e3180-e7f3-4af6-97e3-79061a272633,Michelle,Hurst,riversjoshua@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '514f3569-5435-48bb-bc74-6b08d3d78ca9', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -78013605-9626-4275-8433-e5269f001c5d,Antonio,Bryant,sescobar@example.com,['aeb5a55c-4554-4116-9de0-76910e66e154'],[] -798c9653-a102-44f8-b9b8-98aa3b437dcc,Paul,Zhang,austinlivingston@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -d3530f39-4246-42ed-8a91-4fc9754f8bd7,Heather,Farrell,graydarlene@example.com,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],['794f2ed1-b82f-4fb8-9bd4-fa69c4e9695d'] -6f30b308-1166-463c-ac0b-f74c0f516459,Beth,Jones,wolfelauren@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -0d8d9848-05e3-4870-959f-29036aa1426d,Joel,Mcfarland,tomjohnston@example.com,['26e72658-4503-47c4-ad74-628545e2402a'],[] -fbf610c5-4e3e-4ed0-b3a1-d811ad024b49,Robert,Ward,sarah35@example.com,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -93c7dac3-cdf8-4e5e-ac70-eb19bea7dc60,Michael,Vargas,nicholaswalton@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -7fd56724-fb99-4920-88da-51fee0dbe70d,Christy,Frey,jcox@example.com,"['c737a041-c713-43f6-8205-f409b349e2b6', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -6186180e-2c1d-4ed2-ad7f-83116ad3e73b,David,Warren,joneswhitney@example.com,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -7d3bff67-156e-4413-9e8d-69adb980dd17,Tanner,Perez,pmathis@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '7774475d-ab11-4247-a631-9c7d29ba9745']",['5c577d0d-45c5-4c98-963f-6599ca2eb587'] -ec944b4c-7856-48d2-9cab-ae7ec302d57f,Scott,Houston,cheyenne20@example.net,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],['4df8603b-757c-4cb8-b476-72e4c2a343da'] -b09a20c3-518e-4fd5-b4eb-4ec6e801d910,Karen,Davidson,vsanchez@example.org,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",['c8ffeb37-4dce-4610-bea3-1e848b34c034'] -3c5273de-d46f-4f11-b635-1909ad35bda0,Heather,Davis,samantha27@example.org,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -a6dba549-897a-4dd0-8271-b7977a64ce87,Mike,Burns,heidi34@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['65d8fb43-cd35-4835-887e-80ae2010337b'] -0f567b5a-01a5-41e7-a833-49fb1c222bea,Jessica,Pineda,kmartin@example.com,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],['de7e2c76-771b-4042-8a27-29070b65022a'] -d0ee19c7-b33f-4b6e-80ff-12154d6f4867,Brian,Thomas,xjones@example.org,"['072a3483-b063-48fd-bc9c-5faa9b845425', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2'] -0029d838-77c3-465a-819c-d762aed1c8d2,Tommy,Walker,mileserica@example.net,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -158ef98f-4577-4ad2-bb31-a5bd606bdbdf,Robert,Hardin,laurenwade@example.org,"['069b6392-804b-4fcb-8654-d67afad1fd91', 'c81b6283-b1aa-40d6-a825-f01410912435', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['803dea68-563c-4f52-ad85-616523b60788'] -74d73345-30f6-4092-b8de-90aa22e3de27,William,Stanton,mkim@example.net,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],['5ebfd5fb-bbf0-4701-b6d8-223b240c8d28'] -efc9ffe6-8c9e-4666-8a12-4126f1ece7d8,David,Robertson,gonzalescrystal@example.com,"['aeb5a55c-4554-4116-9de0-76910e66e154', '724825a5-7a0b-422d-946e-ce9512ad7add', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -c4279f08-5e9b-485c-8e7a-4c530015b62f,Angela,Campbell,rollinssamantha@example.com,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",[] -59af3b01-4905-4d1b-a7ad-9ddf8dff72f2,Amber,Murphy,qreed@example.com,"['67214339-8a36-45b9-8b25-439d97b06703', '3227c040-7d18-4803-b4b4-799667344a6d', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -9795e1d2-3ab0-400d-97d2-04cb6ad34ec8,Kimberly,King,erikruiz@example.org,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],[] -4e61e43e-9612-4e82-b123-882d6af335c0,Leslie,Barker,henrymaureen@example.org,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'c737a041-c713-43f6-8205-f409b349e2b6', '67214339-8a36-45b9-8b25-439d97b06703']",['e588d2c2-b68f-4d33-be95-0b72f0a682b2'] -4b24a9bb-e078-4a45-be5e-f06cd4942d27,John,Campbell,wrightmark@example.net,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -57c8ade5-e8bc-4338-8ed5-94da5032f011,Sarah,Garcia,sarah79@example.org,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -c8e7b4bc-8e94-4fcd-b24d-8f4c17b2cc31,Kevin,Ferguson,willie60@example.com,['e665afb5-904a-4e86-a6da-1d859cc81f90'],['24342cfe-2bf4-4072-85a1-baa31f4d0572'] -56c07353-5691-4d3e-9090-b2387b2f1858,Thomas,Peterson,bgonzalez@example.com,"['89531f13-baf0-43d6-b9f4-42a95482753a', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",['79dc1fdb-a80c-4571-ac0c-91804b40f886'] -e913d4ee-6a32-43d0-a82d-f666032a8b63,Mary,Russo,nicole61@example.org,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '26e72658-4503-47c4-ad74-628545e2402a', '86f109ac-c967-4c17-af5c-97395270c489']",[] -5c4f1dab-e52e-45c3-9241-9e7b00e6c027,Hannah,Orr,welchgabriel@example.org,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '61a0a607-be7b-429d-b492-59523fad023e']",[] -d2835291-e496-4084-a1db-8a415f8918f6,Brian,West,barkerwilliam@example.com,"['59845c40-7efc-4514-9ed6-c29d983fba31', 'f51beff4-e90c-4b73-9253-8699c46a94ff', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['0a6d4071-14d2-4297-aee8-fe0706cb4cf6'] -a5e5922b-db7e-4fe6-b769-3e28abcb723b,Megan,Wang,amy16@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -27bdc4a6-16c4-49f4-98ec-b9a192b35394,Jennifer,Odonnell,jennifer15@example.com,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', 'ad3e3f2e-ee06-4406-8874-ea1921c52328', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -e646d447-e0dd-4278-b64b-3599329f61ca,Chelsey,Torres,johnsmith@example.com,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -c3f9d512-1052-4809-a945-697d77acf0e6,Stuart,Hayden,juliesmith@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '3227c040-7d18-4803-b4b4-799667344a6d']",[] -8f17ade8-5bf9-4172-80c9-c74220da278d,Lance,Acosta,janet08@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', '18df1544-69a6-460c-802e-7d262e83111d', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",['3d40d597-6ecb-451f-ac63-3516c5862d1f'] -8868cfc6-bf40-40d5-8a6d-c8ce8b347842,Pamela,Knight,robertmarks@example.com,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",[] -7b9e64d8-9465-4706-9c90-733873cc5d09,Stephanie,Cervantes,macdonaldmegan@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",['2d719e75-080c-4044-872a-3ec473b1ff42'] -3a4d4190-d385-4407-a6fc-467244ab8706,Raymond,Ball,richardclark@example.com,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '2f95e3de-03de-4827-a4a7-aaed42817861', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -80ea6ee0-576c-431c-b5ba-4b7291ca6cfa,Donald,Ford,wardangela@example.net,"['86f109ac-c967-4c17-af5c-97395270c489', '79a00b55-fa24-45d8-a43f-772694b7776d', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['ac244352-e9fb-4c4f-b0ef-ce93f5f39df0'] -533ee574-a2fc-4e36-ad29-0d83496e8625,Maria,Copeland,dalereynolds@example.com,"['e665afb5-904a-4e86-a6da-1d859cc81f90', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",['f0202075-a64b-47e6-bddb-ef41452ab80d'] -d273d953-a942-4603-a776-155cae425e1d,Brian,May,cindy56@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -931dc41e-efdd-4330-b5e7-69a23432eb67,Nathan,Lopez,sylviaschmidt@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -2200e73c-87e6-4719-bbd4-83585624cb75,Brian,Sutton,sandramorris@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",['2f4b05d8-d3ec-4afb-a854-d7818899afe4'] -97251da2-e480-4a78-adf6-8a905de29e50,Darryl,George,ugonzales@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",['91d80ee0-86be-4a80-90f6-b48f7656cf4d'] -9905e0cb-a2c3-477d-b36b-0912f71d2f5e,Brandon,Johnson,kingmichael@example.com,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', 'cb00e672-232a-4137-a259-f3cf0382d466', '61a0a607-be7b-429d-b492-59523fad023e']",[] -45955ae1-2574-49f5-97b1-8a99830c8ea5,Thomas,Miller,hlynch@example.org,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],['6dfa800d-540a-443e-a2df-87336994f592'] -1d45a1ec-7e45-46b1-8236-4482be15f4aa,Tiffany,Mcdonald,jdawson@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '7bee6f18-bd56-4920-a132-107c8af22bef', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",['f4b92962-24e0-4706-b62c-21d60f3a9055'] -38faeaf0-e606-408a-ab77-7d3483b42369,Eileen,Lopez,williamrusso@example.org,"['61a0a607-be7b-429d-b492-59523fad023e', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -94019e49-1e2e-40c8-ada1-6c5276ee473e,Keith,Simpson,smithtimothy@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['7d8634f9-d608-4589-a06c-cf0be4d539bc'] -ac73cde1-2113-4f7e-a1b6-5ffb5fbb7f2b,Jeremy,Johnson,cookkayla@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '724825a5-7a0b-422d-946e-ce9512ad7add', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -eec4eb11-24a4-421b-b248-2219270e3e41,Nicholas,Brown,earl74@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '6a1545de-63fd-4c04-bc27-58ba334e7a91', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -ac83305d-f12b-4ff0-8758-0bf8ea4b0255,Mark,Sims,frank70@example.org,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['cd737922-c027-40d2-a322-f81f17c69e0f'] -c576f17c-5f0c-4b0f-b23d-050a3b9b6484,Kenneth,Mcneil,burnsrandy@example.com,"['57f29e6b-9082-4637-af4b-0d123ef4542d', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",['151fbf5f-baa0-4d13-bb7d-6f9484355e78'] -51350a76-8069-4cb3-9050-6a7b5311e3df,Renee,Young,harry59@example.com,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -1be063d7-6bcc-4811-984c-6050683034b1,Denise,Morrison,tyler91@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['7af32566-8905-4685-8cda-46c53238a9ce'] -7c023bc1-0913-46e0-930d-0e8f6ec82137,Stephen,Leonard,nicholas81@example.net,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],[] -fa0b31f0-018d-49d0-8cac-598636f72604,Valerie,Price,rebeccahicks@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '7774475d-ab11-4247-a631-9c7d29ba9745', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['c3163f08-1d11-4e32-9bc5-494d7869935a'] -d9278ea4-25ee-4005-8914-e89746af2fae,Linda,Baker,thart@example.org,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '44b1d8d5-663c-485b-94d3-c72540441aa0', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",['34488741-278c-4e4f-8bf0-ac45936f4fb4'] -20c21003-b2a0-4aa1-ab63-e6915f9ddaf8,Marvin,Stewart,katherine72@example.com,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '26e72658-4503-47c4-ad74-628545e2402a']",['84a95dd1-6640-4a78-937a-acb9dab23601'] -b9fc4436-1779-4d33-85ff-04ebf7ee82fc,Kevin,Johnson,diane70@example.org,['18df1544-69a6-460c-802e-7d262e83111d'],['1cc22c4c-07af-424d-b869-3b5fd1d7d35b'] -874cbe2c-18eb-4cd9-95cc-2f000786cc2a,Robert,Stone,shane99@example.com,['3fe4cd72-43e3-40ea-8016-abb2b01503c7'],[] -f3f01ca2-13ce-4b5e-9da3-411079dc9ca1,Beth,Lam,brockraymond@example.org,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],[] -56ef5664-6ccf-440a-ac42-6bcf1cbcaf3c,Lydia,Martin,patricialopez@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '67214339-8a36-45b9-8b25-439d97b06703']",['5ebfd5fb-bbf0-4701-b6d8-223b240c8d28'] -1a96f0ac-d903-4b4d-874d-965153a7fc75,Laura,Cole,charlesgray@example.net,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],['9ca185c4-2ab6-46d9-a059-e7720899647c'] -a76dd7ca-b79c-4842-b94b-3bd09a2299af,Kevin,Ponce,carol89@example.net,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",['858b5895-efd8-4ea4-9a11-e852dc4e8e89'] -2e450042-64fd-40fc-9f40-3098c90bda21,Phillip,Solomon,rmiller@example.com,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', 'ba2cf281-cffa-4de5-9db9-2109331e455d', '61a0a607-be7b-429d-b492-59523fad023e']",[] -5efa29a6-f0aa-4574-845e-99647833d855,Linda,Rodriguez,sarah54@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",[] -40e23f74-24c5-4c37-a4e1-12d6527334d2,John,Schultz,lharris@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['756f1c00-e01c-4363-b610-0714cdfc68c2'] -1a3584e7-f8ad-4656-8151-6d4eecc34045,Charles,Wright,pdouglas@example.net,['564daa89-38f8-4c8a-8760-de1923f9a681'],[] -1e996a69-39a2-4f32-a282-702b89277ebf,Theresa,Harvey,tonyamoss@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",['3e509642-808b-4900-bbe9-528c62bd7555'] -a7b67fb8-c44d-4fc8-ad2a-743743a1c2b2,Michael,Smith,anthony02@example.com,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -c9e04ce3-61b4-41d4-9af7-0babcd61710a,Nicole,Hamilton,phillip27@example.com,"['59845c40-7efc-4514-9ed6-c29d983fba31', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['2f4b05d8-d3ec-4afb-a854-d7818899afe4'] -24cbd292-22b9-4953-8450-d1cb69fb3e10,Jennifer,Hughes,jamesharris@example.net,"['86f109ac-c967-4c17-af5c-97395270c489', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['d225d3bf-a3ff-46b0-a33c-85d1287c1495'] -75e6e29d-5d1a-4a3c-8572-78a01a37e82c,David,Martin,chapmansharon@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '61a0a607-be7b-429d-b492-59523fad023e']",['5ce4cb87-dc34-4ac7-afc8-7825cf6993b0'] -5959a99d-1d84-4cfd-9e88-de549c5e994b,Michael,Shaw,taylorjane@example.net,['57f29e6b-9082-4637-af4b-0d123ef4542d'],[] -6fd79912-369b-47bc-91b2-4e41c49590a4,Maria,Nguyen,wardvalerie@example.org,['63b288c1-4434-4120-867c-cee4dadd8c8a'],[] -b853f907-d152-4e07-864a-5da0ff93e3fd,Edwin,Castaneda,elizabeth56@example.org,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -05bbcfd7-9fa5-4f33-9c7c-63021b288b8f,Billy,Fisher,pattersonalan@example.net,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['3545d9f1-cf47-4f11-b415-5ad73aef7a4a'] -75526a57-718f-49b9-a75b-97ca6ad98e90,Andrew,Valenzuela,esanchez@example.net,"['2f95e3de-03de-4827-a4a7-aaed42817861', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -94d6763c-22dc-40ad-ab04-24ba85aa150a,Joshua,Garcia,vduncan@example.org,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '072a3483-b063-48fd-bc9c-5faa9b845425', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -393c6ea6-0c0e-4b11-9094-49e134024027,Theresa,Becker,nicoleibarra@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -871bd9be-4e77-43c6-97f2-cc02e499547f,Clayton,Fitzpatrick,williamskathy@example.com,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],['989b87b0-7bf5-40f9-82a1-7f6829696f39'] -1f61aa6f-97b4-4b3e-90d5-b1c3e1d71ee0,Louis,Davis,brandon80@example.com,['ba2cf281-cffa-4de5-9db9-2109331e455d'],[] -93bbcdd1-0e4c-4879-bae0-a19bb2c6c6ec,Robert,Miller,mallory50@example.org,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],['bdfda1af-97ad-4ce2-ba84-76824add8445'] -f4c1f3e7-f0b7-46b2-9c3e-e5df4bb5f9b1,Katelyn,Lyons,wendy27@example.org,"['7bee6f18-bd56-4920-a132-107c8af22bef', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -fa8b544b-7c42-4ef7-9e34-60901b6d2092,April,Orr,philipduarte@example.com,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -bd518db2-7cae-4edf-90ec-bbe2866e8517,Adam,Barnes,patrickmorris@example.com,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '072a3483-b063-48fd-bc9c-5faa9b845425', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -5d4d4638-ac17-49a4-bfea-febda9e4b6d6,Deborah,Lucas,jacksonrobert@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', '67214339-8a36-45b9-8b25-439d97b06703']",['b10f5432-4dd0-4a27-a4c9-e15a68753edf'] -896775b9-c9a5-48da-91c5-551de2c7c16f,Dawn,Baker,amy96@example.net,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",[] -c79ecf39-4cf3-4c98-9e4a-77a68c6a3d3e,Amy,Miller,gerald95@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '67214339-8a36-45b9-8b25-439d97b06703']",['e1caa71e-07e4-4d99-9c2d-e12064b1af58'] -56c2e885-fa66-48a0-ac2e-3d887d00b367,Amy,Wolfe,brenda32@example.com,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '564daa89-38f8-4c8a-8760-de1923f9a681', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",['c8ffeb37-4dce-4610-bea3-1e848b34c034'] -51b64d7c-22a8-4940-aaac-c93ffbca72d6,Elizabeth,Walker,joshuaharper@example.com,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', 'c737a041-c713-43f6-8205-f409b349e2b6']",['75539787-79ff-423d-8de4-53b030861d69'] -808ac0af-a53f-40f7-afc9-e8d94e3737ac,Elizabeth,Davis,brianna67@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -47f47e62-7882-40b2-a605-b90a9b17cdba,Robert,Lowe,bondhannah@example.org,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],[] -d7ca5d7e-6f23-4f6a-9aec-965ea1e015e6,Jennifer,Wallace,wgarner@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",['d9f16b96-42fe-4712-a4a4-10d700b7e4bc'] -8d6637d1-fcce-4816-9849-8702e13be6eb,Bonnie,Smith,johnathanhamilton@example.com,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],[] -b661ae21-ddea-4413-b82f-a1e52421427f,Michael,Pearson,ncunningham@example.com,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['8df81a3b-afb7-454c-a504-d190da845e0b'] -a6d7d43e-4c25-433d-8973-8e940b6699b5,Christy,Callahan,cody45@example.com,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['793b2d4e-9ad4-495e-bf5e-f84dd09aedf9'] -74c96aa0-f8a5-4a18-9141-d8a92790ebfb,Ricky,Stevens,vcarson@example.org,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -d2e68329-0000-41fb-963b-617adb943dbc,Thomas,Glenn,tsweeney@example.net,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],[] -4ec161b5-e9a2-47bb-8970-b25c5b03d494,Emily,Curtis,dylan89@example.com,"['3227c040-7d18-4803-b4b4-799667344a6d', '86f109ac-c967-4c17-af5c-97395270c489']",[] -9085eebb-7f16-4d75-8d9e-b32e6a06cdc5,Roberta,Hanson,ruizbilly@example.com,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '79a00b55-fa24-45d8-a43f-772694b7776d']",['ae6d4193-5ba7-41e3-80e3-d67ba38c6dd1'] -4995bbd0-ed72-4277-a423-e969a5910022,Craig,Hughes,kelleylori@example.net,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '61a0a607-be7b-429d-b492-59523fad023e']",['97bf71f0-276c-4169-8f77-a5a3e0cd98c4'] -ae8c0d13-8a8b-46ce-9660-6dd2487c57ab,David,Miller,jacksonmanuel@example.org,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -7a39f9d8-9c86-4024-baad-59739d23fc76,Abigail,Riley,mary08@example.net,['aeb5a55c-4554-4116-9de0-76910e66e154'],['989b87b0-7bf5-40f9-82a1-7f6829696f39'] -4f0a9703-b62a-4984-b3d1-8f10e35e02f8,Alyssa,Sanchez,braygarrett@example.com,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '587c7609-ba56-4d22-b1e6-c12576c428fd', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['bfabecc2-aeb2-4ce6-85c2-27c2cc044f21'] -4ee31e24-29be-4f21-bc28-5972c3ee61d3,Ryan,Davis,ethompson@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '6a1545de-63fd-4c04-bc27-58ba334e7a91', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -464cdbad-a5eb-46e8-ad85-7e7922253183,John,Brown,salasanthony@example.net,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['ee9360bb-fe33-4514-8dac-270ea7d42539'] -b96ec745-711f-471d-9001-9e56901baf75,Suzanne,Roberts,sherry85@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '7774475d-ab11-4247-a631-9c7d29ba9745', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",['6a75b28a-db14-4422-90ca-84c6624d6f44'] -948e7e60-4c0f-4362-aa25-4574282ab727,Dakota,Moyer,millsheather@example.com,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],[] -6c6f9608-ced4-4d09-b7da-bebd127ecb2e,Rebecca,Schwartz,kaylasmith@example.net,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],['8a0ad20d-1074-47df-bb78-7dfd008619af'] -8ed5ed16-fd0f-420c-a96f-1d068ac1a61f,Connie,Castillo,stewartjulia@example.com,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['ca4820aa-5a1c-4777-9a8e-49d229544c08'] -1e307046-19fa-4b3d-89d0-08706f30d5a8,Kathleen,Wilson,gwilliams@example.org,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '44b1d8d5-663c-485b-94d3-c72540441aa0', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -a6caac37-8a0c-4a13-a234-ff52175bc6a5,Nathan,Foster,sandramorgan@example.net,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],['793b2d4e-9ad4-495e-bf5e-f84dd09aedf9'] -9c52a3a0-e7bc-41e9-a834-5108c425bef2,Tony,Jenkins,cummingscarla@example.net,"['069b6392-804b-4fcb-8654-d67afad1fd91', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['82cd3ac8-2db0-493f-beff-5db479afe620'] -b00bf95b-abf9-42c6-aad4-46c0ca878abe,Martin,Mckinney,johnsonjack@example.com,['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1'],['bc4fcf59-dcf6-42bf-ae74-c7a815569099'] -8af2e9b2-c8f6-426d-9c56-5576bc7638ef,Anthony,James,brandonjackson@example.net,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '069b6392-804b-4fcb-8654-d67afad1fd91', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['1a185320-fa73-49e9-905e-acffa1821454'] -16c7bee2-a21c-4d6e-a139-77e21c340990,Gary,Graham,anthony56@example.com,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '069b6392-804b-4fcb-8654-d67afad1fd91']",['6ee93085-1711-4bbc-9d3a-cd894470c4bf'] -5f0196fd-04a6-4cd3-bbd2-47fc33154005,Joseph,Short,hharper@example.org,['3227c040-7d18-4803-b4b4-799667344a6d'],[] -4aecfde4-60ce-4379-b5b9-2da6426187d1,Patricia,Little,tlutz@example.org,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],[] -0e157ea4-348a-4600-9cec-5de85f4692db,Kimberly,Fernandez,ddaniels@example.net,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['7a1980ac-ca6a-4b85-8478-a7fb23796fd3'] -6a7d2559-ebb7-4c2d-a1ee-89a920677419,Kyle,Bennett,igonzales@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2'] -3690ab14-9b22-425c-ad1f-4201622c2d49,Andrea,Moore,qpowell@example.com,"['c81b6283-b1aa-40d6-a825-f01410912435', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['fd20c2d2-5ad3-41bf-8882-1f2f4d7872ac'] -ee78a35c-f0a1-4b70-a5f2-02b29913deab,Alexander,Chan,itucker@example.net,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],['205540c2-8a52-40ff-8de0-5ecb5603eba2'] -6353479d-eb69-4301-bb14-4c2ebb1c2ac5,Janet,Jones,piercechristopher@example.org,['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1'],['bfe07d0d-ca15-400a-aa7d-febdb72f5e51'] -f36b6b56-9db0-495f-9892-529c9aa0b2fc,David,Pope,justin80@example.org,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '587c7609-ba56-4d22-b1e6-c12576c428fd', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -b85868ec-5b59-46b4-8811-8be6e3a5d9cb,Marissa,Marsh,middletonamanda@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '18df1544-69a6-460c-802e-7d262e83111d']",[] -e377113c-00c1-4af0-8206-995c1b7d43ff,Donna,Green,amoore@example.com,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -224fcad2-741d-4ea0-9b34-cd4d0a7c45d7,Daniel,Travis,colemanjoann@example.org,['724825a5-7a0b-422d-946e-ce9512ad7add'],['0028bcf2-b18f-43c8-bb7c-06b214b4b37f'] -27442571-9ba3-420f-a66a-554aec1e0ff8,Daniel,Lewis,bennettrachel@example.net,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '069b6392-804b-4fcb-8654-d67afad1fd91', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",[] -785c6e38-c701-48ba-973e-371873d5c8ee,Alan,Navarro,yflores@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",['756f1c00-e01c-4363-b610-0714cdfc68c2'] -05b0d5ce-d91d-4b5f-96d5-08c91f7b30cd,Sheila,Williams,romeroalexander@example.com,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -7292ab7b-8fe4-425f-9894-b21967dff71a,Gregory,Blackburn,meyerkathy@example.net,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -401ebb9b-b976-48fd-beb0-1411739d76b4,Karina,Sullivan,huntmackenzie@example.com,['3227c040-7d18-4803-b4b4-799667344a6d'],['daacbcbf-ae02-4057-bd41-555bf8dc954d'] -5001e089-8f5e-4c3b-ae37-6df9fd174fb7,Elizabeth,Wood,torresearl@example.net,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -a0768b58-2282-46b3-98f8-01f8608a0af8,Adriana,Williams,manuelyoung@example.net,['59e3afa0-cb40-4f8e-9052-88b9af20e074'],[] -377742eb-1498-4ee9-a469-f8b0a9b0638d,Kristin,Massey,olucas@example.net,"['2f95e3de-03de-4827-a4a7-aaed42817861', '61a0a607-be7b-429d-b492-59523fad023e', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -571f7c3a-74bc-4fb9-9c0a-405f1946dc3f,Ryan,Allen,shelly08@example.com,"['c737a041-c713-43f6-8205-f409b349e2b6', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['60e842f0-2b00-4259-8690-865ea9639ab7'] -334562dd-c180-4698-b4d7-d371c5133cf5,Jennifer,Becker,vtaylor@example.com,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -259a831e-dfdd-4578-835b-f983f679b4e0,Denise,Williams,meghanortega@example.net,"['aeb5a55c-4554-4116-9de0-76910e66e154', '61a0a607-be7b-429d-b492-59523fad023e']",['a742f2e3-2094-4cbb-b0bd-cbe161f8103b'] -304df9f0-8a1b-43fb-b578-72b75b4a2476,Matthew,Parks,holmessusan@example.com,"['89531f13-baf0-43d6-b9f4-42a95482753a', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -185caf15-f7d9-4481-a2f2-9cbe0a8df8cf,Elizabeth,Powell,steven40@example.net,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",[] -2620c809-1abc-44b3-933b-b42459a03670,Jessica,Taylor,efoster@example.net,['ba2cf281-cffa-4de5-9db9-2109331e455d'],['eec5a289-f51e-43ef-83f9-de27fbe2525b'] -a3d0646a-6d44-430f-ba35-b5c90ef07ffe,Virginia,Merritt,aaron11@example.org,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -c0422a6e-e1d2-4950-95db-d6fc17a9d03c,Evelyn,Hansen,chavezstephanie@example.com,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['814efa81-10cb-4012-b040-ee33f1e6b156'] -1a7be3a7-98b0-470e-a6fd-58b53e93b43d,Yvonne,Robinson,lemark@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', '514f3569-5435-48bb-bc74-6b08d3d78ca9', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['96c86314-45fc-4e05-a2d5-c2a840cba21d'] -39629518-e7d0-48c1-9db8-f528e2faf7a9,Tina,Martinez,nali@example.com,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['33431983-0ac8-446b-859d-5e914de5e39c'] -f41c6f38-a2ab-4bfe-983f-a1ec5b88f4a0,Desiree,Barnes,aprilboyd@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['d0f56140-45f2-4009-8b4e-aa50ea8c177a'] -36e41cd2-6174-4e81-b333-14fe3c029a32,Tyler,Thompson,melissahaynes@example.net,"['2f95e3de-03de-4827-a4a7-aaed42817861', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['8848f4d4-58ab-47ae-8f91-11c5947b2501'] -bfcbe16e-3525-4230-88f3-129837fcf8e1,Marilyn,Jennings,brittany78@example.org,"['89531f13-baf0-43d6-b9f4-42a95482753a', '18df1544-69a6-460c-802e-7d262e83111d', '67214339-8a36-45b9-8b25-439d97b06703']",[] -3e456a64-7266-4f51-9d6a-452bc83b7042,Amy,Nicholson,jgonzalez@example.org,"['67214339-8a36-45b9-8b25-439d97b06703', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",[] -19759ffe-0f9c-4016-a152-4b37639f3d9d,Henry,Crawford,josephhart@example.net,"['c800d89e-031f-4180-b824-8fd307cf6d2b', 'ad3e3f2e-ee06-4406-8874-ea1921c52328', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",['ccfd888f-3eae-4aa5-b532-a93cc157945f'] -4d9cfd72-40e3-4986-8186-a92339222972,Amanda,Giles,ukim@example.org,"['3227c040-7d18-4803-b4b4-799667344a6d', 'c800d89e-031f-4180-b824-8fd307cf6d2b', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['fd0f4a51-00f4-43bc-9e72-38a882537ea7'] -0de5590c-c602-4934-b621-f69f057a5b8b,Donald,Yates,chad94@example.com,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],['cb00caa7-48f7-41db-bd55-a6f1ca740ba5'] -bb60fd0d-1b7f-445c-9206-36bb4503efc7,James,Blackwell,maynardrebecca@example.com,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",['3a3e2b88-2f04-4094-a58d-8681775b625f'] -41b0d0b5-fd49-4ecb-accc-f70209cafeae,Timothy,Salinas,jeremythomas@example.org,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -03930877-ae18-46b8-ab40-5b130a911f19,Tina,Moore,garyschneider@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'ba2cf281-cffa-4de5-9db9-2109331e455d', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -073f491b-100a-49c3-ae84-a3934d87ad34,Ana,Porter,wphillips@example.net,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '14026aa2-5f8c-45bf-9b92-0971d92127e6', 'cb00e672-232a-4137-a259-f3cf0382d466']",['6a75b28a-db14-4422-90ca-84c6624d6f44'] -fbaeb539-0437-46e7-a4b6-6213fa2d22a2,Jessica,Velasquez,kwilson@example.com,['59845c40-7efc-4514-9ed6-c29d983fba31'],[] -50734cf2-b843-4f0f-85c0-04c8342a7fa1,David,Lambert,hannah46@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['daacbcbf-ae02-4057-bd41-555bf8dc954d'] -6d65effe-c7b4-402c-ba26-0815f9de33b0,Randall,Welch,weissandre@example.org,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', 'c800d89e-031f-4180-b824-8fd307cf6d2b', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",[] -146df195-f157-4318-ae71-2b88330072eb,Taylor,Cummings,rothjames@example.org,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",['01d43858-67f3-4c95-b6ca-81a75b33a75c'] -f06350c8-b4fa-4aea-97d0-12cf641c9546,Devin,Smith,melissa44@example.net,['67214339-8a36-45b9-8b25-439d97b06703'],['429e6376-361c-46fb-88f2-459de5eaec25'] -cc91ea4f-caed-4b3c-b0ca-dfbc214860ce,Julie,Murray,moniquebryant@example.com,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -488f0e78-b545-4471-841e-79080ded45aa,Jack,Riley,jill61@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'aeb5a55c-4554-4116-9de0-76910e66e154', '89531f13-baf0-43d6-b9f4-42a95482753a']",[] -0fca2ebf-b597-476d-a302-489f59e8cfac,Donna,Brooks,alexvalentine@example.org,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -e7e0e214-5ee4-4ccf-bf5e-ff22289f20af,Michael,Lowery,bradfordjames@example.net,"['59845c40-7efc-4514-9ed6-c29d983fba31', 'e665afb5-904a-4e86-a6da-1d859cc81f90', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -6be35d44-5091-47f3-ac20-a6e47880cc5c,Kenneth,Sullivan,jackfaulkner@example.com,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['a61907c4-11c0-4f84-9273-443043ef9a48'] -4c5bf67a-fd87-4ce5-a25b-80b882bd29e9,Michelle,Martin,jessicareese@example.org,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -b7aaa039-f68b-4f69-aa80-49c0e3f619f9,Jason,Thomas,barkerrichard@example.net,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],[] -77364dcb-556d-43b3-b05d-b3f408d64841,Brian,Wade,jeremy36@example.org,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['fff9028c-4504-47c1-8b12-c4b23391d782'] -44d291b6-1c8e-4b86-be29-f0e8a008e39a,Lauren,Lewis,youngmelinda@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",['d9f16b96-42fe-4712-a4a4-10d700b7e4bc'] -29e22e4b-9e1e-4e9d-ae98-36e04a12e01c,Wesley,Campbell,tonya61@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -89a40153-a2e1-486b-8659-1b0b080f57db,Anthony,Davis,debrabond@example.net,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -e69abff4-5066-488f-b5d9-57242c4c9f20,Andrew,Rodriguez,stevenduran@example.net,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '59845c40-7efc-4514-9ed6-c29d983fba31']",['07c46b33-d48c-4dee-b35b-ff3bec33eef1'] -8ec4f473-115b-46b1-8738-57a5e141bc07,John,Larson,robinsonjane@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['d84d8a63-2f4c-4cda-84a2-1c5ef09de68c'] -8043c5e0-ba68-4c18-882b-2131ddd0db14,Meredith,Phillips,lisadominguez@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -6288eaf6-a09a-4007-a4f3-68f82dad68cb,Lawrence,Cox,mcphersonjesse@example.net,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],['1367e775-79ba-40d6-98d8-dbcb40140055'] -bbee1f77-c658-4b7e-b512-96953f8ba20d,Jessica,Kennedy,saunderskatie@example.org,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['c700e245-1664-4459-8f89-f26b2548d901'] -5451bb6d-237a-4fe3-8de5-72bbc0fcc7a5,Joshua,Morgan,emily16@example.com,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -1b6be727-3888-4920-89f8-a6fda5c7eaeb,James,Meyers,stephanie70@example.org,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', 'ad391cbf-b874-4b1e-905b-2736f2b69332', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['f7aa0747-360e-4661-9393-14a6c6969517'] -79272909-bc3e-4f26-a1c1-d193645e563e,Daniel,Morgan,wjackson@example.net,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '18df1544-69a6-460c-802e-7d262e83111d']",['4a75fa22-38c9-4d95-8e19-0e0d24eba4ef'] -51e31322-2b9e-464e-abdf-279e818b8855,Jay,Norman,ecarey@example.com,['7774475d-ab11-4247-a631-9c7d29ba9745'],[] -870d0d41-e12e-40c0-aa6f-f67a1157e29e,Jodi,Obrien,jonwagner@example.net,['f51beff4-e90c-4b73-9253-8699c46a94ff'],[] -896c37a7-1ea8-4566-8574-2c94ae889b9e,Bobby,Oliver,sparkselizabeth@example.org,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],['bd8a91b8-935c-430e-9383-e1e8f512a395'] -28890023-4fdb-4c2b-acdd-d0d55120d56c,Nicole,Calderon,zjones@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",['ed28bf67-9fa8-4583-b4bd-a4beaefdd3cb'] -7cc4c2d7-ae45-4db0-9652-c23a3dd7bd14,Valerie,Pace,cynthia15@example.net,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -fa795d4a-e0f9-4d82-a7d8-271a7f123fc1,Julie,Murray,merrittjacob@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '564daa89-38f8-4c8a-8760-de1923f9a681', '069b6392-804b-4fcb-8654-d67afad1fd91']",['793b2d4e-9ad4-495e-bf5e-f84dd09aedf9'] -ffabda9f-5bbf-4ed0-95a3-5e55c87fc57b,Sharon,Morgan,damon61@example.org,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -334111ef-6ac2-4b4b-8ef3-3c71fa5fe41d,Tammy,Smith,rhondaromero@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '86f109ac-c967-4c17-af5c-97395270c489']",[] -3cc49a27-6f39-4507-bbb5-8d4f219db4ff,Karen,Krause,hodgenicole@example.net,['3227c040-7d18-4803-b4b4-799667344a6d'],['b107099e-c089-4591-a9a9-9af1a86cfde1'] -ae906758-4aec-4f2c-90ea-ba3ac4b47fc1,Gordon,Hubbard,stephaniebaker@example.net,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -efd6ad6e-2b1d-4822-b2c5-db91113c1e33,Nancy,Garcia,morganantonio@example.com,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -390420ac-522e-468e-b245-51c14950230d,Paula,Walker,montgomerykathy@example.com,['59845c40-7efc-4514-9ed6-c29d983fba31'],['0f046820-2a39-4b2d-9925-cec153cbe8cb'] -3ca78dae-2cef-4b77-ae54-ede039cf2b6c,Aaron,Garcia,jennifer86@example.org,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],[] -21959320-b5b7-4983-9d0d-78338d138b25,Gary,Young,tranjulie@example.com,"['61a0a607-be7b-429d-b492-59523fad023e', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['f97f0dba-9e72-4676-ae77-e316f15490aa'] -2bc72c56-4523-48c8-9195-69c4c6d4463a,Alicia,Anderson,amytorres@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '67214339-8a36-45b9-8b25-439d97b06703']",['46a3ddfb-ed32-48e2-80b0-479a662e0b2c'] -f42c494e-9e50-4ea4-bea2-fe9106479b4c,Priscilla,Morales,erussell@example.net,"['89531f13-baf0-43d6-b9f4-42a95482753a', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",['75539787-79ff-423d-8de4-53b030861d69'] -b000f2f6-9ee4-4342-ac3f-bdcc84ad972e,Mark,Lowe,hensoncaitlyn@example.com,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -afd6abe2-56b1-4070-8107-d633730bcffc,Micheal,Walker,teresagray@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['8f14f922-9f58-4ad6-9ec9-327e95011837'] -da14650e-e4a5-46f5-9600-79ec0e52f4c9,Michael,Castro,natalie44@example.org,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -ed827b0b-8a09-416f-8a79-4ced681de03c,Jessica,Lin,alexanderadams@example.com,['ba2cf281-cffa-4de5-9db9-2109331e455d'],['0662b3d3-db2f-4818-a674-b8e4d170eb82'] -1dd907ff-de1f-4258-9159-e903a9fa3a5b,Oscar,Newman,jweaver@example.net,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['153e3594-3d15-42e5-a856-f4c406c6af79'] -33ade687-5b73-42ee-9cd2-a048ae2a08f1,Anthony,Walsh,meyerbrian@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -327b0222-c8c7-4802-868c-24060695cedd,Elizabeth,Jones,meyertodd@example.net,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],['756f1c00-e01c-4363-b610-0714cdfc68c2'] -3d3e28a2-231a-476b-a8b3-422bb432c17f,Juan,Burke,hallglenn@example.net,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '9328e072-e82e-41ef-a132-ed54b649a5ca', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -e87bbba9-15d0-4788-a948-81f42c5298bf,Charles,Johnson,rebecca78@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['6080ae1d-807f-4993-825f-a30efba9a4eb'] -0de6733f-15e7-4af0-9c1d-80e0eeae7dff,Martha,Vargas,williamlewis@example.com,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],[] -d7fefd9b-a78e-4afe-a8da-676be6a8f739,Beth,Jones,vgreer@example.org,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -cac1f513-7327-4dfc-8ffa-525c38c3a09e,Kaitlin,Cohen,fwilkerson@example.org,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['1f6566d0-b6a6-47ef-a8e9-9d1b224cc080'] -4b28d036-783c-4f39-ad4d-1cb765119c07,Priscilla,Johnson,christopherallen@example.net,"['069b6392-804b-4fcb-8654-d67afad1fd91', '14026aa2-5f8c-45bf-9b92-0971d92127e6', 'cb00e672-232a-4137-a259-f3cf0382d466']",[] -0c19bb55-72bf-401c-996b-64d97e7103c9,Patricia,Jimenez,thomas24@example.net,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -c63f9c66-6c53-4cd1-bbbe-a845d53fc1e5,Jonathan,Ayala,sross@example.net,"['e665afb5-904a-4e86-a6da-1d859cc81f90', 'c737a041-c713-43f6-8205-f409b349e2b6', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -9e941701-cd1c-476b-a535-e4ee2553f75d,Greg,Boyd,roger58@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', '44b1d8d5-663c-485b-94d3-c72540441aa0', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -f9a91dff-f8bc-4497-b799-7d16b91094e2,Benjamin,Castro,lynnsimpson@example.com,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -41ed3143-038b-401b-a2fd-b0de38157d84,Michael,Jenkins,landerson@example.com,['e665afb5-904a-4e86-a6da-1d859cc81f90'],['1b03a988-18e7-4ea5-9c89-34060083eaea'] -8deb8967-dffb-4427-a20a-bc6f6156afa5,Sean,Fuentes,thoffman@example.org,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",[] -834f8076-ad7b-4824-a29d-1f61173a74f9,Samuel,Johnson,cspears@example.com,['63b288c1-4434-4120-867c-cee4dadd8c8a'],[] -4af52f45-88be-43d1-9887-86a596797a53,Jesse,Pope,gordonfrances@example.com,"['069b6392-804b-4fcb-8654-d67afad1fd91', '89531f13-baf0-43d6-b9f4-42a95482753a', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -9c38706e-b708-4dca-ac4b-6d894b61dba4,Jason,Houston,greenkeith@example.org,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '61a0a607-be7b-429d-b492-59523fad023e', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -a0bef539-7338-4421-b61a-df49d62f7d8c,Tyler,Harrison,brandon10@example.net,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",['19d83148-d992-4592-8d90-26593b22b373'] -5d2498c3-0e9e-41b5-967c-4d7228c9529e,Mark,Gentry,uhouse@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -a2b9d749-fa67-4af6-8071-a923a3fab946,Corey,Kelly,anitanichols@example.net,['7bee6f18-bd56-4920-a132-107c8af22bef'],[] -363bb9ad-dbf6-4322-8f95-55c6fa37322d,Anita,Whitaker,mike04@example.com,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['d2991982-2da9-48d1-978b-665a9cd38eb3'] -e80898b7-c407-4f26-b3d5-b50bdcf35acf,Michael,Mendez,becky76@example.org,['6cb2d19f-f0a4-4ece-9190-76345d1abc54'],[] -105a5045-3622-46d8-974c-f4505986afe0,Darlene,Perkins,ajones@example.net,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],['c86453f6-0155-4458-9a26-e211aa2b8e33'] -e94f853c-83d6-4376-b245-38e656a2799c,Alexis,Hudson,walldonna@example.com,['c81b6283-b1aa-40d6-a825-f01410912435'],['429e6376-361c-46fb-88f2-459de5eaec25'] -489ea454-9207-4a40-b529-d89b2da26d0b,Michael,Gibbs,chavezgary@example.net,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['6c8cd651-9f25-436d-abf4-b32fb74b78e3'] -3eb70906-36dc-49ed-a910-af35d44b1057,Mike,Carter,bjohnson@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",['a742f2e3-2094-4cbb-b0bd-cbe161f8103b'] -50d5b829-2310-44a8-a89e-61248ea4dcc2,David,Williams,mwilson@example.org,['89531f13-baf0-43d6-b9f4-42a95482753a'],[] -01440099-9979-4418-8a6c-480f73aa42ee,Krystal,Turner,tcole@example.com,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['5c4c4328-fea5-48b8-af04-dcf245dbed24'] -f2fc7ea3-0af0-49a6-a1f8-0bfa5d5f3502,Tony,Morris,walllinda@example.net,['3fe4cd72-43e3-40ea-8016-abb2b01503c7'],[] -43535794-4b87-44e5-8b52-f63e743fa933,Randy,Stanley,kathleenroberts@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",[] -87585668-611d-45ae-ac21-8d30370efe2c,Wanda,Hines,suttonbrian@example.net,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -2616469e-7b1d-4084-94a5-b762f4187a6f,Kayla,Moyer,connie66@example.net,"['724825a5-7a0b-422d-946e-ce9512ad7add', '86f109ac-c967-4c17-af5c-97395270c489', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -0ce492a5-1884-45ac-8fac-5c6661bc0a11,Mark,Meyer,lsanchez@example.com,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -24aef969-474d-4a6d-881f-fbfdc5ebd567,Alyssa,Clark,kathrynshaffer@example.org,"['f51beff4-e90c-4b73-9253-8699c46a94ff', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -262305e8-9329-4e87-a315-83b586e06fae,Tyler,Rogers,ewright@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '67214339-8a36-45b9-8b25-439d97b06703']",[] -015c56a6-7b73-4268-bfaf-30367e38c1ef,Cheryl,Lee,robertwheeler@example.net,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -6373de64-596b-49a9-96c2-8681b95e0b55,Nathan,Cordova,karenbush@example.com,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['e3933806-db81-4f2d-8886-8662f020919b'] -59967a52-f899-4f9e-8194-a609b3163ac3,Daniel,Choi,sarah29@example.net,['c737a041-c713-43f6-8205-f409b349e2b6'],[] -8ddd3d26-8ca0-471e-94ed-2e711b93d182,Joel,Brown,michael30@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '3227c040-7d18-4803-b4b4-799667344a6d', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",[] -39ce8305-3d1c-4d0c-a7ca-675480d94852,Judith,Stout,nsalas@example.org,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -af75aef2-7ab7-4751-8af4-035b1a096aff,Taylor,Allen,michaelgarcia@example.com,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '724825a5-7a0b-422d-946e-ce9512ad7add', '86f109ac-c967-4c17-af5c-97395270c489']",[] -28b59442-791d-4d0c-93fb-1b116851f52e,Connie,Perkins,vphelps@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', 'c737a041-c713-43f6-8205-f409b349e2b6']",['3d40d597-6ecb-451f-ac63-3516c5862d1f'] -7f6e7c03-1a8a-4b20-819f-695accd58acd,Brittany,Wheeler,ashleypark@example.com,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -86f46656-3559-4006-ab27-fbc63d9edb4e,Ronnie,Barnes,jdavid@example.com,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['4a253d76-a16b-40bf-aefe-61f1140f69e8'] -cca91dfd-2f00-40d7-bcc4-444a8895a3e4,Kristen,Lawrence,danielle57@example.net,['44b1d8d5-663c-485b-94d3-c72540441aa0'],['12515d58-5699-416d-8ab9-627632f46e65'] -9dfa6fc3-764a-49ee-97ca-9c203d433e7b,James,Perry,kingsean@example.com,['cb00e672-232a-4137-a259-f3cf0382d466'],['1a185320-fa73-49e9-905e-acffa1821454'] -f2e04e62-15c0-4712-873e-123653f8c89c,Danny,Morales,schmidtjohn@example.org,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['b49d9c5d-2d71-40d7-8f15-e83e4eb10a48'] -f4e9fd81-6a2b-414c-83c5-4a0c9c9cb28b,Vanessa,Scott,cindy96@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -770ef8bd-2894-425b-ba89-4747ec64f508,Kevin,Crawford,stevenhenson@example.net,"['e665afb5-904a-4e86-a6da-1d859cc81f90', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",['7d8634f9-d608-4589-a06c-cf0be4d539bc'] -e1b703b9-190b-4555-88f5-1b9732192fb0,Brittney,West,susan08@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",['eedf3fa0-c63b-495b-90df-9e99eaf3e271'] -a5f86fe0-95e4-4c0a-880c-e6406879d361,Joshua,Nichols,henry13@example.com,"['59845c40-7efc-4514-9ed6-c29d983fba31', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",[] -6ec8e2e4-8cb0-4f00-9087-06d909958431,Jonathan,Davis,ljones@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -7f9e917f-39b2-4b84-b6d1-95edc34b06dc,Michael,Ramos,millsjeremy@example.net,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '564daa89-38f8-4c8a-8760-de1923f9a681', '18df1544-69a6-460c-802e-7d262e83111d']",['05d42a68-33f9-4c51-be80-33fd14c50c8b'] -cf4ea7cc-3a9a-4667-a541-595e48600500,Michael,Martinez,medinaricardo@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",['6847f646-5383-4226-bcf1-4059695eba82'] -0455fd60-971d-49d0-b804-c3ff819880f9,Elizabeth,Rogers,kathyduncan@example.net,['63b288c1-4434-4120-867c-cee4dadd8c8a'],[] -04820739-00fa-40d6-b5d4-6781fc071c82,Toni,Moore,donna63@example.org,"['3227c040-7d18-4803-b4b4-799667344a6d', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['5bf41a27-5bd1-45eb-8bdf-816832371efc'] -db6b9009-997e-4e11-94e5-05cc9bc9a876,Michael,Mcdaniel,ashleycooper@example.org,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -d8081da3-8b15-42d0-ba00-cfa0c9b5fc3f,Joel,Burns,pross@example.com,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '89531f13-baf0-43d6-b9f4-42a95482753a']",['ca6d549d-ee2c-44fa-aea6-9756596982a1'] -f2f1bc6d-01eb-458e-8949-070a448e9b3f,Jeffrey,Phillips,qbrooks@example.com,['57f29e6b-9082-4637-af4b-0d123ef4542d'],['429e6376-361c-46fb-88f2-459de5eaec25'] -4f9a6887-31cb-4eda-901d-0ddf7f409eaf,Patricia,Mcmahon,jeffery90@example.com,['63b288c1-4434-4120-867c-cee4dadd8c8a'],['722b3236-0c08-4ae6-aa84-f917399cc077'] -f7c00b5d-f112-4ad5-91ee-5c20f3629fe9,Daniel,Woodward,luke62@example.com,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['ec208909-5357-48a2-8750-4063c4a7bd2e'] -03002829-8db8-43e1-80d5-33d285f08621,Thomas,Mathis,johnsonalyssa@example.com,"['18df1544-69a6-460c-802e-7d262e83111d', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -c4e67ccc-2065-4ce1-8dee-09f734d0e1e1,Linda,Murray,hollyriley@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",['2d719e75-080c-4044-872a-3ec473b1ff42'] -4c9b426f-b4e4-4578-a806-a4acfbf08e25,Katrina,Holmes,reginarogers@example.org,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['f114a0ec-738b-4e50-8f19-57e30f908f20'] -34450822-2227-4ef4-a2ac-707012ef8120,Rebecca,Thompson,matthew27@example.com,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],['d3002991-05db-4ad1-9b34-00653f41daa7'] -a9bbbdea-23c2-436e-a0e7-6f449e2b73f0,John,Johnson,jeremy25@example.org,['587c7609-ba56-4d22-b1e6-c12576c428fd'],[] -2a83f3dc-7c02-40df-b24d-f58db03cd98c,Chelsea,Walton,lfisher@example.net,"['3227c040-7d18-4803-b4b4-799667344a6d', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -299a90ba-79ae-440a-a19f-20b5ac13245d,Stacey,Espinoza,gonzalesstephanie@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -3a97df8f-fda7-4bf0-9849-1335731d7121,Sherry,Martinez,timothyjohnson@example.net,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -7e3781cf-3d3c-41e5-9c82-4bfff6ca663f,Sandra,Nguyen,vegatracy@example.org,"['aeb5a55c-4554-4116-9de0-76910e66e154', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",['9ff1a8da-a565-4e98-a33e-9fe617c7ad79'] -4f10d8b8-973b-4252-9778-4b0e34d72197,Christine,Schmidt,emily03@example.net,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],[] -c7c44ec7-7809-4d8c-a8ee-2f2489520671,Brandon,King,nicoledixon@example.org,['61a0a607-be7b-429d-b492-59523fad023e'],['31438176-2075-4285-b76d-e19ddf0d95e2'] -ebcc427a-60cd-4ac5-b4ce-b6783fb180da,Jacob,Hughes,timothy29@example.org,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",[] -3172afe2-fab3-448e-8e05-17ea29dda61a,Thomas,Morris,warrenmelanie@example.org,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '564daa89-38f8-4c8a-8760-de1923f9a681']",['0d2e48b3-fb33-463f-a7ee-e4013f782b0e'] -7f199f76-019d-463f-911f-b4fb72cb44d9,Nicole,Garcia,valdezleslie@example.org,['59e3afa0-cb40-4f8e-9052-88b9af20e074'],['fe897059-b023-400b-b94e-7cf3447456c7'] -d195d879-20a7-420c-8de7-3d6b034ba944,Lisa,Jensen,geverett@example.com,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],['60e842f0-2b00-4259-8690-865ea9639ab7'] -b6f5b696-96c9-412d-a8b4-a8165e7995b4,Bonnie,Baker,sherrybender@example.org,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['1c77028e-b7a9-4842-b79a-c6a63b2a0061'] -328910c8-8dcf-47db-b786-14d16deffba6,Kelly,Stone,ajohnson@example.net,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -7b2f63c2-04a9-4960-839d-d1267476336b,Micheal,Davis,schroederkenneth@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -3ace3e3e-644e-4af0-865f-eb86f25322e0,Penny,Barnes,ajohnson@example.net,['2f95e3de-03de-4827-a4a7-aaed42817861'],[] -7a51f112-7fb5-4189-a3d6-6241647f1fd8,Clayton,Rogers,pedro63@example.net,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['d09046d4-bdfa-41b1-ab4b-b0b159f555bb'] -028d9156-5687-4d66-bfb8-8034c01c7104,Erin,Rogers,wilsonjohn@example.com,['f51beff4-e90c-4b73-9253-8699c46a94ff'],['1b03a988-18e7-4ea5-9c89-34060083eaea'] -48fec94f-c58a-4497-832b-4d1bc8920ae0,Pamela,Abbott,eyates@example.net,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['56657395-bdb0-4536-9a50-eb97ee18fe5c'] -28253478-a794-4be6-9a20-8547cba5a7d3,Meagan,Gibbs,vroberts@example.com,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -e2da77b2-2eed-49e7-ac0a-e303786d6af3,Steve,Rhodes,amanda05@example.com,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],['6a75b28a-db14-4422-90ca-84c6624d6f44'] -493db1a9-cc1b-464e-8ae7-fdfd6325845a,Michael,Delgado,michaelturner@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '63b288c1-4434-4120-867c-cee4dadd8c8a', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -db231cb6-de7c-4bf8-b250-03bacc16f26d,Cheyenne,Thomas,linda21@example.org,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'cb00e672-232a-4137-a259-f3cf0382d466', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -484560cf-399f-4508-a663-d52be7b5e8dd,Crystal,Walton,whitejessica@example.net,"['069b6392-804b-4fcb-8654-d67afad1fd91', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -f93d1ab8-164e-4db2-945a-cc27832b3744,Jamie,Grant,hudsonmichael@example.org,['839c425d-d9b0-4b60-8c68-80d14ae382f7'],[] -c63e03dd-bcf5-4541-bfda-488bb5ff75d8,Ashley,Garcia,whoffman@example.net,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",['1cfc9512-821c-4168-96dc-dd6fe3664fa7'] -4aa5121c-d8a6-4148-a8c9-95f228d40b42,Jaclyn,Ramos,lewismichael@example.org,['3fe4cd72-43e3-40ea-8016-abb2b01503c7'],['a742f2e3-2094-4cbb-b0bd-cbe161f8103b'] -0f4e3ac6-705d-405c-95f2-dad84a94f78d,Joshua,Howard,eddie70@example.org,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '473d4c85-cc2c-4020-9381-c49a7236ad68', 'cb00e672-232a-4137-a259-f3cf0382d466']",['88cb20a4-fc5e-4f79-a469-0079e0c8495b'] -ac6ee8a8-a7ce-48a7-b341-0c61ac886e15,Christine,Herrera,acobb@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', '473d4c85-cc2c-4020-9381-c49a7236ad68', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",['60e842f0-2b00-4259-8690-865ea9639ab7'] -ed8aec7e-b7f2-4342-acb2-8c921a892704,James,Henderson,campbelljeremy@example.org,"['cb00e672-232a-4137-a259-f3cf0382d466', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -8653bd4a-8f54-4e06-b719-b671c503be7a,Duane,Watkins,danielssara@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -0fce035d-3c2e-49dd-b19e-e5f4384ed38c,Ryan,Armstrong,pamelawhite@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -13585f03-4598-41f7-8cef-b5e0f476d69d,Michael,Lloyd,angela75@example.org,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '2f95e3de-03de-4827-a4a7-aaed42817861', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -eb48ec07-1660-4b2d-b422-7d83ee6fe416,Nicole,Frost,pamelawarren@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '577eb875-f886-400d-8b14-ec28a2cc5eae', 'c81b6283-b1aa-40d6-a825-f01410912435']",['3dda0bcb-6039-4f6e-91a7-5f010e930e8f'] -0a29e958-ec7a-45c9-ba47-cee8f1aa9c8f,Larry,Bush,johnsontamara@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",[] -81dcad59-4049-4f1b-87ae-6dbfe8d2fa78,Sean,Guerrero,rwilkerson@example.net,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -bb88df38-b43e-41dd-867c-429658d46f1f,Megan,Stokes,jennifermccoy@example.net,['c81b6283-b1aa-40d6-a825-f01410912435'],[] -bfaea632-3100-475c-bb6b-f59808529131,Benjamin,Nelson,brittanyrobinson@example.org,['61a0a607-be7b-429d-b492-59523fad023e'],['a187f582-4978-4706-afe3-9bd37b2468c8'] -1c0c0aa6-ec48-4b54-9efb-cc0d04b700ed,William,Lopez,orrteresa@example.com,['18df1544-69a6-460c-802e-7d262e83111d'],[] -ea11683b-eb38-4979-9607-089550f443f0,Megan,Holloway,terrancerodgers@example.net,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '587c7609-ba56-4d22-b1e6-c12576c428fd', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['b9f042ca-3f4c-4398-abc0-8dd37a4d6c8c'] -8917a103-95c9-468c-8e11-6ea4dc9b8819,Kristina,Meadows,jonessavannah@example.net,['26e72658-4503-47c4-ad74-628545e2402a'],['e1a357d9-a7f1-4711-9d5b-fd15e9172330'] -f83e9356-72f2-41f2-929c-e5fda73ded5c,Tyler,Love,johnsonjames@example.com,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],[] -02ce5382-fc7d-47a7-9666-fbbb53fb6d03,Jeff,Wells,aimee02@example.com,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '741c6fa0-0254-4f85-9066-6d46fcc1026e', '26e72658-4503-47c4-ad74-628545e2402a']",['7ffab46c-8924-4c74-af34-159a02364b2f'] -3dbbc1ed-ee5a-4c50-a2ef-dd5395dcc5aa,Janet,Banks,ybrewer@example.com,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', '18df1544-69a6-460c-802e-7d262e83111d']",['eedf3fa0-c63b-495b-90df-9e99eaf3e271'] -c4daa06f-59ce-4e06-8364-9d0abe54be57,Shane,Sheppard,matthewfuller@example.org,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['58b91f02-40a4-4557-bb45-2c68f2218951'] -3f5d53fd-ccb2-4bc1-b79a-d3f2d43bcae9,Eric,Wright,dmunoz@example.com,"['f51beff4-e90c-4b73-9253-8699c46a94ff', 'ba2cf281-cffa-4de5-9db9-2109331e455d', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -1d6b0fb6-af51-4a21-a6e6-59dc913ddc5a,Travis,Stanley,matthewsalazar@example.org,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '072a3483-b063-48fd-bc9c-5faa9b845425', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",[] -8b4e3d71-f1f8-4c5e-bad9-e43cdeca137d,Linda,Taylor,jessica16@example.net,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', '072a3483-b063-48fd-bc9c-5faa9b845425', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -73c714f9-e40b-46ba-82ac-1382fafeae6a,Willie,Lewis,xgraham@example.com,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -1cdb66b6-b992-409f-9fb9-933329cd0f87,Sandra,Carson,hensleyrichard@example.org,['89531f13-baf0-43d6-b9f4-42a95482753a'],['23166e6c-bf72-4fc7-910e-db0904350dbb'] -0ed38a22-5dcc-4fe7-930e-106def2cfd4c,Micheal,Stafford,rgomez@example.net,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -d8b13d25-aa41-4481-979c-7e834ff4326e,Kyle,Anderson,fandrews@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -3db8e509-6944-4301-8fd7-174516d0945e,William,Page,vanessa15@example.org,"['26e72658-4503-47c4-ad74-628545e2402a', '6a1545de-63fd-4c04-bc27-58ba334e7a91', '3227c040-7d18-4803-b4b4-799667344a6d']",['e94f718f-d099-477d-bdbd-40d267f92a93'] -50542df4-9d95-4059-9bdd-fbff4338033d,Shannon,Hobbs,evan27@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",['0260e343-0aaf-47a5-9a99-ae53cb3c2747'] -71fe5b3e-dca4-4022-b6ec-b60c92eb575c,Matthew,Copeland,jennifer87@example.org,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],[] -e7977bac-85a5-4c3d-a4e9-df6ff17f974d,Lauren,Lowery,bryantanne@example.com,"['86f109ac-c967-4c17-af5c-97395270c489', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -43480d05-f599-49bc-9fe2-671f0ef7fec2,Isaac,Peterson,rbrown@example.org,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],[] -8828c6ba-f31c-4b69-acae-b2fe37c0be31,John,Ross,saunderswilliam@example.org,"['c81b6283-b1aa-40d6-a825-f01410912435', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -eb5b1684-4ba5-4b0b-b8be-6ab708a0b453,Michael,Reyes,dbrown@example.com,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -5cd8a452-f58b-4ed4-b257-4fac84a068f2,Jacqueline,Daniels,kathleenestes@example.com,"['61a0a607-be7b-429d-b492-59523fad023e', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['de7e2c76-771b-4042-8a27-29070b65022a'] -9476ac1f-62bb-4014-a8e3-5a9fff701e1c,Eric,Barnes,campbelljoshua@example.org,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '724825a5-7a0b-422d-946e-ce9512ad7add', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -0edcfd6a-00ab-4ee3-9c17-90868c108673,Veronica,Hall,james36@example.org,['3227c040-7d18-4803-b4b4-799667344a6d'],[] -f00928b1-962e-4365-a53c-5e95b0e7b4f6,Anthony,Mason,ysmith@example.net,['86f109ac-c967-4c17-af5c-97395270c489'],['cfea1941-d200-4d5b-9710-8fcf08cfd02d'] -adff8f30-3f7e-41d2-ab58-a469d7f15684,Kyle,Sparks,antonio98@example.com,['d000d0a3-a7ba-442d-92af-0d407340aa2f'],['e96fb986-f0bb-43aa-a992-f84eea493308'] -bf34ddf7-8e08-4b98-9e10-24a35e6ede2f,Jennifer,Chapman,utorres@example.net,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],[] -ea0682ca-d633-49c4-a986-f2182d62dd93,Debbie,Hernandez,robertshaffer@example.com,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '67214339-8a36-45b9-8b25-439d97b06703']",[] -d62cc1d9-8c57-46a1-af20-660ebf5ff99f,Theodore,Martinez,hollandtheresa@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['722b3236-0c08-4ae6-aa84-f917399cc077'] -8b0b916c-8632-4486-b593-67f9b5245794,Jill,Mayo,jennifercarpenter@example.com,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],[] -19e85652-ce7f-4e37-acca-0fbbd7a95e6c,Mary,Howard,moyerlaurie@example.com,['26e72658-4503-47c4-ad74-628545e2402a'],[] -0286f330-a305-4d97-8268-698c706ab537,Daniel,Brooks,sandrabutler@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -610b309f-381d-4a3f-bf00-1711c6aed403,Jose,Jones,cherylgill@example.com,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -691dd4c8-a54c-4e4c-adb4-07de80fde394,Vicki,Meyer,heather10@example.net,['aeb5a55c-4554-4116-9de0-76910e66e154'],['d225d3bf-a3ff-46b0-a33c-85d1287c1495'] -5b4c941a-fc81-44a5-8f83-8b87ff41e476,Zachary,Garrett,huntermullins@example.com,"['63b288c1-4434-4120-867c-cee4dadd8c8a', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -eb699554-c076-49cc-a28f-6ad2f42252f7,William,Watkins,peter89@example.org,"['18df1544-69a6-460c-802e-7d262e83111d', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['07c46b33-d48c-4dee-b35b-ff3bec33eef1'] -bb516205-7f06-427d-b3db-9225f197529c,Kathleen,Thomas,mcmillanchristopher@example.net,"['564daa89-38f8-4c8a-8760-de1923f9a681', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['cb00caa7-48f7-41db-bd55-a6f1ca740ba5'] -be04000c-1c4d-4cd8-982d-49bc44f2dc3b,Melissa,Roberts,shaneowen@example.com,"['18df1544-69a6-460c-802e-7d262e83111d', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -15ed9722-93da-4623-9866-e841dc533e24,Kevin,Bradshaw,cphillips@example.org,['787758c9-4e9a-44f2-af68-c58165d0bc03'],['4b00c24d-c714-4727-bc8a-c2a9f81392e1'] -0e5e8fe2-3c65-4b65-b98c-132be0e3b9c5,Jose,Phillips,kevinbrown@example.com,['7bee6f18-bd56-4920-a132-107c8af22bef'],['c3163f08-1d11-4e32-9bc5-494d7869935a'] -fcf4c481-b978-4bfe-907b-516b0d2833c7,Mason,Byrd,wheelerlisa@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -45c4a1f3-9046-40a4-a052-356cf401556b,Brandon,Smith,kevinrobertson@example.com,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],['eec5a289-f51e-43ef-83f9-de27fbe2525b'] -a1248943-db9e-4b4e-bb0f-8c286cb414b7,Scott,Gomez,angelaproctor@example.com,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['5d6b4504-ce14-49a1-a1ab-0b8147f15e26'] -a8382771-9bca-4afd-a9f1-86766ff00be7,Geoffrey,Chan,garciamaria@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '052ec36c-e430-4698-9270-d925fe5bcaf4', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",['8df81a3b-afb7-454c-a504-d190da845e0b'] -7d7fc960-3484-41af-8ed5-5a950d234f7d,Erika,Schmidt,ihernandez@example.com,"['7bee6f18-bd56-4920-a132-107c8af22bef', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -83321857-4305-4b86-a335-08cf2998967c,Kerri,Jenkins,johnsonchristine@example.com,"['61a0a607-be7b-429d-b492-59523fad023e', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",['2d719e75-080c-4044-872a-3ec473b1ff42'] -6f936a31-1ccf-4047-9ccb-87b42b030bc5,Christina,Weeks,torresraven@example.net,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '2f95e3de-03de-4827-a4a7-aaed42817861', '18df1544-69a6-460c-802e-7d262e83111d']",[] -7140c810-773e-451b-8ca0-23dd97b07c77,Amber,Shaw,desireemoore@example.net,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",['db07fa7b-d0f9-44b4-981b-358558b30f4c'] -39f19836-220d-4c3e-84d2-20561053b920,Robert,Moss,christinadavis@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '7774475d-ab11-4247-a631-9c7d29ba9745', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -86738787-f120-4c74-9105-e60a573b5d40,Daniel,Valencia,qjenkins@example.net,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['4df8603b-757c-4cb8-b476-72e4c2a343da'] -60ba90a7-0994-4ac0-8041-4781cb2bbf97,Stephanie,Steele,tranjeffrey@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['d84f87ab-abaa-4f1a-86bf-8b9c1e828080'] -b86f8d83-c802-4bb2-88a4-80fa419dac71,Pamela,Barrera,sball@example.net,['44b1d8d5-663c-485b-94d3-c72540441aa0'],[] -4035471b-9296-43d6-a9fb-ae09d2c98ae7,Nicole,Butler,carlasmith@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['c888853d-5055-438c-99f8-9a9904fd76a8'] -15077067-33a1-42c5-8a4a-bb73ce670331,George,Brown,devin98@example.com,['89531f13-baf0-43d6-b9f4-42a95482753a'],[] -538af5c0-a833-4336-bdb7-94c070aee746,Jennifer,Johnson,mayjohn@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '89531f13-baf0-43d6-b9f4-42a95482753a']",['19d647db-7014-4236-9060-7967b62f30cd'] -989e7601-4265-4f07-8e40-542b9aa75a58,Jeffrey,Schultz,raymond43@example.com,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '787758c9-4e9a-44f2-af68-c58165d0bc03', '61a0a607-be7b-429d-b492-59523fad023e']",['0260e343-0aaf-47a5-9a99-ae53cb3c2747'] -0f241223-cf46-4bed-a7e2-5a459e2da56d,Debra,Bryant,swebb@example.net,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",['0ca56830-c077-47eb-9d08-bf16439aa81c'] -eda1cac5-f941-4826-9b6e-0cfdfd33d2bc,Krystal,Hess,haleychavez@example.org,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'ad391cbf-b874-4b1e-905b-2736f2b69332', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['0662b3d3-db2f-4818-a674-b8e4d170eb82'] -7529f92a-5daa-4c2c-817a-08e5dac04781,Brenda,James,anne98@example.org,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '61a0a607-be7b-429d-b492-59523fad023e', '67214339-8a36-45b9-8b25-439d97b06703']",[] -f18307c7-95a3-4e39-8394-56eb96a588f8,Brittany,Bailey,vstone@example.net,['6cb2d19f-f0a4-4ece-9190-76345d1abc54'],['6080ae1d-807f-4993-825f-a30efba9a4eb'] -536329f3-6ef2-4b1e-aab4-fa842bb68bb8,Brenda,Roman,smithwanda@example.org,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -16ef94dc-0de0-442f-9b53-0c9cbaea65df,Steven,Jimenez,anthony67@example.net,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",['c9767f63-b044-409a-96ef-16be4cb3dc9f'] -e979ed85-a862-4395-97ff-73c4065376c0,Teresa,Smith,brittney66@example.com,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],['ad9a0664-8bf1-4916-b5d3-ca796916e0a5'] -99e39920-31c3-4eca-8026-ebdb1823b1b1,Angela,Jones,dennisdennis@example.com,"['c81b6283-b1aa-40d6-a825-f01410912435', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['429e6376-361c-46fb-88f2-459de5eaec25'] -1a1856e0-5166-451d-bf96-ee6273272cf9,Michael,Reed,owong@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'c737a041-c713-43f6-8205-f409b349e2b6', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",[] -a0d07410-86e4-4817-a21a-5e2fe7d071a5,Denise,Martinez,tkane@example.net,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', '89531f13-baf0-43d6-b9f4-42a95482753a', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",['82cd3ac8-2db0-493f-beff-5db479afe620'] -7e6142f9-0e80-4092-be10-d06d3c30a38e,Martha,Martinez,pchase@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['0ca56830-c077-47eb-9d08-bf16439aa81c'] -551d9932-ab1a-444e-9e9b-45c90d9934a7,Karen,Anderson,ybrown@example.com,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['40693c50-8e07-4fb8-a0bc-ecf3383ce195'] -aacfab42-3d60-420a-9ef8-aedbe028198d,Cheyenne,Glenn,nsimmons@example.org,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'ba2cf281-cffa-4de5-9db9-2109331e455d', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['3dda0bcb-6039-4f6e-91a7-5f010e930e8f'] -5f437a84-430b-46c8-b381-d258aa18d503,Jack,Gilbert,wilsonmichael@example.com,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '3227c040-7d18-4803-b4b4-799667344a6d']",[] -7b191a19-50cf-4d27-ac79-2a49df2fe84b,Matthew,Oliver,scottspence@example.com,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",['e240475b-f90b-471d-b73d-9f1b331ad9bd'] -44ff473a-f584-4a80-a295-2db6b615fbfd,Alexander,Taylor,wdavis@example.org,['44b1d8d5-663c-485b-94d3-c72540441aa0'],[] -282bb4a8-54e4-4919-8bc8-6748158d461f,Brent,Gibson,qschultz@example.net,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -f3583c27-569d-48de-92e3-85cd3388bbeb,Donna,Estrada,obridges@example.net,"['c737a041-c713-43f6-8205-f409b349e2b6', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['55bc2d2d-a3b7-4afc-a7a4-651f85c84c0f'] -57529b6b-9f57-484a-8d2f-7d9bedd117bf,Alan,Collier,ucrawford@example.net,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],['b63253fb-6099-4b92-9b87-399ee88f27e5'] -c1d6fdf3-9c17-4107-ad55-901d46315556,Angelica,Sparks,dunlapscott@example.net,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],[] -56ba5f7b-b7cf-4e6a-b662-021657926302,John,Snyder,trevor77@example.org,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],['a187f582-4978-4706-afe3-9bd37b2468c8'] -5002ac0a-fdea-4e2a-ac91-30c0444c6dc9,Lisa,Reed,gberg@example.net,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '61a0a607-be7b-429d-b492-59523fad023e']",[] -a165a0a6-ef38-4cab-b229-067ff3f39fda,Elizabeth,Kelley,tcox@example.org,['7bee6f18-bd56-4920-a132-107c8af22bef'],[] -fb8ef49a-2c36-447c-adb9-17387cee5e73,Patricia,Morris,gregorypatrick@example.com,['67214339-8a36-45b9-8b25-439d97b06703'],['d84d8a63-2f4c-4cda-84a2-1c5ef09de68c'] -346350d6-114b-46d2-b2d4-1aaa0d429186,James,Jensen,lpatrick@example.com,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -36031edc-54b1-4bdf-aea4-cc2ca772ca78,Joseph,Cuevas,denisebradford@example.org,['6cb2d19f-f0a4-4ece-9190-76345d1abc54'],['43c67b64-aa19-4d3c-bd4e-c18799854e93'] -dadabddf-002a-48f9-9dac-402cfec2fab7,Jesus,Schroeder,zortiz@example.org,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -a89d00fb-49aa-49f0-ada7-c21666f718a2,Scott,Caldwell,jenniferjohnson@example.net,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -f33ec40f-aea4-42f6-88cf-056a3f3c3b22,Linda,Murphy,charlottefisher@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['56657395-bdb0-4536-9a50-eb97ee18fe5c'] -6abd18d6-aa9a-461b-9165-1bba98d9bd0e,Destiny,Johnson,nicholsamy@example.org,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'c737a041-c713-43f6-8205-f409b349e2b6', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['34488741-278c-4e4f-8bf0-ac45936f4fb4'] -999437b1-71ed-4250-9c82-1e6dff59da18,Patrick,Walter,owillis@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -42a32257-930c-489a-b0f4-99d5db81ce8b,Haley,Hooper,michael91@example.net,['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1'],['8e462fa7-4301-4ff5-abdb-13f2e42b1735'] -c5dc5cbc-2dd3-43e1-a48c-6cfc6a98a27a,Amber,Ochoa,kimberlyalexander@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['43c67b64-aa19-4d3c-bd4e-c18799854e93'] -d2f0e8bd-563d-4c6c-9fd1-8d0bcb100ae6,Brittany,Edwards,thomasadam@example.net,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],[] -f3ae00a6-c875-49b0-9eb4-946afe90ff48,Troy,Rhodes,kimberly70@example.net,"['7774475d-ab11-4247-a631-9c7d29ba9745', '9328e072-e82e-41ef-a132-ed54b649a5ca']",['78995f96-9862-40e7-9286-680115ec4afa'] -4ae1d7f9-9e8a-4257-87e3-03321266f9d0,William,Ray,ngraham@example.org,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '1537733f-8218-4c45-9a0a-e00ff349a9d1', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['4a253d76-a16b-40bf-aefe-61f1140f69e8'] -52ead1c8-9853-4b88-8a87-ba5937e8246b,Cassandra,Mccarthy,laurapeterson@example.com,['67214339-8a36-45b9-8b25-439d97b06703'],[] -bfd4c011-315f-46b2-94a7-10fe0f1478cc,Kelly,Weeks,angelicaclark@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",['94cf7a13-54e9-4f3f-9727-ce07107552f2'] -685a1334-c7cd-4597-a5bc-7c53d93aa731,Jacob,Morales,madams@example.net,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],['18faedc7-eba5-4224-85ac-124672b7f0c3'] -59dcda52-32c0-42ce-93ee-822a71b1c6fd,Leah,Banks,agregory@example.com,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'cb00e672-232a-4137-a259-f3cf0382d466']",[] -13482013-d0a6-4f1b-afce-0f1ef0d1b1bf,Julie,Espinoza,mckinneyjennifer@example.com,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],['d225d3bf-a3ff-46b0-a33c-85d1287c1495'] -d0ee94ae-7e00-4b5a-9b1d-014329dbafd9,Mallory,Avila,macdonaldashley@example.org,"['18df1544-69a6-460c-802e-7d262e83111d', '26e72658-4503-47c4-ad74-628545e2402a']",[] -e576c284-979b-4904-ae6e-606b28afa0b8,Laura,Hoffman,teresa48@example.org,"['9328e072-e82e-41ef-a132-ed54b649a5ca', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['8968fdf0-d411-4899-9aaf-632d1ff2ca1c'] -a89b75e6-f478-47a3-8a16-2168177d1ff5,Bobby,Johnson,flester@example.com,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -3baac898-8b67-4706-8d07-8ea60c025862,Dean,Waller,patriciasmith@example.org,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],['5a3edf14-ae01-4654-b562-669cf1ed8ddf'] -90e7421f-29bc-418d-b07b-38da82a671b8,Eric,Davis,brooke60@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",['bd8a91b8-935c-430e-9383-e1e8f512a395'] -a49827d4-77ae-4ff4-ad22-157fb762ad41,Jason,Nguyen,kathleen43@example.com,['63b288c1-4434-4120-867c-cee4dadd8c8a'],['d0ceeb91-609f-4cb2-acc1-15de88158b28'] -c13901ab-fd23-4919-b189-784d1f736a87,Pamela,Webb,kaylathompson@example.com,['2f95e3de-03de-4827-a4a7-aaed42817861'],['9601d7a6-6282-4247-8ae3-2ea160bc757f'] -91fbe4b8-d81a-4347-9f2f-0d6cc77ed400,Christopher,Livingston,flucas@example.net,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['1c77028e-b7a9-4842-b79a-c6a63b2a0061'] -09a9337e-2384-44c9-84e3-cfb43933fefc,Larry,Williams,zhall@example.org,['aeb5a55c-4554-4116-9de0-76910e66e154'],['432532ef-de67-4373-bf0d-f4608266f555'] -52dd9809-ac4f-4d7a-baa6-e990f3c5529b,Jessica,Herring,ellisonjessica@example.com,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '7774475d-ab11-4247-a631-9c7d29ba9745', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -00780bf7-2fe7-432f-9b40-4e409a72973e,Ralph,Johnson,raychristopher@example.com,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -5a980e23-592b-4c85-a8c4-8848177a676e,Martin,Mcclure,sarahscott@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['c3f4ca5a-ba09-41d3-9ed0-36027c2b3523'] -2d853d66-3499-494c-8632-4579aad3340d,Amber,Taylor,mortiz@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -ca9bda78-cd75-4984-8d00-3b4c88f0c162,Rachel,Rios,wcox@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -277f502b-a5b1-455f-bb47-ad71c834a28b,Holly,Martinez,vincentgomez@example.org,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -c9de287d-420f-4036-83b4-dc4bf4cb1bda,Lydia,Summers,victoria93@example.org,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '564daa89-38f8-4c8a-8760-de1923f9a681', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['45249454-edef-4d93-a5d2-f6f14e123707'] -a11c9930-b64e-4f10-a48f-fee7f159f79b,Phillip,Howard,jennifersmith@example.net,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],['6ea27b5d-1542-454f-8653-e48fccb7238b'] -0a490cbf-8eb5-4d35-aa14-8b3ae824ed47,Melissa,Thomas,andrea94@example.org,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],['78924e81-6889-4b7f-817e-38dcfd040ec7'] -738e4b33-7f51-4f42-9c95-2a068adf3f2d,Emily,Austin,ryanflynn@example.org,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -c3119cdf-02cb-48e2-8352-e28330efd70f,Rhonda,Henderson,shaun88@example.com,['59e3afa0-cb40-4f8e-9052-88b9af20e074'],['fce88bd9-e2a3-481e-bedc-dbebd5343f08'] -a37efc6b-b2f0-47f2-b629-3d22455bfe42,Joshua,Johnson,alejandrolarson@example.net,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],['aaafb4f5-408a-43cb-90c5-451db488af94'] -ebac3304-13a4-4139-820d-8a117a033c65,Donald,Romero,nmoon@example.com,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],[] -b5320398-96b7-4311-8972-3f304129bfc1,Ashley,Anderson,heather50@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['dacdda72-9a15-437c-8b69-7c0cb67998e5'] -bb52b081-d55a-4d3c-b9fc-5b092ee031d4,Matthew,Lewis,joseph42@example.org,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",[] -1e9b5979-89cf-4953-9544-b3fb2b81545f,Diana,Sutton,danielrichardson@example.com,"['67214339-8a36-45b9-8b25-439d97b06703', '564daa89-38f8-4c8a-8760-de1923f9a681', '61a0a607-be7b-429d-b492-59523fad023e']",[] -57d54594-3ec7-432d-a7a3-90601546a82d,Angela,Snyder,courtney15@example.net,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],['5b0d64d5-2e5f-4173-b359-c4355e1ce861'] -83394033-a6dd-4c6a-91b7-9ebbdf6ab6e0,Jason,Padilla,kathleen45@example.com,['44b1d8d5-663c-485b-94d3-c72540441aa0'],[] -21ddd287-cd24-4a9f-b5c6-1b17e18974c8,Thomas,Murphy,umercado@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",['bfe07d0d-ca15-400a-aa7d-febdb72f5e51'] -76763f0b-7bba-4c72-b1af-d0c76d696ff1,Amy,Hamilton,morriswilliam@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -1fde4141-4b54-42fd-83d8-343ae75b8559,Miguel,Gomez,keith68@example.org,['c81b6283-b1aa-40d6-a825-f01410912435'],[] -f5140fbe-af6c-4671-9eb2-58c825ff341b,Rachel,Nguyen,penamelvin@example.net,"['aeb5a55c-4554-4116-9de0-76910e66e154', '473d4c85-cc2c-4020-9381-c49a7236ad68', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",['f7feddb7-c9cc-4e58-85ec-44e947a9f370'] -4d5f6209-9f72-4ad2-b7d5-c07c94bba2af,Allison,Faulkner,morgan68@example.net,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '89531f13-baf0-43d6-b9f4-42a95482753a', '86f109ac-c967-4c17-af5c-97395270c489']",['78924e81-6889-4b7f-817e-38dcfd040ec7'] -6f80c72c-bcb3-4d3a-8fbe-10048f080d43,Brittany,Richmond,thomasarnold@example.net,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', 'e665afb5-904a-4e86-a6da-1d859cc81f90', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -7e9eb5bf-7829-4ec5-8227-d0bbdbef76d2,Margaret,Taylor,erica35@example.org,"['61a0a607-be7b-429d-b492-59523fad023e', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -ac1f2365-14bc-4820-9899-93bb402dc594,Aimee,Ross,brianhood@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -6f001fd2-846c-45f4-8b97-cdace8198aa0,Matthew,Freeman,dennissanchez@example.com,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],[] -992488f5-3a8b-4168-836a-6b945ee0b992,Jenna,Daniels,abigail75@example.net,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '26e72658-4503-47c4-ad74-628545e2402a', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -f889f8b8-45f8-427c-8b49-d63697440e66,Jo,Flynn,xhanson@example.com,['26e72658-4503-47c4-ad74-628545e2402a'],[] -3dff0216-ed41-431e-9e71-657f2b6325cc,Manuel,Wells,sullivangregory@example.org,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '61a0a607-be7b-429d-b492-59523fad023e']",['bec7f13a-7ae7-4ad7-a5c5-ca2b3728785c'] -d823450b-b10d-4f06-8009-7ef78e459cd3,Wendy,Reyes,fmalone@example.org,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",[] -b4681c25-81cc-4fee-82bc-55df1185ce66,Michael,Dalton,burchkelly@example.net,['9328e072-e82e-41ef-a132-ed54b649a5ca'],[] -0f1361dd-c725-4ff7-8cac-b287db691e19,Donald,Ortiz,whitneywood@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -541e2634-2bdd-44fd-a00a-de536da46439,Theresa,Harris,andrewrussell@example.org,['cb00e672-232a-4137-a259-f3cf0382d466'],['f835cf7a-025e-40e8-b549-3be781938f19'] -538448d0-7b58-4d61-8ec0-e4e5ae04ab15,Alexander,Miller,jeffrey44@example.com,"['86f109ac-c967-4c17-af5c-97395270c489', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['f7feddb7-c9cc-4e58-85ec-44e947a9f370'] -fa3e1cad-9ed3-4073-9031-bd951187f5d3,Allison,Mitchell,cody21@example.net,['3227c040-7d18-4803-b4b4-799667344a6d'],[] -26730282-94de-45ef-bac3-0fb7ef7e2f0f,David,Roberson,jasonperez@example.org,['86f109ac-c967-4c17-af5c-97395270c489'],['6a6c69b0-a778-4411-8f63-268d28c48062'] -de3068a7-edc8-40ca-beee-3e6bfde740dc,Sabrina,Robinson,tracybrown@example.org,"['724825a5-7a0b-422d-946e-ce9512ad7add', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",['f15012b6-ca9c-40af-9e72-f26f48e2e3d2'] -23461a6f-7d99-47f6-a1a8-236011791b64,Cathy,Fox,gilesjohnathan@example.com,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -b8eed573-d077-4164-b29f-c53d052b00ea,Laura,Day,mooreglen@example.net,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",[] -52ff5c8f-0ea2-4a45-a005-d5a128f64647,Anthony,York,jesus19@example.com,['c800d89e-031f-4180-b824-8fd307cf6d2b'],[] -95e27ca0-5aef-478e-b960-a139e900698f,Elizabeth,Andersen,fchang@example.net,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],[] -e75826b3-a9f8-4e65-bd4b-cce7e1d6f196,Haley,Mccarthy,jjohnson@example.net,"['072a3483-b063-48fd-bc9c-5faa9b845425', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -aa5031e6-cfbf-4eb3-affc-2d1df78fecec,Bruce,Gonzalez,huntbryan@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -fd2b049f-104d-41a5-a493-bfb029916f08,Lisa,Ross,dharris@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'ad3e3f2e-ee06-4406-8874-ea1921c52328', '67214339-8a36-45b9-8b25-439d97b06703']",[] -bdc01d2c-e15d-40c8-9d18-40c7b437a066,Deborah,Gomez,lisa52@example.net,['44b1d8d5-663c-485b-94d3-c72540441aa0'],['55bc2d2d-a3b7-4afc-a7a4-651f85c84c0f'] -49da1082-e09d-47e3-921c-e787e3bc30e1,Noah,Garcia,maguilar@example.com,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],['9471e78e-099c-46b1-87da-4d8f71d8e7c3'] -2a193a46-d5b7-488c-8294-eddc1d19819f,Shannon,Owens,sylvia64@example.org,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -b0d70afb-4222-47d1-998a-b06294d7b478,Gabrielle,Brown,connie63@example.com,"['26e72658-4503-47c4-ad74-628545e2402a', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['e6d2eca5-915f-4875-a9c7-99c3fe33e44d'] -dac71a6e-8d36-4033-9c30-ec8d606ac290,Brenda,Lambert,vrussell@example.com,"['86f109ac-c967-4c17-af5c-97395270c489', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -874d71f4-18cc-4cf5-b03f-9b193da2e082,Jamie,Erickson,shieldsjanet@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",['5c4c4328-fea5-48b8-af04-dcf245dbed24'] -b2bb77c9-4897-4bf5-a89e-011df8acb81c,Colleen,Mills,anthonyleonard@example.com,['1537733f-8218-4c45-9a0a-e00ff349a9d1'],[] -7171b16b-90ca-4bc9-8c12-bbbf90c1823f,Christopher,Wallace,jonesmegan@example.net,"['072a3483-b063-48fd-bc9c-5faa9b845425', '59845c40-7efc-4514-9ed6-c29d983fba31', '79a00b55-fa24-45d8-a43f-772694b7776d']",['5fadd584-8af3-49e7-b518-f8bc9543aa4b'] -f3c0556f-4ea6-4d73-a910-e457f86058df,Robert,Patterson,michaelferrell@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",[] -02d5cece-6db8-4b40-8c31-e6453ae2d813,Clinton,Sullivan,tcollins@example.org,['839c425d-d9b0-4b60-8c68-80d14ae382f7'],['3c7dad3a-d69a-409f-91ff-6b6856a1b73d'] -03954bc7-db9a-4af6-bbf2-4ebabed0a301,Brian,Castro,alexisgutierrez@example.com,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -ff4a9c16-a213-4091-811d-78f18da56f1e,John,Martin,perezjason@example.net,"['79a00b55-fa24-45d8-a43f-772694b7776d', '59e3afa0-cb40-4f8e-9052-88b9af20e074', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -8c411148-9957-449d-8725-9037e7b46192,Christine,Chavez,reidjustin@example.org,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '61a0a607-be7b-429d-b492-59523fad023e']",[] -ed29c85d-b8e0-4b61-99f3-c4dfb7e46baa,Barry,Martin,vtate@example.org,"['3227c040-7d18-4803-b4b4-799667344a6d', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -2b306ae6-073c-4ae2-8b4e-e6bfe21bd577,Sonia,Shah,darrenrivers@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",['dcbb58a3-91a8-4b6b-a7d1-fcfcb4b5c5ba'] -b2bda5c7-fac3-44a4-b823-a485a662d2a6,Vickie,Dixon,rjohnson@example.com,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', 'c737a041-c713-43f6-8205-f409b349e2b6']",['f15012b6-ca9c-40af-9e72-f26f48e2e3d2'] -c80eefd5-1fcc-43d4-811d-9314b9b4b069,Dylan,Christian,waltercarrie@example.net,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",[] -0505cd43-5f1a-414b-8350-919410cf0e02,Patricia,Hill,cynthia13@example.com,"['59845c40-7efc-4514-9ed6-c29d983fba31', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['67232110-4863-40da-be01-a95147537a9c'] -a5d2c73f-b936-430e-a3ae-69d67e1829a4,Larry,Gonzalez,dramos@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'f51beff4-e90c-4b73-9253-8699c46a94ff', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -f777edf6-d31b-41d5-9cc7-6a25c0fc4d55,Dana,Armstrong,victor39@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['b62c31fd-d06e-4e38-b6da-5c9f4259a588'] -6ef4292a-5fab-418d-bb44-5be8defb2827,Lisa,Bennett,daniel39@example.net,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '18df1544-69a6-460c-802e-7d262e83111d']",[] -97a4c9ef-9898-4a0d-912b-9b8b5e5341fa,Michele,Mcclure,edwinbowen@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '18df1544-69a6-460c-802e-7d262e83111d', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -981c7910-834c-4a80-a75e-f4f0b45a7438,Elizabeth,Burton,laura19@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '2f95e3de-03de-4827-a4a7-aaed42817861']",['24342cfe-2bf4-4072-85a1-baa31f4d0572'] -662e2dac-2ffc-4d13-8fef-8e0ca9467ac8,Shannon,Young,tonynicholson@example.com,"['2f95e3de-03de-4827-a4a7-aaed42817861', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -d19562ea-705d-4968-8ff4-17841890e808,Leah,Rose,lewiskimberly@example.net,"['564daa89-38f8-4c8a-8760-de1923f9a681', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['5b0d64d5-2e5f-4173-b359-c4355e1ce861'] -550c5363-1d02-41e0-9cce-783b51b51713,Clayton,Moran,danny97@example.net,['44b1d8d5-663c-485b-94d3-c72540441aa0'],[] -4470f167-f4b9-4f3c-b0ea-b3cfbd6cf60d,Gail,Garza,matthewellis@example.com,['c97d60e5-8c92-4d2e-b782-542ca7aa7799'],[] -17ac86e2-22b8-4ec1-8e5e-4043bc42d7e5,Laura,Andrews,mmorgan@example.org,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],[] -b4c07e54-9a66-460a-8934-4cd26ef0423c,Lisa,White,jenkinssamantha@example.com,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],['b90b0461-013f-4970-9097-1b15f9708b3c'] -68677ae0-43a9-4e24-a5d0-2678c976cdee,Rachel,Smith,jasonjackson@example.com,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -a2a6fb03-73fb-4520-9c3d-9d4673c03e1e,Wendy,Hamilton,gonzalezbrittany@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['361e1137-b81b-4658-8e63-233f215b8087'] -880c995f-cc31-46d0-9e33-1f40ed25659b,Gerald,Smith,millerrobert@example.org,['564daa89-38f8-4c8a-8760-de1923f9a681'],[] -5534c5b8-d862-4072-88cf-615caab53742,Roberta,Swanson,valeriewashington@example.net,"['577eb875-f886-400d-8b14-ec28a2cc5eae', '6a1545de-63fd-4c04-bc27-58ba334e7a91', '18df1544-69a6-460c-802e-7d262e83111d']",['6c8cd651-9f25-436d-abf4-b32fb74b78e3'] -2660791a-cf39-480f-8eb5-66de1ebe9ee4,Nicholas,Avery,afreeman@example.com,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],['a15835e7-83fe-43ad-959f-423cd21aed7b'] -ba160d23-1ddc-42a0-8b5e-c6518ffd1d3b,Zachary,Ramirez,thomas97@example.net,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -31f301c9-3344-4872-9caa-3b576e425961,Tanner,Ewing,davidwelch@example.com,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '7774475d-ab11-4247-a631-9c7d29ba9745', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -08a8fcb9-bfc3-4787-af3a-b7ed92417189,Robert,Patel,iturner@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['1d8a9355-cc45-49c5-a3f4-35be92f8f263'] -32b11c18-35bf-4e54-aad0-87905fbdc500,Jason,Bailey,davisjulie@example.net,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -a6917d0d-e2b8-40f9-ab2f-c85dd463df4d,Amanda,Lang,brandon07@example.com,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['faf65b89-6f63-4e09-b90e-fb6d570845e8'] -900b7693-7baf-4eba-bc15-813109e228b4,Michael,Simon,taylorhoward@example.org,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -231db967-1725-48bd-89d7-d714eba57cb8,Troy,Jacobson,jasonrivera@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['d08f2811-4f8c-4db3-af53-defe5fe3b9cf'] -cd930851-c662-4d9a-9ba7-e7fa3320e4bb,Martin,Crosby,lrojas@example.org,['7bee6f18-bd56-4920-a132-107c8af22bef'],['d4ddc730-0f2c-48df-8619-b836dd3fff4b'] -82f5f02a-7d75-4410-805f-1e4731be86e8,Carol,Vasquez,griffithmary@example.org,"['3227c040-7d18-4803-b4b4-799667344a6d', 'cb00e672-232a-4137-a259-f3cf0382d466', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -1387d35e-2cc6-4a81-9a82-34bc3e748d19,Scott,Harrison,amberolsen@example.com,['787758c9-4e9a-44f2-af68-c58165d0bc03'],['52d1de92-c675-4381-b931-2de6bb638966'] -5c57aa01-1c13-437b-92e1-e70d0df94ea0,Kathryn,Ford,oharrison@example.net,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],['52686405-7db2-48bd-a10c-2b98b58451dd'] -bc4727ee-6b08-4324-b8e4-b384acae36cd,Amber,Roberts,rebeccamiller@example.net,"['724825a5-7a0b-422d-946e-ce9512ad7add', '564daa89-38f8-4c8a-8760-de1923f9a681']",['a35c5604-774c-4820-ba3e-159aca1cd047'] -29703920-b933-4c63-8d6e-e791be03e87c,Francis,Collins,julian68@example.org,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['55bc2d2d-a3b7-4afc-a7a4-651f85c84c0f'] -2b9c215c-30af-4d58-8af3-8be155ead498,Angela,Gonzalez,dking@example.com,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],['d1b0fea8-9de5-405a-b4c3-fecb6802f4a2'] -7c4a90b7-4ad0-4e71-a560-1b23939fecfc,James,Hanna,donna33@example.com,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['278e71b3-2e69-4ee2-a7a3-9f78fee839ea'] -ea52d1f0-b787-4a8f-a187-580932e85f6d,Rita,Santana,davidgreer@example.com,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],['bc0c7169-ca42-4d7b-ac37-9e42b54ef161'] -a3a571e3-2a93-499c-87d9-489d968a8d47,Stacy,Gonzalez,michellelee@example.com,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],['b6d4a8ed-7001-476d-8207-c9272216f10f'] -88e71f96-015f-46c4-9db1-3150bb221663,Dana,Potts,dylanpetersen@example.org,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '052ec36c-e430-4698-9270-d925fe5bcaf4', '63b288c1-4434-4120-867c-cee4dadd8c8a']",['1d8a9355-cc45-49c5-a3f4-35be92f8f263'] -5d9036ad-03a3-4fbc-951e-52e5667e8121,Annette,Daniel,kiara66@example.org,"['18df1544-69a6-460c-802e-7d262e83111d', '63b288c1-4434-4120-867c-cee4dadd8c8a', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -f928d289-f7f5-4c18-b332-c8e95ef54b06,Lisa,Nolan,greenglenn@example.net,"['86f109ac-c967-4c17-af5c-97395270c489', '61a0a607-be7b-429d-b492-59523fad023e']",['75539787-79ff-423d-8de4-53b030861d69'] -6e245160-6af3-4744-a3b0-5c7f9123ce0e,Mary,Knight,heidijohnson@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -42f995cd-e040-4437-bb68-175663adcce5,Bonnie,Parker,jennagonzalez@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -e57179d8-ca41-4072-aa00-e2cb4d42d2ae,Marcus,Castro,sean46@example.org,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', 'ad391cbf-b874-4b1e-905b-2736f2b69332', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",['83a7cb36-feee-4e71-9dea-afa5b17fbe7c'] -a061acfb-1a89-4187-b5bc-c63b45db6a62,Clarence,Hicks,ymcpherson@example.net,"['89531f13-baf0-43d6-b9f4-42a95482753a', 'ad3e3f2e-ee06-4406-8874-ea1921c52328', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -5487bc7d-69e3-439b-b71d-6b6eaaa3b759,Valerie,Cole,patrickbarnes@example.com,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '79a00b55-fa24-45d8-a43f-772694b7776d', '9328e072-e82e-41ef-a132-ed54b649a5ca']",['7a1980ac-ca6a-4b85-8478-a7fb23796fd3'] -e0d957ad-514f-4346-ae91-ea0f38b200ca,Kelly,Lee,linroger@example.net,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -46572fcd-d239-4b8d-9122-b6297a2164e0,Danny,Long,jhansen@example.net,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['d84f87ab-abaa-4f1a-86bf-8b9c1e828080'] -edddeb8f-98be-40d4-ba89-ee6c0856a579,Benjamin,Payne,sarah11@example.org,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",[] -1fdd8d51-cef8-48e4-b2c9-419b2b2fd039,Jeffrey,Combs,michaelcaldwell@example.net,['c737a041-c713-43f6-8205-f409b349e2b6'],[] -db5260e2-4003-422f-8c11-a8c917f1d3dc,Manuel,Morales,smithkeith@example.net,['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1'],['d9f16b96-42fe-4712-a4a4-10d700b7e4bc'] -6cba13c8-1ac3-44fe-bff0-9d6f12321482,Jill,Mckinney,rodriguezandrew@example.com,['052ec36c-e430-4698-9270-d925fe5bcaf4'],[] -b90871e2-2b36-44c2-9385-0b5e3221df97,Joshua,Galloway,iwu@example.org,"['cb00e672-232a-4137-a259-f3cf0382d466', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '072a3483-b063-48fd-bc9c-5faa9b845425']",['4d21411d-a062-4659-9d06-c1f051ab864c'] -6d1a86bc-2678-470a-abba-3ac6dc7dd641,Erin,Rivera,poperachel@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -7c371781-a7d3-4ac0-aa3a-f4970fa68f74,Jennifer,Ruiz,rcastillo@example.net,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '26e72658-4503-47c4-ad74-628545e2402a', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -bb1999a2-5a7f-41a3-a890-2b94f6d473f2,Jennifer,Baker,barnesscott@example.org,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",[] -dadec4cd-c6ff-4080-9b47-331c60b5f007,Jacob,Ball,carrillojohn@example.net,['89531f13-baf0-43d6-b9f4-42a95482753a'],[] -892bc2ab-de2f-498d-9c21-de1f030f4636,Andrew,Silva,john20@example.org,"['cb00e672-232a-4137-a259-f3cf0382d466', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -0e3f7cf5-89f4-4d7d-8708-a80e13165ac4,Michael,Jones,duncanryan@example.net,['79a00b55-fa24-45d8-a43f-772694b7776d'],[] -98978f7c-337e-49e3-99bb-387a417d3225,Rachel,Gomez,smithcameron@example.com,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['756f1c00-e01c-4363-b610-0714cdfc68c2'] -f8fc8d5c-9563-45be-b137-098d55fa08ec,Bryce,Cooper,maria52@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'c737a041-c713-43f6-8205-f409b349e2b6']",['5df15f36-f0c3-4279-b2f1-4bbb6eb6342c'] -7b6fc367-8ae2-4447-a2b7-9cce9a1a2dfb,Karen,Padilla,norr@example.org,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],['c8ffeb37-4dce-4610-bea3-1e848b34c034'] -4b29b33c-f917-42e0-9f42-f10e081ba9e5,Dwayne,Holden,dmoore@example.com,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -429e69ce-306a-4905-add5-1fe44e04827f,James,Gonzales,masonmorgan@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",[] -dae7f037-546c-427e-8a8a-7131ee23c97e,Corey,Arroyo,robertgarcia@example.net,"['069b6392-804b-4fcb-8654-d67afad1fd91', '724825a5-7a0b-422d-946e-ce9512ad7add', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['daacbcbf-ae02-4057-bd41-555bf8dc954d'] -4c3481d4-f82a-453e-a0b8-4f24a9ed81e7,Amanda,Barnett,walterlopez@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['2f4b05d8-d3ec-4afb-a854-d7818899afe4'] -41ceecc6-c47b-4a39-a33d-0b0d9caea4a4,Terri,Marshall,paulcarter@example.com,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -4ef1e9c7-3397-4b66-81a7-2d6f97552854,Tyler,Johnson,wardnicholas@example.net,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '741c6fa0-0254-4f85-9066-6d46fcc1026e', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -f825779d-4f28-4ef9-9987-16a4004f3343,William,Summers,helen14@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['a04e732d-8850-4b55-9354-cbc5a3167e14'] -55e8c89e-71c4-49db-934c-48e78572771c,Michael,Spears,ybaker@example.net,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],[] -3b7c1a6d-4908-4c3f-baad-a4307184b78c,Tracey,Wilson,mfreeman@example.com,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'c800d89e-031f-4180-b824-8fd307cf6d2b', '86f109ac-c967-4c17-af5c-97395270c489']",['dcbb58a3-91a8-4b6b-a7d1-fcfcb4b5c5ba'] -d4a7838a-0774-4769-ab0a-6de42c354fe2,Steven,Lynch,andrewmacdonald@example.com,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",['ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2'] -3bc21fcd-6a5b-4568-9837-b2d82c86c03b,Kenneth,Navarro,brownbrandi@example.net,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -50b37691-6f4a-4980-9a4d-5fd63bac4228,Jennifer,Riley,joshua24@example.net,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '9328e072-e82e-41ef-a132-ed54b649a5ca']",['901ca5e1-26d1-4743-83b3-6b2a6a25658b'] -2750439d-997f-414e-b63e-a569fb7953cc,Robin,Rowe,smithamanda@example.org,"['3227c040-7d18-4803-b4b4-799667344a6d', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -f8c4afa6-0361-47d5-affb-dd1d10694720,Barbara,Rivera,jordanderrick@example.net,['f51beff4-e90c-4b73-9253-8699c46a94ff'],[] -15748186-5784-4436-9f0d-20c4622d3e4d,Christopher,Fischer,pchristensen@example.net,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",['16ae7f7d-c1bc-46ab-a959-a60c49587218'] -919145a2-9cec-4454-bb2f-230b263d1b7c,Tricia,Mack,jeffrey95@example.org,"['069b6392-804b-4fcb-8654-d67afad1fd91', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -c688b58f-e477-4bb1-87a7-fc39e24b0359,Melissa,Mitchell,caldwelljennifer@example.com,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],['3c7dad3a-d69a-409f-91ff-6b6856a1b73d'] -5532ef3c-ce0e-4e53-b585-c7d881612b88,Lori,Long,nguyendaniel@example.com,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -6dcca2b7-7f66-43af-9ac8-f98698f37390,John,Smith,zbrown@example.net,['587c7609-ba56-4d22-b1e6-c12576c428fd'],[] -ca06bb47-7641-45f0-b2cc-c7f457dd995e,Joshua,Faulkner,rbarrett@example.org,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '741c6fa0-0254-4f85-9066-6d46fcc1026e', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",[] -3246b284-e70b-45a2-88ff-1394205a04f7,Brian,Peterson,cmartin@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -2f99144d-67b5-4ff2-835c-b57a2221f5e6,Edward,Garrison,morganeric@example.net,['f51beff4-e90c-4b73-9253-8699c46a94ff'],['7a1980ac-ca6a-4b85-8478-a7fb23796fd3'] -7b90e8a6-fa59-4459-adcd-55bb271ca8f3,Alison,Watson,landerson@example.com,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -399d1108-f25d-4cec-9220-f51c40a9343e,Gary,Dennis,normannicholas@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['49c67b4a-95bb-43df-86d6-89e322259c73'] -2483bd13-3c34-45d1-80d3-9e92c882efda,Brian,Rice,wknox@example.com,"['2f95e3de-03de-4827-a4a7-aaed42817861', '741c6fa0-0254-4f85-9066-6d46fcc1026e', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['3df1dadb-be6b-411f-b455-f954efaf227c'] -d975d526-75b1-407e-914e-38408fab75e0,Jennifer,Reed,samanthajennings@example.com,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],[] -3679d2a8-d5f6-4f08-9d4d-fcfbcc297cbd,Deanna,Pena,johnsonmarcus@example.net,"['072a3483-b063-48fd-bc9c-5faa9b845425', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -049be8aa-e3d3-4f14-8e28-e66310713598,Carolyn,Griffin,hannah23@example.com,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '18df1544-69a6-460c-802e-7d262e83111d', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",[] -647241d3-28dc-4720-96d3-f47796eaec74,Amanda,Olsen,jessica95@example.com,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '86f109ac-c967-4c17-af5c-97395270c489']",['0662b3d3-db2f-4818-a674-b8e4d170eb82'] -6ce5ffcc-65d5-4c1c-b5be-ca273e0f4e74,Alexander,Clark,suarezmelissa@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",['2d719e75-080c-4044-872a-3ec473b1ff42'] -fc481fe9-0c3e-4090-9143-a770af65d613,Elizabeth,Acevedo,sheila54@example.org,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -af34b0ac-63c2-4ee5-bf94-ee988a397127,Michael,Williams,linda87@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",['fe144e07-945e-4c66-a148-781275800599'] -bf93e6f8-52e3-49d9-9f6d-7b80b9dad94d,Sandra,Phillips,clandry@example.net,['724825a5-7a0b-422d-946e-ce9512ad7add'],['58b91f02-40a4-4557-bb45-2c68f2218951'] -8a771a08-8df8-4bba-b3a1-ad9480f98674,Mary,Griffith,pclayton@example.net,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['3053cc3e-569a-45b7-88bc-71976c4cc078'] -b0de4db5-15d7-4a3f-930f-972cc7dc1549,Tina,Stewart,erinho@example.net,['724825a5-7a0b-422d-946e-ce9512ad7add'],[] -18cd4022-89bf-466e-8aa5-1775fe4c5539,Kevin,Thompson,franklinmark@example.org,['ba2cf281-cffa-4de5-9db9-2109331e455d'],['d4ac6052-9179-41e0-aa32-272586a32b25'] -73a35346-f462-4491-8eb8-dafb4f1e0387,Antonio,Green,wballard@example.com,['79a00b55-fa24-45d8-a43f-772694b7776d'],['0c0ac4aa-5abe-48bd-8045-4f8b45ed8fb9'] -a8d084d9-05ed-4a7b-9c50-e41392c0a6b8,Marcus,Johnson,donald09@example.net,"['26e72658-4503-47c4-ad74-628545e2402a', '7bee6f18-bd56-4920-a132-107c8af22bef', '61a0a607-be7b-429d-b492-59523fad023e']",['151fbf5f-baa0-4d13-bb7d-6f9484355e78'] -5c69c65c-370c-403a-9df0-4e3e9a667092,Michael,Golden,stephensscott@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '59845c40-7efc-4514-9ed6-c29d983fba31']",['1cfc9512-821c-4168-96dc-dd6fe3664fa7'] -2feebdeb-aa1a-4d23-bd7a-58af8c606212,Brian,Turner,yturner@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '26e72658-4503-47c4-ad74-628545e2402a']",[] -d84ed42d-10e4-488b-8718-abf6126a0421,Stephanie,Mata,ericavila@example.net,"['724825a5-7a0b-422d-946e-ce9512ad7add', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -5b60d13c-6f56-437e-b613-71404e0694e3,Keith,Hart,cbrown@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -79f9b304-1dc4-4673-87f9-d68a69074f9b,Joseph,Morris,hpatterson@example.org,['aeb5a55c-4554-4116-9de0-76910e66e154'],['477c7c87-6dd8-4cf6-8331-3f25ba1db67b'] -38373e44-a1fc-41b4-80c8-31e2d98bed80,Christine,Jackson,franciswilliam@example.net,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', '89531f13-baf0-43d6-b9f4-42a95482753a', '18df1544-69a6-460c-802e-7d262e83111d']",['fcd8cd95-35da-4d85-82db-40fcd48929ec'] -f5ac6c9b-3c17-4927-9021-a41f122b4bdc,Carmen,Ballard,bensonangela@example.org,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",['d212a0be-515c-4895-b0c1-0612b401f380'] -f0f056b8-ec3b-4373-9520-94df7e435c30,Nicole,Bowen,janicesanchez@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -30c7931c-5096-4806-b02b-9f0e92ced412,Devin,Foster,linda76@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '44b1d8d5-663c-485b-94d3-c72540441aa0', '89531f13-baf0-43d6-b9f4-42a95482753a']",['31438176-2075-4285-b76d-e19ddf0d95e2'] -4e5553c2-2486-4061-9154-247186a648e5,Rodney,Delacruz,pittmanfrank@example.org,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['d4ddc730-0f2c-48df-8619-b836dd3fff4b'] -9668bd19-59a2-4631-971e-f7692a5dd8e4,Laura,Deleon,coltonjohnson@example.com,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],['d36e4525-9cc4-41fd-9ca9-178f03398250'] -9079a787-9522-4a52-99cf-8ed6b735fa0b,Anthony,Vega,samuelcole@example.com,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],[] -4268a177-81c2-4fdc-be4d-3808faaa69f3,Christina,Sexton,patriciamckee@example.net,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -1db70aa3-a627-4888-bb3e-1031bbd4ec4c,Gary,Nolan,anthony47@example.net,"['89531f13-baf0-43d6-b9f4-42a95482753a', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -98e131d0-0f55-4cfd-816d-7c2f69ce37ff,Frank,Hendricks,marshholly@example.com,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -7e0663fe-2f60-44c0-a972-bb4ca1726b1b,Pamela,Green,cynthiapowell@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",['db07fa7b-d0f9-44b4-981b-358558b30f4c'] -d90251a3-0b26-48b9-baa8-7c18a70c9ead,Thomas,Garcia,lharvey@example.net,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],['0e8229f9-4ec0-4c6e-bd50-c7f385f092f8'] -622f314c-4688-463f-adff-6ad354eed7e5,Brian,Dennis,nicholas02@example.com,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['8bcc18e7-f352-486d-93ca-535eafd7b0b3'] -24c21015-7f36-4e64-955d-75a5bc4094fe,Jessica,Smith,sarahtorres@example.net,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['9b2adc0a-add8-4de7-bd74-0c20ecbd74df'] -1441ec78-aa3e-4e14-a62d-9bd0bee9df2b,Jonathan,Perez,kelsey43@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -0f874e94-8f92-4d51-8cbc-b1701ee5756c,Joseph,Cox,leonardtina@example.net,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['832beeda-9378-4e28-8f27-25f275214e63'] -aabe4ff7-bf9c-4333-9dd9-230ce04c2795,Blake,Allen,graysarah@example.org,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -69b40b38-30e2-4580-8586-05529e9e2fea,Sandra,Forbes,jefffoster@example.org,"['18df1544-69a6-460c-802e-7d262e83111d', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -47bd1aa5-dfab-4de8-9c54-a5944e87cc91,Michael,Cox,ohouse@example.net,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],['c3764610-9b72-46b7-81fa-2f7d5876ac89'] -65023b3f-bca9-4117-8a89-e2435174da58,Richard,Bridges,martha72@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -2947d473-144d-4471-96ae-db89e772f5b2,David,Hicks,hernandezsarah@example.org,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],['618bbb9b-7bee-49cf-a459-377aa5ff7b86'] -4198dcbc-cf09-44c5-868f-ed304437d024,Rodney,Martin,mistygarcia@example.org,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '67214339-8a36-45b9-8b25-439d97b06703']",[] -6ff907c2-115e-4dc8-8344-cab489b39e1b,Crystal,Hoffman,dana38@example.com,['c800d89e-031f-4180-b824-8fd307cf6d2b'],[] -3c2e1e05-6606-4211-8e2e-87f4bc74dbd0,Taylor,Alexander,iorr@example.org,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', 'c800d89e-031f-4180-b824-8fd307cf6d2b', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -dcddc1d7-d556-4858-9e1c-acccc145d370,Molly,Sanchez,jenningsstephanie@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '18df1544-69a6-460c-802e-7d262e83111d', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -4b73e385-5480-401f-aa1e-cf5e28b3111e,Lisa,Thomas,douglas21@example.net,"['072a3483-b063-48fd-bc9c-5faa9b845425', '61a0a607-be7b-429d-b492-59523fad023e', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['0028bcf2-b18f-43c8-bb7c-06b214b4b37f'] -0098f9f6-9dfd-49de-a4a8-16c58de795f7,Thomas,Harrison,figueroakeith@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['43c67b64-aa19-4d3c-bd4e-c18799854e93'] -ba959d43-d7af-4f6b-8020-ba9a4733c3f3,Pam,Robinson,michaelfletcher@example.com,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '072a3483-b063-48fd-bc9c-5faa9b845425', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['dd827169-d413-4ef9-b9e3-38e612db449a'] -b987ab19-7a14-4d93-b580-4a695102c2f4,Tracy,George,qmiller@example.org,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '59e3afa0-cb40-4f8e-9052-88b9af20e074', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['6a75b28a-db14-4422-90ca-84c6624d6f44'] -9f3cc835-adf6-494e-a175-90ff2079420e,Eric,Archer,kathrynperry@example.net,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '61a0a607-be7b-429d-b492-59523fad023e', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['d4ddc730-0f2c-48df-8619-b836dd3fff4b'] -ce436738-e780-481d-ab95-123f8b04796e,Brian,King,hortonbeth@example.com,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",[] -b9424b2a-98de-422d-ad6d-cf2e28fa2463,Timothy,Curtis,morenodoris@example.com,['2f95e3de-03de-4827-a4a7-aaed42817861'],['803dea68-563c-4f52-ad85-616523b60788'] -ee42d264-cc2c-4038-873c-e5e3f717bd6f,Tiffany,Lee,zpatterson@example.org,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['3e509642-808b-4900-bbe9-528c62bd7555'] -41239828-c08b-4ee7-b8f9-2de3841288b4,Michael,Kane,danajohnson@example.net,['3227c040-7d18-4803-b4b4-799667344a6d'],[] -89a97074-01f5-4aaa-8189-68e7788aeb69,Ethan,Cox,andersonvincent@example.net,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],['ee9360bb-fe33-4514-8dac-270ea7d42539'] -479d19c2-43d7-4056-bae4-e7485760c95d,Steven,Smith,zwatkins@example.net,['473d4c85-cc2c-4020-9381-c49a7236ad68'],['7a78bff4-77a2-4643-ac32-4512cc4ce4b0'] -ff9d4e88-d78b-4062-a24c-a25ef10dcf6b,Larry,Washington,oblackburn@example.org,"['f51beff4-e90c-4b73-9253-8699c46a94ff', '2f95e3de-03de-4827-a4a7-aaed42817861']",['ad1580de-5b95-44a5-8d08-50326e67d89e'] -acdbfded-0ad8-46a9-b64f-96b10572d5c5,Benjamin,Brown,sanchezdanielle@example.org,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['89a50680-7982-421d-961c-80fc04a84c4b'] -189894fd-cc9d-41be-aef5-8013b1b0a1e4,Jill,Mcbride,sandovalkimberly@example.com,"['7bee6f18-bd56-4920-a132-107c8af22bef', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -67292e44-0a14-426f-9ddb-f08ed9dd494c,Brandon,Glover,susan71@example.org,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['5823848e-b7b8-4be4-bc6b-92546a7324f2'] -8f53d633-4474-4b72-bdf8-1ab5454d9793,Wesley,Nelson,matthew38@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['e240475b-f90b-471d-b73d-9f1b331ad9bd'] -9d9df672-cd13-4cb9-8c77-d7da52f46eaa,Brandi,Jackson,johnnysmith@example.net,"['89531f13-baf0-43d6-b9f4-42a95482753a', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -3d9f58d7-8019-40cd-b7a1-a0c8222fc5cc,Katherine,Zuniga,karen21@example.com,['57f29e6b-9082-4637-af4b-0d123ef4542d'],['46e02390-6910-4f24-8281-a327e5472f73'] -acbc8456-e855-4b43-adb6-6ecf8d6b4336,Kyle,Cummings,jacobpark@example.com,['59e3afa0-cb40-4f8e-9052-88b9af20e074'],['1d2a73c1-b52e-495c-9b8f-fe505b85bea1'] -45542fdc-98b2-4eac-95db-6adc72a41c02,Jacob,Owens,gina36@example.net,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],[] -f1149f9d-8759-469f-a71c-8eaf136421e2,Andres,Jones,alfredjordan@example.org,['67214339-8a36-45b9-8b25-439d97b06703'],[] -c022a9d5-7e6c-4a63-8c18-54c0e9f54937,Ryan,Garcia,swilliams@example.com,['839c425d-d9b0-4b60-8c68-80d14ae382f7'],[] -a2502352-b1e9-4fc9-baaa-0c10402e6586,Benjamin,Norton,ywilson@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -43f0fee6-678a-4f3e-b4d5-f8e0911c68e2,Christine,Thomas,johnnyaustin@example.org,['052ec36c-e430-4698-9270-d925fe5bcaf4'],['cb00caa7-48f7-41db-bd55-a6f1ca740ba5'] -4d6225be-8671-43d7-b62b-6f995992b87c,Cynthia,Hall,danielle66@example.com,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '67214339-8a36-45b9-8b25-439d97b06703', '3227c040-7d18-4803-b4b4-799667344a6d']",['d7a360ca-83b2-442a-ae2a-3079163febff'] -b3f8334b-f576-4a72-945a-02d62752df0d,Ashley,Robertson,daisyhill@example.org,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],['60610e12-fa4b-4aac-90b7-9db286dcba5e'] -47bbec41-3488-4c11-8bda-b9eaf7245836,Katie,Rasmussen,jamie19@example.com,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '86f109ac-c967-4c17-af5c-97395270c489', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",[] -c5dfda10-af9e-436f-b25b-e6f3328549d5,Mariah,Barnett,omclaughlin@example.com,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '57f29e6b-9082-4637-af4b-0d123ef4542d', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -c2b39158-036b-43fe-a425-a05759687322,Jacob,Garrett,harrismelissa@example.net,"['577eb875-f886-400d-8b14-ec28a2cc5eae', '18df1544-69a6-460c-802e-7d262e83111d', '069b6392-804b-4fcb-8654-d67afad1fd91']",['b5a5dfe5-4015-439f-954b-8af9b2be2a09'] -48a2de9a-e182-4410-8e5b-d57bf7ac7ece,John,White,eileenmurphy@example.com,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -10a99208-4615-4120-8ad6-ba7d268a81b0,Bradley,Garcia,raymondmark@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', '052ec36c-e430-4698-9270-d925fe5bcaf4', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['d08f2811-4f8c-4db3-af53-defe5fe3b9cf'] -73d3155b-71ed-4864-8418-aaac18b1e680,Jasmin,Nelson,michaelpowell@example.net,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],['92abbcf2-007c-4a82-ba94-c714408b3209'] -02c323a8-b977-4e3e-a3fa-4286cdbab335,Stephanie,Williams,mhooper@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '86f109ac-c967-4c17-af5c-97395270c489']",[] -68aef6a1-f7f9-4b48-aad3-1a5683f1df0e,Gregory,Vargas,danielgoodman@example.org,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],['47ecfc8e-62ef-4eb8-93c7-008b6008cc16'] -88f1bdfa-a044-47ae-90c0-df269adb1e41,Brandon,Wood,jeanne23@example.com,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -633b8c6d-ef1b-46b7-9521-0ac8e9a49f7b,Bryan,Ramirez,racheljohnston@example.com,['7bee6f18-bd56-4920-a132-107c8af22bef'],['5a3edf14-ae01-4654-b562-669cf1ed8ddf'] -b4b555e6-7c9f-48a6-a043-84493003a8f4,Luke,Boone,sarahmiller@example.org,['26e72658-4503-47c4-ad74-628545e2402a'],['919bfebb-e7f4-4813-b154-dc28601e9f71'] -b1e3f705-f364-4bcd-b528-38d074864224,Bradley,Daniel,amberlewis@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -5a10532f-fedf-4300-be10-dc2af1892fa5,Chelsea,Andrews,amyjacobson@example.net,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '2f95e3de-03de-4827-a4a7-aaed42817861']",['19d83148-d992-4592-8d90-26593b22b373'] -bebaff98-27e6-48c3-a77c-aca330ef99b8,Donna,Hill,neilmiller@example.org,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['fff9028c-4504-47c1-8b12-c4b23391d782'] -87204f6f-ece5-4ecb-b299-91751bf40a0e,Nicole,Ritter,scottjordan@example.net,"['26e72658-4503-47c4-ad74-628545e2402a', 'ad391cbf-b874-4b1e-905b-2736f2b69332', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -b06f6368-5ac9-4084-8314-771d72d3ce3c,William,Peck,fatkinson@example.com,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -1fafe7fa-1b71-42ed-9baa-b60212d2bfc9,Matthew,Roberts,hendersonkaren@example.org,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'cb00e672-232a-4137-a259-f3cf0382d466']",['7a78bff4-77a2-4643-ac32-4512cc4ce4b0'] -8eb763a0-f5ce-42ed-9885-79fd926e892b,Brent,Hawkins,kimberlyturner@example.com,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],['c4b728a4-8c84-4abb-acd1-d8952768fbf3'] -8c553da6-0785-4529-bffa-e923b9cb5a01,Angela,Doyle,samanthamartinez@example.com,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",['e0822b86-9589-4d0d-a8b0-8c7eaafa5967'] -2c5cb582-5bf0-4558-a930-e84282e4a15e,Hunter,Rosales,rross@example.org,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', '61a0a607-be7b-429d-b492-59523fad023e']",['153e3594-3d15-42e5-a856-f4c406c6af79'] -c27c6efc-cc67-4333-83d6-30ae0b37ba69,Juan,Rosario,julie88@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",[] -170ce1bb-7ec7-4967-a4cd-be6de05eb79f,Kenneth,Rhodes,zimmermansydney@example.org,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],[] -95393266-f322-403c-b10e-78f1ac16347e,William,Ellison,mbryant@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -205fb198-67b6-4cfe-8e9c-9a0b9c81c742,Anna,Murillo,jerome64@example.net,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'c737a041-c713-43f6-8205-f409b349e2b6', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",['604f8e2e-8859-4c5e-bb15-bee673282554'] -aecfc63b-1de8-4d7d-abd4-698ea5f1a0b5,John,Wright,steven56@example.com,['7bee6f18-bd56-4920-a132-107c8af22bef'],['3545d9f1-cf47-4f11-b415-5ad73aef7a4a'] -301250cc-d5c6-4a65-bf36-28bc02a65564,Brittany,Bridges,christineshaw@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '564daa89-38f8-4c8a-8760-de1923f9a681', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",['bd0657d5-8de9-47d3-a690-57824c2f2fbb'] -f2d1eefd-b21a-4312-9b9e-7f10403a05c3,Shaun,Hancock,tiffany29@example.net,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', '26e72658-4503-47c4-ad74-628545e2402a']",[] -a7c2f9d7-c1d4-4e50-8f4e-1eb830af83f5,Vincent,Pierce,johnsonlonnie@example.net,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '86f109ac-c967-4c17-af5c-97395270c489']",['2966907f-4bbd-4c39-ad05-ea710abc7a3d'] -14d837e9-f542-4db9-9fbd-f92848789c21,Todd,Wilson,owilson@example.net,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],[] -d8764e5f-0d4f-46dd-a2a5-fc9c697000f9,Brian,Cross,jeffrey91@example.com,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],[] -0291ea54-7970-475e-b172-a2b3301427f6,Nicole,Murray,oconnelljulie@example.net,"['c81b6283-b1aa-40d6-a825-f01410912435', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -832852df-b29f-4f50-9484-ef1eeb88de25,Sierra,Flores,tracymoore@example.org,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['707406f0-991f-4392-828c-4a42b6520e72'] -c1e9aa7b-8a73-42eb-b7f2-0c0d01974738,Linda,Roberts,bwhite@example.net,['aeb5a55c-4554-4116-9de0-76910e66e154'],[] -701bbee3-c908-4d41-9ec3-5a169311200d,Russell,Johnson,vargasryan@example.org,['c800d89e-031f-4180-b824-8fd307cf6d2b'],['19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9'] -bce6da5d-b1c8-499a-b4e5-de701a33bc58,Diana,Washington,kimberly70@example.com,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['18dba8cf-ce28-40e3-995a-ee7b871d943b'] -4d993833-2c78-446f-a676-876e366f961c,Jamie,Yu,vmarquez@example.org,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '59e3afa0-cb40-4f8e-9052-88b9af20e074', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -160b648e-777a-4aa0-b741-cac74c79f325,Heidi,Frazier,mcknightsarah@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '67214339-8a36-45b9-8b25-439d97b06703']",['bec7f13a-7ae7-4ad7-a5c5-ca2b3728785c'] -40f3b456-4059-44df-be2f-f4ecb246b87e,Michael,Figueroa,olsonmegan@example.org,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],['8dc91968-9d5b-4e1e-82e1-507f51b67802'] -b5f9e2b4-82ee-4d54-85af-ff937b006f92,Alejandro,Davis,oanderson@example.net,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -bc4fc6c4-3af7-475b-beda-d43f35ded084,Brent,Benson,dcooper@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '18df1544-69a6-460c-802e-7d262e83111d']",[] -59d92e73-b888-4564-8a15-be55410a157e,Alex,Hubbard,epotts@example.org,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],['2ca51d2d-6d15-4b84-9e66-98cff363ae64'] -2f01e2e2-c7e8-43bc-9e79-ce9de3176654,Benjamin,Dunlap,johnbutler@example.org,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', 'ad3e3f2e-ee06-4406-8874-ea1921c52328', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['81e7066a-e9e2-41cb-814c-fc579fe33401'] -7e0995ef-727f-4c9d-8b1a-cfb7972a1e1a,Randall,Young,aaron55@example.net,"['2f95e3de-03de-4827-a4a7-aaed42817861', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",[] -cee13d20-8aba-4b04-bb75-43e55448a4a6,Andrew,Garcia,matthewsaudrey@example.org,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'cb00e672-232a-4137-a259-f3cf0382d466', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -1e68f244-4cc4-41d9-ad7c-67c55e6fb1d3,Linda,Long,eric16@example.com,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -e58cb996-6f06-406d-947c-9eb4f0540efd,Autumn,Fowler,david30@example.net,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],['a8231999-aba4-4c22-93fb-470237ef3a98'] -ade408c9-bb4e-4399-984c-9389c48322a9,Lisa,Villa,hleblanc@example.net,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['02a2745f-ff6d-45ce-8bfe-6be369c3fb50'] -8a3a8f86-c25b-4419-be35-75a1b7697881,Susan,Murphy,elizabethanderson@example.com,['cb00e672-232a-4137-a259-f3cf0382d466'],['84a95dd1-6640-4a78-937a-acb9dab23601'] -2f884b3a-27e3-4d0e-9099-32b82bc7995e,Joseph,Gillespie,john57@example.org,"['67214339-8a36-45b9-8b25-439d97b06703', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",['db07fa7b-d0f9-44b4-981b-358558b30f4c'] -7ed58f91-5d5f-4d34-8a31-9a9d14e79f3d,Miranda,Olson,ortegapenny@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -61dfa6de-a4ce-4bca-963d-18b25f7ebdfe,Elizabeth,Marsh,ucarter@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",['3053cc3e-569a-45b7-88bc-71976c4cc078'] -cc568905-fcb8-4831-aa25-a5785a9a2014,Margaret,Bradley,martinjustin@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', '44b1d8d5-663c-485b-94d3-c72540441aa0', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['133e9d7e-7d4f-4286-a393-b0a4446ce4f2'] -7ea2db83-7e43-4e15-806e-29232b57140e,Oscar,Pierce,ryansherman@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -9729887b-532a-4b33-ab77-acd516ba32dd,Audrey,Frank,danielssharon@example.net,"['3227c040-7d18-4803-b4b4-799667344a6d', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -a1786872-2f2a-4eaf-9394-cfd6c78ee134,Michelle,Miller,kellyfernandez@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -85ee81b6-3806-41f4-93b9-1faaa3119dce,Terrance,Johnson,jwilson@example.com,['e665afb5-904a-4e86-a6da-1d859cc81f90'],['71687e97-c1cc-4dd0-8c2c-5bee50ab8b80'] -28729651-6011-48f7-b4ec-ce0b6d909680,Tamara,Duarte,leah75@example.net,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],[] -ed7be0cc-0770-46b9-9602-7a26a24b4a27,Janet,Martin,kerrmark@example.net,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '072a3483-b063-48fd-bc9c-5faa9b845425']",['31438176-2075-4285-b76d-e19ddf0d95e2'] -b7e11a8c-4b99-4ff8-ae9f-50abf09939bd,Maria,Navarro,dleonard@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '072a3483-b063-48fd-bc9c-5faa9b845425']",['f0202075-a64b-47e6-bddb-ef41452ab80d'] -7f586609-11b2-4b24-a6b7-147366760af3,Adrienne,Rangel,steven42@example.com,"['2f95e3de-03de-4827-a4a7-aaed42817861', 'c81b6283-b1aa-40d6-a825-f01410912435', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -3c7f2ebe-88a6-4d74-8dc4-2ed867617a83,Jasmine,Tucker,douglasmcmahon@example.com,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],[] -13cebc39-1823-4c56-9525-af875e50c454,Eric,Graham,ocohen@example.net,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],[] -4b6111e7-e42b-4b2a-a85d-8fdca3fed827,Jeffrey,Haynes,vperkins@example.net,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],['d84d8a63-2f4c-4cda-84a2-1c5ef09de68c'] -d812046c-716b-4455-8a56-b2a7416dceea,Marie,Armstrong,dgross@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -5bd0b3e4-81eb-40c1-bdde-2a38a27a426b,Jeffrey,Tucker,pvincent@example.net,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '1537733f-8218-4c45-9a0a-e00ff349a9d1', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['16ae7f7d-c1bc-46ab-a959-a60c49587218'] -78f4dafa-54a2-4eaf-a318-a47db266e769,Elizabeth,Russell,silvadana@example.org,['3227c040-7d18-4803-b4b4-799667344a6d'],[] -b32d53d5-a6af-4d7f-a2d1-592df5783ae3,Lisa,Lewis,jennifer90@example.org,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['33431983-0ac8-446b-859d-5e914de5e39c'] -fbfd373b-454e-43d4-b960-2a158c8a82a4,Kimberly,Smith,catherinerichardson@example.net,['7774475d-ab11-4247-a631-9c7d29ba9745'],['4df8603b-757c-4cb8-b476-72e4c2a343da'] -8ce3006a-df85-4d6c-8287-252e8add092f,Jody,Cooper,brandongomez@example.com,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],['9ff1a8da-a565-4e98-a33e-9fe617c7ad79'] -d036e246-20ed-4f61-8f65-153de97da0ec,Mitchell,Olsen,shannon70@example.net,"['aeb5a55c-4554-4116-9de0-76910e66e154', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",['a5990335-b063-4f4a-896a-7959e2e559ed'] -ee69714f-cd13-4288-a263-e71e83b94a1c,Christopher,Dyer,ian53@example.net,"['072a3483-b063-48fd-bc9c-5faa9b845425', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -ae36eb9d-b5b1-47e7-8892-e5573dc49441,Michael,Williamson,ttaylor@example.org,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '79a00b55-fa24-45d8-a43f-772694b7776d']",['2ca51d2d-6d15-4b84-9e66-98cff363ae64'] -9ebc14ae-cbad-4e6e-9850-70c50e43706a,Mackenzie,Rios,jeanmalone@example.org,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['2400a836-b97a-46ca-8333-28c2e780ee3d'] -72e4ef4a-8e31-4390-bf3d-cfac943c6713,Jacob,Elliott,crosbymelissa@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -31c962b6-04aa-447b-b765-574f59caeb82,Katherine,Cole,shepardjason@example.com,"['aeb5a55c-4554-4116-9de0-76910e66e154', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '59845c40-7efc-4514-9ed6-c29d983fba31']",['5c2b13a8-60d9-4cef-b757-97a6b0b988e4'] -29149591-7de4-48e1-b559-72d03aaff924,Kendra,Delgado,johnbarton@example.com,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],['d5af1ee6-11a8-42e5-8f8e-08e77ee097e9'] -97550171-5b1c-4612-9c13-857cf0552257,John,Bell,stacey57@example.org,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",[] -1adf28c2-ee2b-4fe0-83cd-15b619f3b962,Crystal,Johnson,michaelnguyen@example.com,"['c81b6283-b1aa-40d6-a825-f01410912435', '072a3483-b063-48fd-bc9c-5faa9b845425']",['67232110-4863-40da-be01-a95147537a9c'] -1ea07705-d93e-4240-8731-f41cbb29b805,Marisa,Moore,timothy20@example.org,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', '6a1545de-63fd-4c04-bc27-58ba334e7a91', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -7ed086ff-ad0f-4d6d-bc7e-8f40e7d42435,William,Mora,norriskimberly@example.net,"['89531f13-baf0-43d6-b9f4-42a95482753a', '79a00b55-fa24-45d8-a43f-772694b7776d', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -744aa7ab-c028-45a8-b358-b6ed8137975b,Lauren,Bush,joseph64@example.com,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', 'cb00e672-232a-4137-a259-f3cf0382d466']",['57ef2b36-fb70-4cc1-8565-9210919e4650'] -1b43a673-8566-4bb4-a397-b0935170ea2e,Amanda,Jones,melendezivan@example.com,['59845c40-7efc-4514-9ed6-c29d983fba31'],['6ee93085-1711-4bbc-9d3a-cd894470c4bf'] -7aa21d80-4095-47f6-a894-b6c12fb9a7b6,Linda,Cook,asilva@example.net,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],[] -f659d735-1281-43b2-b9d4-5eadbd70c873,Valerie,Payne,schaeferfrank@example.org,"['ad391cbf-b874-4b1e-905b-2736f2b69332', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -03d6bfdd-e62b-4035-8116-977ba80f3b2b,Patricia,Baker,john09@example.net,['2f95e3de-03de-4827-a4a7-aaed42817861'],[] -e27825e4-87e1-4a8c-b585-f600d2b7e00e,Calvin,Thompson,penny34@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '069b6392-804b-4fcb-8654-d67afad1fd91', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -7ec0cff3-b490-4ab9-95b0-b8ff66e34def,Carol,Nelson,jeffreyanderson@example.org,['26e72658-4503-47c4-ad74-628545e2402a'],['429e6376-361c-46fb-88f2-459de5eaec25'] -2a9b3624-6551-4ccf-99a7-6c90b5d297b1,Robert,Avery,beanmonica@example.org,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],['3d40d597-6ecb-451f-ac63-3516c5862d1f'] -efb2f03e-b290-45ec-ab63-18106c95b7c0,Donald,Thompson,scottcurtis@example.net,"['86f109ac-c967-4c17-af5c-97395270c489', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",['8df81a3b-afb7-454c-a504-d190da845e0b'] -ba506733-ab4d-4906-9c7f-493cc1ae7df7,Peter,Jones,rothrebecca@example.net,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['151fbf5f-baa0-4d13-bb7d-6f9484355e78'] -0b9fedd4-9d6b-4e82-8e25-b213d093cc71,Victoria,Hudson,kristina70@example.org,"['069b6392-804b-4fcb-8654-d67afad1fd91', '741c6fa0-0254-4f85-9066-6d46fcc1026e', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -23c407b0-56e0-4009-9fec-c749daa3377a,Andre,Mejia,michelle84@example.com,['052ec36c-e430-4698-9270-d925fe5bcaf4'],[] -c0dfcf19-274c-45b4-b44f-3684a15633cc,Jessica,Anthony,michaelmoreno@example.org,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['c700e245-1664-4459-8f89-f26b2548d901'] -055eec6c-4869-49e8-8038-e906bed0c959,Brian,Miller,brandy51@example.net,['59845c40-7efc-4514-9ed6-c29d983fba31'],[] -746c22d6-3c3d-4c9f-81ea-ebe372a2758a,Bruce,Nguyen,james09@example.net,['7774475d-ab11-4247-a631-9c7d29ba9745'],['8f14f922-9f58-4ad6-9ec9-327e95011837'] -ed221e3c-3d6d-473a-9376-290444ae3fac,Curtis,Lopez,andrewmeadows@example.com,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'ad3e3f2e-ee06-4406-8874-ea1921c52328', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -0b90d4d0-be62-47b0-ba1c-faa3d1a0b2f1,Angelica,Sanchez,charles86@example.com,['18df1544-69a6-460c-802e-7d262e83111d'],['fe144e07-945e-4c66-a148-781275800599'] -544a7411-099f-4fd0-a1ce-ec02a1621698,Pamela,Clark,jamesbrowning@example.com,['c81b6283-b1aa-40d6-a825-f01410912435'],['23166e6c-bf72-4fc7-910e-db0904350dbb'] -9fd159b5-abc7-404e-9f01-c2dee958cac0,Joseph,Stanley,amystewart@example.com,['f51beff4-e90c-4b73-9253-8699c46a94ff'],['a5990335-b063-4f4a-896a-7959e2e559ed'] -1823efd8-af86-4aed-a418-da9027854eda,Curtis,Elliott,nicolewilson@example.org,"['aeb5a55c-4554-4116-9de0-76910e66e154', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['0028bcf2-b18f-43c8-bb7c-06b214b4b37f'] -859e0ec7-80a8-4f17-bcde-dd741a0f5e24,Melanie,Daugherty,kimberly16@example.net,['473d4c85-cc2c-4020-9381-c49a7236ad68'],[] -2c2413b2-a2fc-44b0-9bb6-f999ca10e394,Jasmine,Carr,dromero@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['fe22a382-f319-410e-8d77-54919bc2f132'] -c60f385d-2918-4fe2-8b9e-09e4232370e8,James,Saunders,richardadkins@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '89531f13-baf0-43d6-b9f4-42a95482753a']",['858b5895-efd8-4ea4-9a11-e852dc4e8e89'] -e3567c84-22b9-4d65-b457-6a3a1faf138f,Ryan,Chapman,randolphcolton@example.com,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],[] -457673a4-3382-40c9-8a9b-1cd5f9ada621,Nancy,Morales,jennifer84@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",[] -3ce01145-5711-4724-8409-fa83f7c721a0,Julie,Martin,james35@example.org,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],['56e577b7-e42b-4381-9caa-905f9fcc08e5'] -e89af8ec-6bf7-4fea-8f5b-6a87f28684dd,Derek,Andrews,cklein@example.org,"['aeb5a55c-4554-4116-9de0-76910e66e154', '564daa89-38f8-4c8a-8760-de1923f9a681']",['d5af1ee6-11a8-42e5-8f8e-08e77ee097e9'] -17debb07-89ed-4f7f-87ff-949f7c9e38e7,William,Sharp,johnsonjohn@example.com,"['86f109ac-c967-4c17-af5c-97395270c489', '072a3483-b063-48fd-bc9c-5faa9b845425', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9'] -618c6995-b2b9-4093-b18b-89ec8d7d938d,Duane,Jones,xnichols@example.net,['d000d0a3-a7ba-442d-92af-0d407340aa2f'],[] -00fc7070-b050-4345-b7ba-2863b11fa2ce,Angela,Jackson,wesley82@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', '2f95e3de-03de-4827-a4a7-aaed42817861', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",[] -bf1c4b2e-9d4d-44fb-8a61-27a1cea8761f,Paul,Bailey,davidclark@example.com,['c81b6283-b1aa-40d6-a825-f01410912435'],[] -a96941c5-ed1e-434f-b898-b04c9235a0e7,Emily,Ortiz,geraldparker@example.org,"['2f95e3de-03de-4827-a4a7-aaed42817861', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -78bdd5c4-73d3-4aa2-a67f-218aa194a6a5,Adam,Clements,kanejennifer@example.com,['c737a041-c713-43f6-8205-f409b349e2b6'],[] -b18955c6-5f8d-4741-ba78-70b335fa964b,Scott,Gonzalez,krausealejandro@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['597ab710-aa67-41fe-abc7-183eb5215960'] -c5f4b56f-f40d-4602-8e1d-92e4c7fea598,Paul,Castillo,vancegabriella@example.com,"['069b6392-804b-4fcb-8654-d67afad1fd91', '564daa89-38f8-4c8a-8760-de1923f9a681']",['5fadd584-8af3-49e7-b518-f8bc9543aa4b'] -de21fd53-3afe-43cb-aba5-0b70f6014b3c,Jesse,Knight,silvalisa@example.com,"['3227c040-7d18-4803-b4b4-799667344a6d', '86f109ac-c967-4c17-af5c-97395270c489']",['e3933806-db81-4f2d-8886-8662f020919b'] -28245430-1a81-4923-9364-3b9c9d049005,Lisa,Boone,rle@example.org,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],['f7feddb7-c9cc-4e58-85ec-44e947a9f370'] -d1cca693-4f8a-4feb-a089-780c9ee8c964,Steven,Bush,tsmith@example.com,['c737a041-c713-43f6-8205-f409b349e2b6'],['cb00caa7-48f7-41db-bd55-a6f1ca740ba5'] -fabd7615-60b4-4c7b-99b9-d1585c722d38,Steven,Massey,lisalopez@example.org,['63b288c1-4434-4120-867c-cee4dadd8c8a'],[] -afb98514-101d-44a1-83f6-83d5132fdc92,Dylan,Dunn,kristenevans@example.net,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['d9f16b96-42fe-4712-a4a4-10d700b7e4bc'] -b052dabf-093c-4572-9090-6d174404c4e1,Elizabeth,Daniels,gmartin@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -a878522b-c8aa-4c1a-b9da-69f39b7d04a5,Danielle,Harris,kirk43@example.org,['9328e072-e82e-41ef-a132-ed54b649a5ca'],[] -ba2e841b-7923-43b5-b7b0-c28b6172606c,Matthew,Rice,rjones@example.com,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",['b5a5dfe5-4015-439f-954b-8af9b2be2a09'] -752913e2-990e-4680-aecf-a774d9eb9777,Raymond,Tanner,michael33@example.com,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['9ff1a8da-a565-4e98-a33e-9fe617c7ad79'] -d8090ba7-49e6-4fab-a5ac-3d39bb62fddc,Christopher,Harris,jstewart@example.net,['c737a041-c713-43f6-8205-f409b349e2b6'],['d458ca78-3784-4c95-863b-02141f054063'] -6cfaf27b-e74f-4072-95a2-d83c6d1e3dae,Yvonne,Watkins,lewisjennifer@example.net,"['3227c040-7d18-4803-b4b4-799667344a6d', '59845c40-7efc-4514-9ed6-c29d983fba31', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['60610e12-fa4b-4aac-90b7-9db286dcba5e'] -7d330caa-dd1d-47ce-8362-d3a293cd0615,Alan,Williams,riveramaria@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -96bcae7e-7609-4262-97fe-73b778f0f0f2,Juan,Banks,nathaniel62@example.org,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -f98b20ab-c272-4a47-ad30-46a918419ff7,Michael,Gonzalez,esilva@example.net,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -a4376f73-6069-41a5-866d-8b736a41233a,Sarah,Ford,caseyesenia@example.com,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -934f98aa-86c2-4ee9-91a3-344140819732,Robin,Graves,hannabrent@example.com,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'c81b6283-b1aa-40d6-a825-f01410912435', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['fd20c2d2-5ad3-41bf-8882-1f2f4d7872ac'] -44a53387-079b-447f-8a43-63ec42c3818f,Brett,Rocha,shawntaylor@example.net,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -3da180a4-2e51-4511-bd82-d970fb7954be,Colleen,Mathis,vvillanueva@example.net,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",['46a3ddfb-ed32-48e2-80b0-479a662e0b2c'] -d583006f-a0dc-4c62-b924-9d63b59db6b5,Elizabeth,Barker,michealking@example.com,['61a0a607-be7b-429d-b492-59523fad023e'],[] -13fdef4a-c42b-47a1-a05d-ac76968bae41,Carolyn,Pena,valerie34@example.com,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],['65d8fb43-cd35-4835-887e-80ae2010337b'] -f6c4c9c5-0268-4fc2-adbf-f45416d4331c,Samantha,Smith,jason44@example.org,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', 'aeb5a55c-4554-4116-9de0-76910e66e154', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",[] -8a6a8d56-dd6e-4555-bee2-649c2bcf6d82,Jeffrey,Salinas,robert05@example.net,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['a35c5604-774c-4820-ba3e-159aca1cd047'] -3da2c716-eb38-4284-91ab-454bef9eb9f6,Zachary,Boyer,walkeremily@example.net,"['67214339-8a36-45b9-8b25-439d97b06703', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -0190c68f-e2e7-4487-85a0-fe0a72c86c70,Jonathan,Brown,scott72@example.org,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -8703fad1-7936-410d-b076-563ce6225459,Kenneth,Snyder,oneillbrooke@example.com,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],['5d6b4504-ce14-49a1-a1ab-0b8147f15e26'] -685dcb7b-3dc1-4ec7-b32c-cbd175675210,James,Patel,ashleywest@example.org,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['25a08c6b-414c-430f-891b-86aacac98010'] -6aabe9fa-68ca-438d-bae7-3237cd5a3ed5,Chase,Martin,jilllee@example.org,['ba2cf281-cffa-4de5-9db9-2109331e455d'],[] -0fe3f2d3-b8b6-4295-b571-16a600feb414,Justin,Peterson,bryan26@example.org,"['c737a041-c713-43f6-8205-f409b349e2b6', '069b6392-804b-4fcb-8654-d67afad1fd91']",['5fadd584-8af3-49e7-b518-f8bc9543aa4b'] -172c9784-928d-4ff6-8d0e-a4ba40654edf,Kara,Kelly,ayaladawn@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'c737a041-c713-43f6-8205-f409b349e2b6', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['b6d4a8ed-7001-476d-8207-c9272216f10f'] -319eb65d-16c3-477d-bf26-ce6ce6b4d7ea,Antonio,Miller,fsullivan@example.org,['f51beff4-e90c-4b73-9253-8699c46a94ff'],['a187f582-4978-4706-afe3-9bd37b2468c8'] -4621b77f-4309-4b36-8634-5aed824ba41a,Rachel,Jenkins,stricklandjamie@example.com,['d000d0a3-a7ba-442d-92af-0d407340aa2f'],['90ad117c-76c2-4be3-acb7-c5ccaa2159e8'] -d021f1e3-a4e0-4f7d-9385-e08c2049676d,Jeffrey,Romero,perkinscandice@example.com,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['1367e775-79ba-40d6-98d8-dbcb40140055'] -9a09895a-1bab-4335-bbfb-d81ca9a7efce,Corey,Harrison,ericksonmichelle@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -be300515-ec58-4856-8ee7-04b83bd03924,Charles,Pierce,dangreen@example.net,['c737a041-c713-43f6-8205-f409b349e2b6'],[] -f91493b0-3d92-44c8-a8b8-c97b238fc7fe,Bethany,Phillips,brenda21@example.net,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', '7bee6f18-bd56-4920-a132-107c8af22bef', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -ccda97dd-8e38-47e8-9c99-119434ca65c8,Chelsea,Williams,turnerfrank@example.org,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],['3d65bb01-ff6b-4762-b55f-f59d5d63e057'] -c3b45195-facb-49d6-9f62-e5bb56a934fd,Amy,Watts,sarah81@example.com,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '564daa89-38f8-4c8a-8760-de1923f9a681']",['22877d8e-e1fb-4433-8fe6-1165ead973be'] -b64c4c56-5338-40bf-813a-faeaaa72b728,Mark,Hoffman,cory76@example.org,"['e665afb5-904a-4e86-a6da-1d859cc81f90', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['40693c50-8e07-4fb8-a0bc-ecf3383ce195'] -e97a0171-5708-42f4-9fcc-c0767800b912,James,Henderson,urobinson@example.org,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'aeb5a55c-4554-4116-9de0-76910e66e154', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",['7084ad06-71a2-474b-90da-6d4d73a464f6'] -091b57d7-9aac-4f44-8953-ca22e5aabdf3,Susan,Watson,wallacetara@example.com,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -1f064937-85e0-4a09-868a-37db4587e79f,Jill,Malone,johnsonbrittney@example.org,['18df1544-69a6-460c-802e-7d262e83111d'],[] -5f924836-ad87-439b-a806-dd3baaddfecf,Jennifer,Sanders,srojas@example.com,['67214339-8a36-45b9-8b25-439d97b06703'],['46a3ddfb-ed32-48e2-80b0-479a662e0b2c'] -076a757b-05e4-41df-b087-fe43382a6cb9,Elizabeth,Hawkins,barbara51@example.com,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['bec7f13a-7ae7-4ad7-a5c5-ca2b3728785c'] -b0e72e26-4b44-4745-a23e-7c3a329cb8a1,Joshua,Taylor,glane@example.net,['26e72658-4503-47c4-ad74-628545e2402a'],['caacd0f1-bf97-40b2-bcb0-f329c33b3946'] -586cbc6b-730a-4439-8169-566716ef5730,Adrian,Wilson,kweaver@example.com,['052ec36c-e430-4698-9270-d925fe5bcaf4'],[] -671ed340-12e4-4aa2-abac-efa7b17aea7e,Jason,Brown,mary26@example.net,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['3545d9f1-cf47-4f11-b415-5ad73aef7a4a'] -ec70b483-3201-4d21-99c6-83bd69be8138,Lori,Pham,tranregina@example.com,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",['8968fdf0-d411-4899-9aaf-632d1ff2ca1c'] -07833555-c221-4e17-8c82-5b5163a6ce5b,Jose,Ward,lisarodriguez@example.com,['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b'],[] -0fce32ae-46b0-421b-8a57-223623a71ee2,Patrick,Mcbride,pdouglas@example.org,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],[] -9c0a7949-c1ae-477b-bd24-243a1236aa3a,Darlene,Hughes,fisheranthony@example.com,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],[] -483597dd-d382-4488-97a2-dfa2b35e6a37,Joseph,Soto,daniel95@example.com,['839c425d-d9b0-4b60-8c68-80d14ae382f7'],[] -2760bdc7-004b-453d-b6a4-6ea473863702,Samantha,Sheppard,markcarlson@example.net,['2f95e3de-03de-4827-a4a7-aaed42817861'],['0c0ac4aa-5abe-48bd-8045-4f8b45ed8fb9'] -4151f623-0f20-4ee1-84ee-e4f3f12c9870,Christopher,Huang,michelle78@example.com,"['c81b6283-b1aa-40d6-a825-f01410912435', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['d84f87ab-abaa-4f1a-86bf-8b9c1e828080'] -feb059ad-cf2e-4647-a2c2-5579d1fb0df6,Nicole,Wagner,paulawalton@example.org,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'cb00e672-232a-4137-a259-f3cf0382d466']",['b49d9c5d-2d71-40d7-8f15-e83e4eb10a48'] -79e0be66-691a-4967-9f84-1b6f627787bf,Joseph,Hutchinson,stevenking@example.net,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],[] -f00c36bb-1ce4-4898-a2a1-952981431837,Alyssa,Wright,jonesjared@example.net,['7774475d-ab11-4247-a631-9c7d29ba9745'],[] -d5c42ea8-7972-451f-b436-09774db10be2,Arthur,Bennett,brosario@example.net,"['63b288c1-4434-4120-867c-cee4dadd8c8a', '1537733f-8218-4c45-9a0a-e00ff349a9d1', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -88e2f489-8290-4168-8b2b-e7ee83254760,John,Wright,qclay@example.net,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', '67214339-8a36-45b9-8b25-439d97b06703']",['bc500cec-4845-4282-897d-ffe1080962ff'] -174da4a6-7828-46aa-b0ea-e1b3a3353b58,Marissa,Middleton,billylopez@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['4a75fa22-38c9-4d95-8e19-0e0d24eba4ef'] -412f7f6e-f68f-4555-9961-08a1c0e5d984,Nicole,Webb,gdurham@example.net,['f51beff4-e90c-4b73-9253-8699c46a94ff'],[] -313eef3b-6653-4284-b712-c665313e7362,Michael,Henry,dianaking@example.net,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],['dc830ca3-fe01-43bb-aa7e-d5bb75247b56'] -fbb7db15-4535-4df7-aacd-babf404799af,Nathan,Campos,walkerkristen@example.net,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",[] -b8a17518-4186-4a5a-b7d1-49de3bc0c949,John,Miles,sharrington@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['07c46b33-d48c-4dee-b35b-ff3bec33eef1'] -1aa60c12-a65b-4a2a-9eaf-97fcc2904d0a,Heather,Collins,kzamora@example.com,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -59d85d2e-762f-4784-8eff-4722a2817a6d,Donna,Cook,yudevon@example.net,"['072a3483-b063-48fd-bc9c-5faa9b845425', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -cf6e2ab2-83ba-4e42-9a8b-55c55c6ea05c,Jessica,Kennedy,jennifer32@example.com,"['59845c40-7efc-4514-9ed6-c29d983fba31', '839c425d-d9b0-4b60-8c68-80d14ae382f7', '86f109ac-c967-4c17-af5c-97395270c489']",[] -e2d4e79d-c32b-4361-b8df-d143eba7745e,Eric,Bailey,rbrown@example.com,['7bee6f18-bd56-4920-a132-107c8af22bef'],[] -c0260289-801c-4c0a-a925-205ae14c7a0e,Matthew,Peterson,john47@example.com,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['4e7ff31a-312b-4994-a72a-0d09ac27730a'] -cabcf30c-5803-4660-a925-c2073402341c,Kimberly,Foster,omarmalone@example.org,['89531f13-baf0-43d6-b9f4-42a95482753a'],['20807c32-7f81-4d4e-8e04-0e9a3a3b1eca'] -69c2a303-d9c7-4c7f-a242-53d1846a38e9,Cody,Barker,laurensampson@example.net,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['a3497e7c-ec38-428a-bdb8-2ef76ae83d44'] -de8f55f2-e961-4021-be8d-f4ffe7f75bf0,Evan,Morris,david21@example.org,['7774475d-ab11-4247-a631-9c7d29ba9745'],[] -a21661ab-7ec6-411b-9692-1a06065a8816,Marcus,Keller,leonardpark@example.org,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'cb00e672-232a-4137-a259-f3cf0382d466', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -9f8eba47-dc35-4032-a7cc-4c3d922214e5,Robert,Harrison,richard63@example.net,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '61a0a607-be7b-429d-b492-59523fad023e', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['43c67b64-aa19-4d3c-bd4e-c18799854e93'] -bb9721d2-ea5b-448b-b1a1-97e21f9da14a,Sharon,Bennett,muellercaroline@example.net,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '3227c040-7d18-4803-b4b4-799667344a6d', '79a00b55-fa24-45d8-a43f-772694b7776d']",['e96fb986-f0bb-43aa-a992-f84eea493308'] -8701d89e-faed-4860-9862-3fcdadb79175,Eric,Smith,clarkpenny@example.com,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],[] -8e13171d-a1c6-4bd4-a872-3d09f40372fa,Michael,Short,andrewprice@example.com,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '86f109ac-c967-4c17-af5c-97395270c489']",[] -fa80ebff-9233-40b7-97c2-469afdccc35a,Lisa,Warner,lauradorsey@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '072a3483-b063-48fd-bc9c-5faa9b845425']",['d458ca78-3784-4c95-863b-02141f054063'] -5f87cee6-cd89-4147-8e17-78b25b5e8cf6,Jonathan,Roberson,kellydavid@example.net,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['faf65b89-6f63-4e09-b90e-fb6d570845e8'] -19d61f59-d46f-473e-b996-845cd85eaa3a,Harold,Sanchez,tony74@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', 'cb00e672-232a-4137-a259-f3cf0382d466', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",[] -017674dd-7725-4985-aede-0f39f81cc867,Louis,White,sanderstony@example.net,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],['ca6d549d-ee2c-44fa-aea6-9756596982a1'] -65bbad6e-d52a-4eee-bc53-6d012c281ae8,Cory,Stevens,sullivancollin@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '86f109ac-c967-4c17-af5c-97395270c489', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -1ce78256-4f28-4226-9656-f293f36a3626,Kaitlin,Serrano,james86@example.org,['1537733f-8218-4c45-9a0a-e00ff349a9d1'],[] -8886305f-a565-4583-a4c3-82679df1b5f1,Tyler,Bolton,johnsmelissa@example.org,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -eb55fe65-7a30-41b7-a65f-260d62b3e8f7,Lucas,Hoffman,jonesdenise@example.org,['2f95e3de-03de-4827-a4a7-aaed42817861'],[] -21b73161-37b8-4475-869d-47ff7c567f95,Bethany,Mitchell,jfisher@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -6098c037-a75a-4111-96f6-4e24c9432e4a,Roberto,Downs,frussell@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -3dbaa138-7480-42fe-9367-cc0c3a93c93d,Lee,Woodard,dale71@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -82336c66-b0e8-4599-bfd1-45b3f07f0f01,Melissa,Johnson,nicolekent@example.net,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",[] -c3c41c17-5dc2-4ab1-9ed7-dd90b6f6c15b,Jesse,Wang,eric73@example.com,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['6dfa800d-540a-443e-a2df-87336994f592'] -d34f6890-57f2-4971-881b-e6f9ded4b576,Timothy,Fleming,trevor71@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '59845c40-7efc-4514-9ed6-c29d983fba31']",['b5a5dfe5-4015-439f-954b-8af9b2be2a09'] -36f01ab8-7c44-4d77-ae04-b0f75a0374f3,Zachary,Rojas,qsmith@example.org,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],['c888853d-5055-438c-99f8-9a9904fd76a8'] -2b1723b8-0068-4310-8f5c-cefe64d05cd6,Julie,Lewis,garciacharlotte@example.com,['26e72658-4503-47c4-ad74-628545e2402a'],[] -3e767a9b-7784-4396-8c59-699b6d643452,Richard,Rodriguez,mooreadam@example.com,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '564daa89-38f8-4c8a-8760-de1923f9a681']",['a900674a-7b19-4726-ad29-6f76b4a62bc1'] -7b755f15-3ffd-4413-bb2d-a1675a498300,Sabrina,Sanchez,cstrickland@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -4d4eeffe-c7b5-4cbe-b715-c9b1128223a8,Tiffany,Lopez,rdavidson@example.net,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -8530eb71-47f2-48be-a4ed-fdb35c96e825,Natalie,Smith,ocarrillo@example.net,"['3227c040-7d18-4803-b4b4-799667344a6d', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",[] -619f86e1-074e-41ca-95c3-501671276991,Ashley,Martinez,flynnbarbara@example.com,"['473d4c85-cc2c-4020-9381-c49a7236ad68', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -76af36fd-f360-4db1-8fb5-82c517df8f5c,Jonathan,Hernandez,mcdanielthomas@example.com,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['e1eab1f1-0342-487c-ba7e-ff062a1d0f93'] -f1f2b98d-d811-4b8e-a1b0-a30364881ea4,Zachary,Wiley,christopher55@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -d29dfd4a-86db-4b6e-aa87-79f4cd33d496,Robert,Turner,jcarrillo@example.net,['aeb5a55c-4554-4116-9de0-76910e66e154'],[] -375e8838-bc0b-475f-9915-377d2442d92a,Christopher,Shelton,osmith@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",['fce88bd9-e2a3-481e-bedc-dbebd5343f08'] -b8551dbf-1bee-48b9-b745-23ad5977ee5f,Katherine,Vega,sarapeters@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['9601d7a6-6282-4247-8ae3-2ea160bc757f'] -e95fa7d2-3a30-4252-a78c-dd34a10f1e00,Paul,Cox,kgibson@example.com,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],['0260e343-0aaf-47a5-9a99-ae53cb3c2747'] -67907f0d-b07d-4cbb-95c9-2b089c882e73,Jeremiah,Harris,mark72@example.net,['564daa89-38f8-4c8a-8760-de1923f9a681'],[] -1bcd01c0-8657-46c3-8284-d5623b04916a,Jessica,Wilson,hartmanchristopher@example.net,['2f95e3de-03de-4827-a4a7-aaed42817861'],['7084ad06-71a2-474b-90da-6d4d73a464f6'] -9281b20a-874a-4146-b429-e27513153e92,William,Lloyd,jasonleon@example.net,"['26e72658-4503-47c4-ad74-628545e2402a', '072a3483-b063-48fd-bc9c-5faa9b845425', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",['1ec79271-8c21-4966-8bae-d0ca12e84974'] -893c57e4-ad9b-48d9-a3bc-e5bad94ce0fd,Michelle,Wilkinson,michelemiller@example.org,['57f29e6b-9082-4637-af4b-0d123ef4542d'],[] -17a791d3-fc6b-438f-8285-c70698c695f3,Diamond,Wilkinson,fcarrillo@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",[] -692b94d5-eda3-4ea6-8cf8-776e326cf9d6,Patricia,Jones,ocross@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['9384f475-5183-4a60-bfc5-53102d9f4d56'] -697ae097-6b10-4b78-9734-d67b2777c4ff,Tiffany,Lewis,matthew11@example.org,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],[] -b0192ddb-1771-4675-a95f-df17f9a01780,Cynthia,Love,fbeard@example.org,['aeb5a55c-4554-4116-9de0-76910e66e154'],[] -9138e974-34dd-4d88-ae46-f6c63969bce6,Brian,Porter,taraharris@example.net,"['f51beff4-e90c-4b73-9253-8699c46a94ff', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -dc521e2a-a807-4b34-92fc-e65a8780710f,Sandra,Shannon,jeremy27@example.com,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",[] -14ed7cfe-c277-4ea9-86f8-2758e0f1fe65,Jimmy,Hill,emilylindsey@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -d42b8f04-9557-47a5-9f0d-1492e29ed9f3,Michelle,Edwards,randybrock@example.net,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '069b6392-804b-4fcb-8654-d67afad1fd91', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['d458ca78-3784-4c95-863b-02141f054063'] -7d73ad8f-95ca-4c7a-b513-0890804a0f12,Ian,Parks,russoamy@example.com,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -3c80c617-a158-436d-bfeb-cc250f3e5550,Sherry,Welch,gcantu@example.com,"['069b6392-804b-4fcb-8654-d67afad1fd91', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",['75539787-79ff-423d-8de4-53b030861d69'] -96375734-4e63-4b12-9934-2e8e44f5b79c,Pamela,York,paul08@example.com,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -5400e5b7-6dc2-4240-9fe7-721e2142f80e,Connie,Gordon,ayates@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '86f109ac-c967-4c17-af5c-97395270c489']",[] -afcd1f05-228f-4b7b-8652-3def28d6c131,Craig,Smith,vcurtis@example.org,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '44b1d8d5-663c-485b-94d3-c72540441aa0', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['5df15f36-f0c3-4279-b2f1-4bbb6eb6342c'] -94e2a5f0-10f7-4768-a97e-f5bb1a5fd533,Sean,Thompson,ohogan@example.com,"['79a00b55-fa24-45d8-a43f-772694b7776d', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",[] -4a5f0fae-b893-4180-b935-f1a01916ec69,Teresa,Gonzalez,mary90@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', '3227c040-7d18-4803-b4b4-799667344a6d']",[] -a31d11ad-3b26-42f4-a202-3518f59a9fc4,Jamie,Miller,katie37@example.org,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', 'e665afb5-904a-4e86-a6da-1d859cc81f90', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",[] -718d2a1d-e1a2-4bf3-80c3-4d5a1594a384,David,Peck,robertnovak@example.net,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', '839c425d-d9b0-4b60-8c68-80d14ae382f7', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['83a7cb36-feee-4e71-9dea-afa5b17fbe7c'] -4921ebef-238f-4014-b98c-81918dd1ec43,Jeremy,Kim,seth31@example.com,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],['d5af1ee6-11a8-42e5-8f8e-08e77ee097e9'] -5ad88fa2-100b-4e87-95a8-49978fc00940,Bonnie,Garcia,aaron39@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",['ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2'] -d3f94994-11fd-4b63-9261-b2be6c87e37c,Derrick,Higgins,jamessmith@example.net,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -9b334383-0f9e-422c-882d-afaa609e0a23,Nicole,Tucker,holmessusan@example.org,"['069b6392-804b-4fcb-8654-d67afad1fd91', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['743983ca-55ad-40a7-93c2-9051bf14e946'] -53b568d4-fd4f-4423-ad66-9447bd5833a6,Kelsey,Jones,matthewstone@example.com,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],[] -6cb2e6a9-0244-472d-9f26-b0fd9707a22a,Kenneth,Bryant,marquezjulie@example.com,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],['011a93a0-8166-4f24-9bb0-613fb7084acf'] -de5eb87a-1ebb-47d5-bc04-232f7c76bfff,Kenneth,Martinez,solson@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'cb00e672-232a-4137-a259-f3cf0382d466']",['27d663fa-1559-4437-8827-7dabba59fdb0'] -c9b610ff-d8f9-4503-be09-746d75c8698a,Steven,Lynn,gregoryramirez@example.com,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['84a95dd1-6640-4a78-937a-acb9dab23601'] -c1eb7438-4659-4166-8d18-36e8785330d6,Daniel,Hutchinson,terry47@example.org,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],['5c4c4328-fea5-48b8-af04-dcf245dbed24'] -8dad2992-b8cf-42c9-b1a4-5dc7614f3931,Catherine,Sullivan,cameron40@example.com,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -67a9265f-2dc0-4846-a4a2-557665f26643,Christine,Barron,patriciaberger@example.org,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['06036f2c-3694-4d8c-a275-2f201ae299d2'] -7ba7cd57-a67f-4dbe-8a6d-92036d40cf7c,Heather,Saunders,benjamin26@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -20d24f45-ac50-440f-b573-218e8083e50e,Amanda,Santiago,christinaguerra@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -8d03e61e-c800-4c13-bb99-df7ddff8b86e,David,Rogers,zcameron@example.net,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['9ec7d2ef-2b5b-4192-911c-b293479d9a17'] -ad000b75-9670-4d12-bbaf-45faed52a769,Joseph,Stone,hilldarren@example.net,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '3227c040-7d18-4803-b4b4-799667344a6d', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",['6ee93085-1711-4bbc-9d3a-cd894470c4bf'] -0eeb3fcd-eb6d-4c9b-b0b2-b1bd46090cfe,Amanda,Wilson,udavenport@example.com,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],[] -f2c9708f-d331-4b06-a7fc-c24991ecc236,Jeffrey,Elliott,kurt16@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['46a3ddfb-ed32-48e2-80b0-479a662e0b2c'] -075a1588-d622-4b6b-8f44-3d3d98a4d4e9,Courtney,Thompson,vjoseph@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '57f29e6b-9082-4637-af4b-0d123ef4542d', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['60610e12-fa4b-4aac-90b7-9db286dcba5e'] -25248c59-4e36-43ad-94e6-8c2e0e7bfca4,Brian,Collins,janiceblankenship@example.org,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '18df1544-69a6-460c-802e-7d262e83111d', '59845c40-7efc-4514-9ed6-c29d983fba31']",['618bbb9b-7bee-49cf-a459-377aa5ff7b86'] -6271907c-5ce9-4c5b-a4fc-599da0e07a36,Matthew,Kirk,worozco@example.org,['59845c40-7efc-4514-9ed6-c29d983fba31'],['dd93b349-8a58-4ae5-8ffc-4be1d7d8e146'] -89b5feb5-e487-4ec9-8566-b56b6628b0e0,Kelly,Dean,michellevillegas@example.net,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -9b2a000e-d311-487a-9da0-7e74ded681b1,Nicole,Jackson,john90@example.net,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],[] -fae90e28-332c-4ea8-adf2-172366a8eb12,Richard,Miller,gloriahernandez@example.org,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '61a0a607-be7b-429d-b492-59523fad023e', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['24d15539-70b6-40c3-9370-d44429270273'] -e0d46247-7d7c-46da-9bc8-1d20436c6364,William,Hernandez,vanessa89@example.net,"['89531f13-baf0-43d6-b9f4-42a95482753a', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -8b01cf0a-4b2d-48d6-aea0-26386c559656,Warren,Frederick,jared39@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['c8ffeb37-4dce-4610-bea3-1e848b34c034'] -e365d855-70f9-4cce-92e2-b40dadfc1f00,Mary,Barr,slang@example.org,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],['f835cf7a-025e-40e8-b549-3be781938f19'] -fbb5c60c-be13-4b83-8600-7c1fda813859,Donald,West,michelle70@example.com,['7bee6f18-bd56-4920-a132-107c8af22bef'],['756f1c00-e01c-4363-b610-0714cdfc68c2'] -1826bc4b-e48c-4580-9741-eeb285ece797,Ryan,Rodriguez,christyibarra@example.org,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '26e72658-4503-47c4-ad74-628545e2402a', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -04cffb19-1597-44ec-ba3e-e9777540541b,Molly,Rodriguez,franklin62@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['d7a360ca-83b2-442a-ae2a-3079163febff'] -7e2cd6dc-476d-434b-b757-2075cf91b07c,Joanne,Case,ryanholden@example.net,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],[] -242080d8-cdde-451e-a005-fd41f0d1d3f0,Eric,Young,richardfuller@example.org,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['3b3f7978-53e0-4a0c-b044-be05cb7fad97'] -09edfd81-266b-4816-b97c-cf681729b9b2,Heather,Gonzales,chasejohnson@example.com,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],[] -3533472f-5751-49d0-b6d8-8f9d1f976968,Julie,Drake,simsscott@example.org,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '072a3483-b063-48fd-bc9c-5faa9b845425']",['93f1f74c-134d-456d-8f49-968d930c3ad7'] -7acf470e-2be6-48a0-827c-a5a75f67c358,Bianca,Hooper,elliskimberly@example.com,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],['23166e6c-bf72-4fc7-910e-db0904350dbb'] -9a548808-d7f4-439f-a638-3af8c95aa3dd,Maria,Orr,ialvarado@example.net,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'c800d89e-031f-4180-b824-8fd307cf6d2b', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -2cdaa69f-5492-4156-8854-004e0350ff84,Samantha,Cooper,brownchristopher@example.com,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],[] -7eb8343b-24a9-465e-80f6-b24f0fff3ec8,Elizabeth,Mcfarland,pbeard@example.org,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],['4ab054e6-6653-4770-bcdb-f448ac2a07f5'] -937a6f0c-0cd9-4b7f-aeaf-aadb897be5d5,Christopher,Lozano,chrisalvarez@example.org,"['59845c40-7efc-4514-9ed6-c29d983fba31', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['08b87dde-06a0-4a00-85fc-4b290750d185'] -eeeb402a-b990-445f-a82f-cda3bc9e64a7,Thomas,Wright,jessica24@example.com,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],['7d8634f9-d608-4589-a06c-cf0be4d539bc'] -e7983fc6-0b53-4e7f-9baa-02c22a39e178,Bailey,Sanchez,carmen97@example.com,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -d4417703-f1d4-47e2-8634-d66add79e478,Chase,Jackson,lparker@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '18df1544-69a6-460c-802e-7d262e83111d']",['3e23d466-e305-42d8-9599-c6a931b7e827'] -1692225e-3a98-44c1-9c57-05fc59393362,Scott,Marquez,brianbanks@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -f4a65566-35f1-41f7-801f-6e6f58b3f541,Joshua,Solis,jerryjohnson@example.com,"['2f95e3de-03de-4827-a4a7-aaed42817861', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -ff7b467e-143f-49dc-8aab-f0ed7b959cd7,Courtney,Lopez,lutztimothy@example.org,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -a0da74c1-b61c-4b62-9353-1cbcd018ae3f,Richard,Clayton,simsjoshua@example.com,['26e72658-4503-47c4-ad74-628545e2402a'],['f7feddb7-c9cc-4e58-85ec-44e947a9f370'] -63514661-323e-486b-b5bd-27326f20d531,Willie,Robertson,rdaniels@example.org,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],[] -d11c2216-5be2-4262-9cc0-9ba54228b299,Jennifer,Herring,kathleen80@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '7774475d-ab11-4247-a631-9c7d29ba9745']",[] -fc5d18b1-6024-4e1f-aa7a-9288d63e83c7,Brandy,Thomas,hansonnicole@example.org,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '59e3afa0-cb40-4f8e-9052-88b9af20e074', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",[] -d10dcdf8-2856-4470-98b1-04a48beaf9ac,Susan,Fisher,peggy48@example.com,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '61a0a607-be7b-429d-b492-59523fad023e']",[] -0218f57c-ac4f-4f13-84f7-8c2f6c06bacb,David,Morris,csmith@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', '26e72658-4503-47c4-ad74-628545e2402a']",['43c67b64-aa19-4d3c-bd4e-c18799854e93'] -3845eb11-ca3b-477c-be72-2880b4b48edd,Don,Cohen,montesjennifer@example.org,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '2f95e3de-03de-4827-a4a7-aaed42817861', '7774475d-ab11-4247-a631-9c7d29ba9745']",['bcd28f5c-8785-447e-903c-d829768bb4d7'] -a2846b48-3910-460b-ab37-55b4a8e27b6e,Renee,Martinez,bsantos@example.com,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -af38dc0f-a610-42d5-82cf-eb5d7266b730,Amy,Jones,woodgregory@example.org,['787758c9-4e9a-44f2-af68-c58165d0bc03'],['a34c9b30-182f-42c0-a8a5-258083109556'] -3d1b1023-48cd-43d3-a414-34fbda5981d7,Julian,Brady,melissa49@example.net,['e665afb5-904a-4e86-a6da-1d859cc81f90'],['5d6b4504-ce14-49a1-a1ab-0b8147f15e26'] -60ed03b2-2bf9-4a66-bf86-c80437dea1eb,Deborah,Bradley,chelseanunez@example.com,"['473d4c85-cc2c-4020-9381-c49a7236ad68', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', '89531f13-baf0-43d6-b9f4-42a95482753a']",[] -b864cb77-3f69-4ed9-9cf4-691f92eb0539,Raymond,Walker,mcculloughamy@example.net,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '564daa89-38f8-4c8a-8760-de1923f9a681', '26e72658-4503-47c4-ad74-628545e2402a']",['92abbcf2-007c-4a82-ba94-c714408b3209'] -7c1c674c-9208-41e3-bb40-22d2beec195d,Sarah,Brown,jasmine91@example.net,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '3227c040-7d18-4803-b4b4-799667344a6d', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",['b90b0461-013f-4970-9097-1b15f9708b3c'] -90dc190b-2e2c-4b79-a382-ae4fab10205a,Michael,Daniel,gallen@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '18df1544-69a6-460c-802e-7d262e83111d']",['45249454-edef-4d93-a5d2-f6f14e123707'] -bd5d1a4d-a16f-440f-85c5-679011e79883,Julie,Johnson,michael98@example.net,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],[] -1729ef7e-e785-438d-b43e-1da22031b45d,Erika,Brooks,fball@example.com,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '473d4c85-cc2c-4020-9381-c49a7236ad68', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -b22f7fe8-4789-497d-b1e8-bde5efc9b4db,Kurt,Benton,ujordan@example.org,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '89531f13-baf0-43d6-b9f4-42a95482753a']",['f15012b6-ca9c-40af-9e72-f26f48e2e3d2'] -c441cb38-d35d-43db-a9b0-35bfba314516,Lisa,Davis,dianechen@example.net,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -690e91b3-4b7e-4a97-8a6c-dae2fa9b6537,Gregory,Bush,carrie48@example.org,['61a0a607-be7b-429d-b492-59523fad023e'],['fe897059-b023-400b-b94e-7cf3447456c7'] -f55d2d04-2416-4ce5-9199-11e1f8d81990,Jason,Sandoval,rebecca23@example.com,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -f42450ca-2fd9-4455-ba5f-7d0f4ee1b0d1,Cory,Weaver,hmitchell@example.org,"['f51beff4-e90c-4b73-9253-8699c46a94ff', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",[] -0d7f64d8-858b-41ad-8352-90c96e34cefa,Taylor,Torres,xcox@example.net,['473d4c85-cc2c-4020-9381-c49a7236ad68'],['793b2d4e-9ad4-495e-bf5e-f84dd09aedf9'] -907f0607-be62-42af-a261-73f64e61d3d9,Benjamin,Boyd,hartdaniel@example.com,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -66a699c8-44a8-4065-8f0e-d81fcfb472d8,Scott,Mack,conniegrant@example.org,['61a0a607-be7b-429d-b492-59523fad023e'],[] -a4821e38-9771-42ee-8124-b37d26cf48ad,Jennifer,Drake,juan70@example.org,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '89531f13-baf0-43d6-b9f4-42a95482753a']",['c8a2f333-b375-4015-868d-0476c7fa7780'] -6f52c4f5-8dad-4a19-a6e2-e680be25fb97,Kenneth,Hall,lisajohnson@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '59e3afa0-cb40-4f8e-9052-88b9af20e074', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['20807c32-7f81-4d4e-8e04-0e9a3a3b1eca'] -3b0e8f08-6440-459e-a15f-0b9a465b5042,Samantha,Patel,dhunter@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -4b9cdbb8-5068-4900-bcdd-b519d9126765,Curtis,Gonzalez,daniellecollins@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -e4f399e5-527c-48e3-a7fa-df653edecb36,Dan,Le,lopezedward@example.org,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],['278e71b3-2e69-4ee2-a7a3-9f78fee839ea'] -9a1ea17d-5b92-47fb-976d-256073048178,Jaime,Taylor,amy71@example.net,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],['cfea1941-d200-4d5b-9710-8fcf08cfd02d'] -257801e0-e444-44dc-8256-7fdf5f180530,Chad,Brown,lynnbenjamin@example.net,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",[] -d2159476-838e-4f29-8c64-2103f089fb47,Whitney,Davis,edwardgardner@example.net,['f35d154a-0a53-476e-b0c2-49ae5d33b7eb'],[] -660ccbff-fcf3-460d-8e5f-3c1951a9581c,Judy,Taylor,floresjacob@example.com,['2f95e3de-03de-4827-a4a7-aaed42817861'],['f835cf7a-025e-40e8-b549-3be781938f19'] -e3b62fb0-e173-4bf3-a58c-dbb5217f45f9,Amy,Greene,xmorris@example.net,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '18df1544-69a6-460c-802e-7d262e83111d']",[] -6ed42ea4-524d-4f67-b6f6-f25505b484f5,Lauren,Brewer,ericahoward@example.org,['473d4c85-cc2c-4020-9381-c49a7236ad68'],['9ff1a8da-a565-4e98-a33e-9fe617c7ad79'] -bb2d4e6c-7b00-4bcd-9980-89fdc0c3d40e,Alison,Long,valdezdavid@example.org,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",['ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2'] -3eb90996-0054-45d7-86c8-35c1308578a2,Nathan,Banks,lthompson@example.org,['c97d60e5-8c92-4d2e-b782-542ca7aa7799'],[] -d5ad72d4-1dbf-4d18-89de-060be58ee063,Jay,Evans,wallacebrian@example.com,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -e6a1253e-d7f7-4706-a545-cb3c8e196571,Francisco,Burke,mchristensen@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '9328e072-e82e-41ef-a132-ed54b649a5ca', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -8d2f4c83-cfdd-4aac-a954-0172c2807c58,Darren,Glenn,kjohnson@example.com,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['bc500cec-4845-4282-897d-ffe1080962ff'] -58f8cac4-917e-4f0e-a2a9-f92a52fc8573,Carla,Valdez,williamsfrank@example.net,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['4a75fa22-38c9-4d95-8e19-0e0d24eba4ef'] -8e345bba-5290-4da2-b60b-20da3d086b1e,Leah,Davis,petersonbarry@example.org,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'cb00e672-232a-4137-a259-f3cf0382d466', '7774475d-ab11-4247-a631-9c7d29ba9745']",['bd0657d5-8de9-47d3-a690-57824c2f2fbb'] -884a3115-2f02-4415-86d8-3f3667cc1548,Paul,Cruz,tina50@example.com,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['07c46b33-d48c-4dee-b35b-ff3bec33eef1'] -2838b035-a8d3-48fc-9a00-07e30536ce83,Jimmy,Little,william10@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",['d99e6edc-f0db-4c16-a36c-2f4fd0a28283'] -60f4e703-8451-453b-91d4-4ee78ebc6f89,Cameron,Chavez,matthewburton@example.com,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '67214339-8a36-45b9-8b25-439d97b06703', '79a00b55-fa24-45d8-a43f-772694b7776d']",['0d2e48b3-fb33-463f-a7ee-e4013f782b0e'] -2ec00925-b79f-45f8-abaf-7526cd4c4fe3,James,Clark,harrischristopher@example.com,['1537733f-8218-4c45-9a0a-e00ff349a9d1'],['b107099e-c089-4591-a9a9-9af1a86cfde1'] -e08b03db-e801-4c79-9533-f0238c31b063,Randall,Hall,kathleengarza@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '587c7609-ba56-4d22-b1e6-c12576c428fd']",[] -82461bad-3152-4f35-a4e6-2084a7be9986,Danny,Thompson,markruiz@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",[] -56bd1cd7-8b16-4c60-86e9-95ad362fce77,Amanda,Aguilar,karmstrong@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",['1b03a988-18e7-4ea5-9c89-34060083eaea'] -7477c7f6-6c83-40cd-af1e-aae069b62e54,Michael,Fernandez,awatson@example.org,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '052ec36c-e430-4698-9270-d925fe5bcaf4', '3227c040-7d18-4803-b4b4-799667344a6d']",['722b3236-0c08-4ae6-aa84-f917399cc077'] -f685f6f5-7794-4832-aac2-8a941b6f3e6b,Katrina,Campos,cohenmichelle@example.net,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '89531f13-baf0-43d6-b9f4-42a95482753a']",[] -6d19328b-c2aa-4309-84e7-5ca3770784b2,Brenda,Johnson,lawrencejason@example.com,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'ad391cbf-b874-4b1e-905b-2736f2b69332', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -6770337e-7713-4374-ba79-ac3f8a813de3,Elizabeth,Swanson,fisherteresa@example.net,"['3227c040-7d18-4803-b4b4-799667344a6d', '473d4c85-cc2c-4020-9381-c49a7236ad68', 'c81b6283-b1aa-40d6-a825-f01410912435']",['1e1b971b-7526-4a6c-8bd1-853e2032ba8e'] -e9064201-7434-48c4-8244-edcc2339b0f8,Robert,Ashley,philiptorres@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['a187f582-4978-4706-afe3-9bd37b2468c8'] -e92af3b7-e172-4939-bce5-f3831cb9cb6d,Brett,Mcclain,transuzanne@example.org,"['59845c40-7efc-4514-9ed6-c29d983fba31', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -55f06bb0-9036-4cc7-b6d4-a7a04acc5e38,Christine,Baldwin,angiewilliams@example.net,"['7dfc6f25-07a8-4618-954b-b9dd96cee86e', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",['ade1fdc7-d2b5-4276-8e34-4df3075e37a0'] -49a72607-de36-43af-9934-f68739cb4449,Rebecca,Keller,igarcia@example.org,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],['0f046820-2a39-4b2d-9925-cec153cbe8cb'] -f8df7168-2710-44cb-bf50-13edfcf28e7b,Matthew,Cox,owensnathaniel@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",[] -71501d44-d412-4017-9fef-643686b08a39,Angela,Rivera,smallchelsey@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '89531f13-baf0-43d6-b9f4-42a95482753a']",[] -51d99e54-b70c-42aa-a512-73e361361380,Michael,Henry,adamsdevin@example.net,['c81b6283-b1aa-40d6-a825-f01410912435'],['fb060075-4c05-4c05-9c1b-fc1531f548a5'] -b782e50e-36a7-4a4d-a48a-30aaf1f228b0,Daniel,Livingston,ryanduran@example.com,['79a00b55-fa24-45d8-a43f-772694b7776d'],['c0edc149-153d-42e6-8520-aba4174b832d'] -e6e81776-4fb9-40a2-bd73-d8244b0369ea,Brittany,Clark,angelaevans@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -a169d3f3-2fc9-407a-9543-a875ac897146,Valerie,Baldwin,aanderson@example.com,"['7bee6f18-bd56-4920-a132-107c8af22bef', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['72248fc0-155b-4ffe-ad5a-e95e236e24ed'] -f1065099-9da3-4dac-9cad-26c2581fa1d2,Trevor,Brown,bryanbaker@example.net,"['aeb5a55c-4554-4116-9de0-76910e66e154', '724825a5-7a0b-422d-946e-ce9512ad7add']",['bc4fcf59-dcf6-42bf-ae74-c7a815569099'] -44a3478f-fe2f-4bfb-b178-724ee460eb2a,Joshua,Thompson,jackjackson@example.org,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', '3227c040-7d18-4803-b4b4-799667344a6d']",['5c2b13a8-60d9-4cef-b757-97a6b0b988e4'] -51e0d9ed-2406-4492-a15d-36de8daf5093,Zachary,Webb,vsmith@example.org,"['2f95e3de-03de-4827-a4a7-aaed42817861', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -6847fb3f-4a63-4af1-b418-c4dfdb3ba033,Brianna,Cantrell,bradleybernard@example.com,['6cb2d19f-f0a4-4ece-9190-76345d1abc54'],[] -cc844911-a923-4194-a7bc-b1ad8f1f343b,Brianna,Williams,holtsharon@example.net,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '7774475d-ab11-4247-a631-9c7d29ba9745']",['387329b0-fc59-4ffd-97ba-258ed14d4185'] -15c579de-8030-4384-86d4-3244136307cc,Nicole,Wall,andrewlester@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -1b74ae3f-4eea-426d-ad07-23b3bde7d6c9,Breanna,Frey,amandahall@example.net,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -f6884d38-ebc0-4cdc-a67c-c5b0b2247a6f,Rebecca,Bridges,rhondaalvarez@example.net,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -2aba9dcc-b754-409e-bddb-0fab7761d014,Dana,Dawson,stephanievalencia@example.org,"['26e72658-4503-47c4-ad74-628545e2402a', '7bee6f18-bd56-4920-a132-107c8af22bef', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -33c35968-fe00-4894-a136-31df32a7d2e2,Christine,Nguyen,wilsonmatthew@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -f6c35528-e39d-45bc-b074-80182eb9d372,Connie,Mcgrath,charlene03@example.org,"['2f95e3de-03de-4827-a4a7-aaed42817861', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['6a75b28a-db14-4422-90ca-84c6624d6f44'] -e68e7138-24f0-45cc-9c1f-e1f765c434df,Shawn,Baxter,patrickjohnson@example.net,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -8d8a7b68-abe9-4218-b21c-a48e1fa356eb,Claudia,Conrad,fsmith@example.net,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],['989b87b0-7bf5-40f9-82a1-7f6829696f39'] -bc59eac0-fb01-4dad-bf38-4b833ce8093f,Jamie,Barrett,srobinson@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -ff5ed72d-fb24-4d0d-9fdc-d48772249efa,Jeremy,Andrews,eholden@example.net,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '26e72658-4503-47c4-ad74-628545e2402a', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['9154a687-9ea4-400e-92d4-1f8d6a4efd45'] -517719ac-d656-4111-bb98-6403230c9ba8,Ernest,Mcpherson,hoffmancarla@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', 'ad391cbf-b874-4b1e-905b-2736f2b69332', '724825a5-7a0b-422d-946e-ce9512ad7add']",['7af32566-8905-4685-8cda-46c53238a9ce'] -12a8d247-3579-4f93-aded-cab96e9a8b5e,Denise,Richardson,gjackson@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '7bee6f18-bd56-4920-a132-107c8af22bef', '9328e072-e82e-41ef-a132-ed54b649a5ca']",['1d8a9355-cc45-49c5-a3f4-35be92f8f263'] -45c4d8e1-3753-45e6-a951-209a27cd73f1,Henry,Garcia,brandonmcbride@example.net,['473d4c85-cc2c-4020-9381-c49a7236ad68'],[] -a152dc4d-0ed5-424a-ba7f-5d96585ef2fc,Barbara,Whitaker,bhart@example.net,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -ba1be848-a547-42ab-903c-8f3affc2c162,Matthew,Rodriguez,wanda48@example.org,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],['19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9'] -b9b55ca6-5a44-433a-b6cc-c049cd84aa7a,Jose,Moore,jennifer38@example.net,['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d'],['ade1fdc7-d2b5-4276-8e34-4df3075e37a0'] -3dfbbc06-0392-4bce-b793-2eedb448b577,Chelsey,Kaiser,michael53@example.org,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '072a3483-b063-48fd-bc9c-5faa9b845425', '89531f13-baf0-43d6-b9f4-42a95482753a']",['1a185320-fa73-49e9-905e-acffa1821454'] -28b68c01-2c7f-41da-acf0-d6bb210270f3,Lisa,Cunningham,ufoster@example.org,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],[] -bfc5e098-0018-4456-9141-d1dca8538d27,Ashley,Bauer,leslie70@example.net,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -1a4a5024-2994-4e29-ad7f-997d2b18036c,Leah,Maldonado,kerri01@example.com,['3227c040-7d18-4803-b4b4-799667344a6d'],[] -48c0a791-6333-4a83-a819-49b59d8a89f2,Zachary,Oconnell,fergusonlindsey@example.net,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'c737a041-c713-43f6-8205-f409b349e2b6']",['604f8e2e-8859-4c5e-bb15-bee673282554'] -05423f96-e814-4ff9-bd93-ecad39b5200f,Melissa,Roberts,ssmith@example.org,"['cb00e672-232a-4137-a259-f3cf0382d466', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -ce7900ee-b1f9-486c-99c6-25396b3e442f,Jennifer,Salas,shannonalexander@example.net,"['86f109ac-c967-4c17-af5c-97395270c489', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['163ed53e-753a-40b9-aa4d-645c1e9dc673'] -23346c82-e8d7-45c1-8bd6-73dfcf26be6f,Peter,Montes,jenniferbernard@example.com,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '57f29e6b-9082-4637-af4b-0d123ef4542d', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -346c5933-8f40-4cdb-ae04-e8206a537ba3,Laura,Vang,dianahernandez@example.org,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['4e074598-e19e-411f-b497-27544616e7aa'] -bd32e50d-e658-448b-a0d3-f099c5eea79e,Cynthia,Hubbard,peterscheyenne@example.org,['f51beff4-e90c-4b73-9253-8699c46a94ff'],['3545d9f1-cf47-4f11-b415-5ad73aef7a4a'] -c0061fed-154e-490e-b501-a7051fae8f88,Stephanie,Escobar,zavalajessica@example.com,['44b1d8d5-663c-485b-94d3-c72540441aa0'],[] -38b5fc6c-df4a-45e8-8673-f3ac2910a1a2,Donald,French,coxmichael@example.com,['c737a041-c713-43f6-8205-f409b349e2b6'],[] -d97cfde2-1cfa-4a43-817a-7651aff26283,Brandy,Martinez,anthony97@example.net,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],[] -5b1692df-eb6a-4d64-b636-b61a46c54c12,Margaret,Smith,rwyatt@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '9328e072-e82e-41ef-a132-ed54b649a5ca']",['5da5b69a-9c78-42c3-a5b5-97c12fe93f4b'] -38349a8a-70fb-45c7-ba2e-646d53c51580,Steve,Gordon,glopez@example.com,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],[] -ae81910a-b917-4fb4-82a3-28e28b46dcaa,Melissa,Young,karen49@example.com,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],[] -ed28751f-b30d-4be0-b320-a6787bbbe390,Douglas,Miller,qjones@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -b3f3e210-4123-4b25-82fd-3221a2624d77,David,Lopez,hernandezthomas@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['c8a2f333-b375-4015-868d-0476c7fa7780'] -02e67d07-642f-4054-b082-c223e1f1c740,Laura,Ortega,jenkinsmichael@example.org,['ba2cf281-cffa-4de5-9db9-2109331e455d'],['8df81a3b-afb7-454c-a504-d190da845e0b'] -f46efff1-b3da-4448-a2df-3460a56f4866,Valerie,Brooks,kyle75@example.org,"['61a0a607-be7b-429d-b492-59523fad023e', '9328e072-e82e-41ef-a132-ed54b649a5ca']",[] -540126ec-cd29-4100-b386-b8f3b1532a8e,Juan,Cisneros,karenjones@example.org,"['7bee6f18-bd56-4920-a132-107c8af22bef', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['65d8fb43-cd35-4835-887e-80ae2010337b'] -95c3e595-80cc-469f-a5e0-9070289eaba4,Jason,Braun,peter51@example.net,['6a1545de-63fd-4c04-bc27-58ba334e7a91'],[] -f37a5b78-5aee-4ae6-9756-8a01fc7d49e3,Danielle,Johns,linemily@example.org,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', '59845c40-7efc-4514-9ed6-c29d983fba31']",['3053cc3e-569a-45b7-88bc-71976c4cc078'] -2df83b44-a76c-4c6d-9fb0-b8d3503be17f,Paul,Odom,ufoster@example.org,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '59845c40-7efc-4514-9ed6-c29d983fba31']",['bfabecc2-aeb2-4ce6-85c2-27c2cc044f21'] -552e5458-2a95-4f37-8275-300e615b6679,Elizabeth,Hall,jay33@example.com,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '839c425d-d9b0-4b60-8c68-80d14ae382f7', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['81e7066a-e9e2-41cb-814c-fc579fe33401'] -595dad8a-55cc-4e58-83f4-543ee0fd5567,Dominique,Fox,judyevans@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'c737a041-c713-43f6-8205-f409b349e2b6', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['1cc22c4c-07af-424d-b869-3b5fd1d7d35b'] -6994f977-34b0-47a3-a5f6-b9c1926eaf18,Hector,Chandler,pamelahoward@example.org,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",[] -be0297c9-19bd-47ad-868c-a4c2455b0b84,Steven,Scott,erik62@example.net,"['724825a5-7a0b-422d-946e-ce9512ad7add', '787758c9-4e9a-44f2-af68-c58165d0bc03', '59845c40-7efc-4514-9ed6-c29d983fba31']",['bc500cec-4845-4282-897d-ffe1080962ff'] -25cafc03-7a31-4676-ac5c-13abd55081c2,Linda,Hoffman,ashley54@example.net,['ad391cbf-b874-4b1e-905b-2736f2b69332'],[] -339cd10c-1190-434f-a5ed-e2a44bbc4435,Mark,Lee,ugonzalez@example.org,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '2f95e3de-03de-4827-a4a7-aaed42817861', '18df1544-69a6-460c-802e-7d262e83111d']",[] -83b5b385-c071-46b4-823e-fdf160d4cc4e,Roger,Calhoun,davidcurtis@example.net,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -7b8bbb8e-bdc8-4387-891a-6747202923f4,Craig,Davis,duranadriana@example.com,['e665afb5-904a-4e86-a6da-1d859cc81f90'],[] -dc8927ed-414c-485a-9750-b1a97bfa3c98,Tiffany,Mcdonald,chambersjason@example.net,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['e439a3a5-c585-4c44-93d6-4cb19ec536e2'] -78fb6037-5e91-4a7d-9c57-c8d9448ebb28,Kathleen,Warren,larry79@example.net,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'c737a041-c713-43f6-8205-f409b349e2b6']",['24d15539-70b6-40c3-9370-d44429270273'] -0daa5b9a-c951-4032-a1ef-47a0305260d4,William,Frey,jonathan56@example.net,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '61a0a607-be7b-429d-b492-59523fad023e']",['31438176-2075-4285-b76d-e19ddf0d95e2'] -11d780a9-32c2-4e51-a87b-7bec2f7002bc,Joshua,Santana,jamie61@example.com,['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737'],[] -70a9277a-8966-44ec-b072-fb89fb923966,Michael,Johns,douglasmedina@example.com,"['2f95e3de-03de-4827-a4a7-aaed42817861', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -0f74f111-ac70-40ba-b576-1c9edf5af36c,Emily,Edwards,joseph16@example.net,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],[] -92de6008-ade0-46b9-890b-ba8ca22b5a2d,Megan,Lloyd,cpalmer@example.net,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],['46a3ddfb-ed32-48e2-80b0-479a662e0b2c'] -f1f52d5a-a6a1-49fc-8be3-f1d0f724880c,Ralph,Weber,powellmichelle@example.net,['79a00b55-fa24-45d8-a43f-772694b7776d'],['db07fa7b-d0f9-44b4-981b-358558b30f4c'] -bf312fe2-0066-470b-8660-9886e2e1fc50,Elizabeth,Preston,hendersonamber@example.org,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",['e240475b-f90b-471d-b73d-9f1b331ad9bd'] -c14b92a3-4477-412e-9243-f72730bb46e6,Jimmy,Delacruz,pereznicholas@example.com,"['c81b6283-b1aa-40d6-a825-f01410912435', '564daa89-38f8-4c8a-8760-de1923f9a681', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['3e23d466-e305-42d8-9599-c6a931b7e827'] -84851a9a-eb4b-444f-8a6b-3181f6556269,Ryan,Perez,pamela43@example.org,['577eb875-f886-400d-8b14-ec28a2cc5eae'],[] -4255ab81-d2db-40a5-b9d0-1867b9ea715c,Tim,Jones,kara56@example.net,['26e72658-4503-47c4-ad74-628545e2402a'],[] -a0834984-3b94-477e-8acb-dc0d29e72899,Jamie,Armstrong,brandonphillips@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -01749b4e-532a-430e-ab45-b9ef35d4c509,Fred,Washington,ureyes@example.org,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -7c6ada7d-5d59-439c-a853-87f939ed151e,Patricia,Shaw,bstark@example.com,"['aeb5a55c-4554-4116-9de0-76910e66e154', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['a742f2e3-2094-4cbb-b0bd-cbe161f8103b'] -8c0a4287-098a-419d-b8f0-b73e2e5d8703,Chloe,Hernandez,kevinlawrence@example.org,['c97d60e5-8c92-4d2e-b782-542ca7aa7799'],[] -e888cd22-2b23-4a0b-b5f3-7c7187a3bb50,Samuel,Schmidt,danaallen@example.net,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -a490522b-cff8-4ed2-98c6-6d41e8b78c41,Craig,Oconnor,lovemegan@example.net,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",[] -43532731-571d-4337-a6e4-a1883fedafe2,Roger,Johns,gabriellerodriguez@example.net,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['3dda0bcb-6039-4f6e-91a7-5f010e930e8f'] -bfaf1aea-ebd3-4daf-aad4-d345423118ca,John,Campbell,wadekyle@example.org,['473d4c85-cc2c-4020-9381-c49a7236ad68'],[] -a5234055-0c90-443f-af78-acb6eee69f13,Jennifer,Booth,charleshanson@example.net,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],['46e02390-6910-4f24-8281-a327e5472f73'] -b11b0e79-480c-410b-b8c0-f5d92b945fc7,Kimberly,Taylor,faith22@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['901ca5e1-26d1-4743-83b3-6b2a6a25658b'] -e3952c48-f899-4c09-aacf-b3192efc6c84,Terri,Monroe,rodriguezclifford@example.net,['63b288c1-4434-4120-867c-cee4dadd8c8a'],[] -d5681b2c-c769-41c3-b4d7-bf84d04a7699,Reginald,Lewis,laura56@example.net,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '069b6392-804b-4fcb-8654-d67afad1fd91']",['05d42a68-33f9-4c51-be80-33fd14c50c8b'] -601d8b21-45b6-4928-9980-5f8603ec0266,Eric,Lowery,fgarcia@example.com,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],['eee2e97f-1d1f-4552-abbf-c615e64f8377'] -4e7b016f-2447-4f4a-82d6-8cd4fa131a6b,Kathleen,Jackson,keith09@example.com,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -3980032e-93a5-4a36-96b5-2cd5ce946742,Carol,Harris,ronaldfletcher@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['387329b0-fc59-4ffd-97ba-258ed14d4185'] -19bb8034-4b23-479e-8a1c-3ce14ac8013d,Lauren,Dunn,janice70@example.net,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '724825a5-7a0b-422d-946e-ce9512ad7add']",['1f6566d0-b6a6-47ef-a8e9-9d1b224cc080'] -04c070aa-c93f-489a-ae97-cfbe8ab53e09,Kathryn,Oneill,sarah47@example.com,"['67214339-8a36-45b9-8b25-439d97b06703', '59845c40-7efc-4514-9ed6-c29d983fba31']",['b9f042ca-3f4c-4398-abc0-8dd37a4d6c8c'] -f4ffa615-134c-4482-8cb9-078b88cf0f01,Michele,Le,eelliott@example.net,['26e72658-4503-47c4-ad74-628545e2402a'],[] -b3edb7e2-65b1-4870-9743-a18d19324a9e,Briana,Fletcher,tmeyer@example.net,['564daa89-38f8-4c8a-8760-de1923f9a681'],['707406f0-991f-4392-828c-4a42b6520e72'] -83fe671f-defb-49a8-a4af-2876fb538ddd,Kathryn,Flores,perezhelen@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['c5c601cd-9301-4c5f-b543-c104bcb593cb'] -5ae2435d-0c1a-44c5-b46b-8a7d6b264ff6,Jeffrey,Alvarez,marysullivan@example.org,"['c737a041-c713-43f6-8205-f409b349e2b6', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",['790c095e-49b2-4d58-9e8c-559d77a6b931'] -aee633eb-8ee7-4c2d-952f-2a32499cab3f,Maria,Cobb,alexandrahunt@example.net,['26e72658-4503-47c4-ad74-628545e2402a'],['e96fb986-f0bb-43aa-a992-f84eea493308'] -139ee5bb-ef29-4d28-8f0d-56cc499763ba,John,Taylor,yashley@example.net,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],[] -49c4fdc0-8dc9-4c69-a0c2-bba1ed881913,Kevin,Oconnor,zwarner@example.net,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -545604af-33e1-4ec4-803b-40670afdeed5,Dawn,Silva,christopherpayne@example.com,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', '67214339-8a36-45b9-8b25-439d97b06703', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -76bc2c75-9a64-4b57-839f-0d3a0d3e369c,Jennifer,Davis,stephanie37@example.org,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -36c5b427-8e0e-48fc-b28b-629c7bfa9c51,Gregory,Williamson,crystal55@example.net,"['cb00e672-232a-4137-a259-f3cf0382d466', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -da2805c0-eaa7-48dc-a978-dc2f6ade13e4,Cynthia,Jackson,kelly21@example.com,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', 'ba2cf281-cffa-4de5-9db9-2109331e455d', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -3d63fbbd-4440-4835-8429-77ab77469069,Mary,Jones,timothyshort@example.org,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],[] -f71ecbab-ca1a-45e6-8e9b-926c44d86384,Tina,Chen,johnwilkinson@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', '6cb2d19f-f0a4-4ece-9190-76345d1abc54', '7bee6f18-bd56-4920-a132-107c8af22bef']",['45249454-edef-4d93-a5d2-f6f14e123707'] -6ef52dbd-b8a9-4e02-ad87-c1fe856ffada,Christopher,Hernandez,dylan67@example.net,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -b7dcce92-0c6f-4415-951e-43909b4c3b50,Laura,Carter,nicole81@example.com,"['069b6392-804b-4fcb-8654-d67afad1fd91', '787758c9-4e9a-44f2-af68-c58165d0bc03', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",['278e71b3-2e69-4ee2-a7a3-9f78fee839ea'] -baa160ee-8e40-4b53-8337-f8e3f90563e8,Daniel,Dunn,geoffreyhowe@example.com,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -b9fde3f0-70d1-49c4-965c-803c9dc0689b,Raymond,Smith,dylan33@example.com,['61a0a607-be7b-429d-b492-59523fad023e'],['daacbcbf-ae02-4057-bd41-555bf8dc954d'] -c5ed9a8b-e116-4db2-83c8-81c099259b3b,Ryan,Butler,lisareed@example.com,"['67214339-8a36-45b9-8b25-439d97b06703', '2f95e3de-03de-4827-a4a7-aaed42817861']",['fff9028c-4504-47c1-8b12-c4b23391d782'] -a7d22045-19e8-4631-bac9-fcf1ba8ded6f,Kristin,Garrett,milesedward@example.org,"['79a00b55-fa24-45d8-a43f-772694b7776d', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",['72248fc0-155b-4ffe-ad5a-e95e236e24ed'] -02ac1f17-c31e-4aaa-bba7-b9a090fc1e1b,Phillip,Dennis,marcusburgess@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '7774475d-ab11-4247-a631-9c7d29ba9745', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['0c0ac4aa-5abe-48bd-8045-4f8b45ed8fb9'] -13b8911d-d000-4cce-b41c-d894be57df1d,Marissa,Hale,owilliamson@example.net,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -9e897983-45a9-4157-b978-881543bbc7fd,Kristina,Padilla,garciadaniel@example.net,['069b6392-804b-4fcb-8654-d67afad1fd91'],['e3933806-db81-4f2d-8886-8662f020919b'] -6be0cc82-3b6f-4e94-9d75-617c90af5e7c,Walter,Flores,alexander35@example.org,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'aeb5a55c-4554-4116-9de0-76910e66e154', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -d03da252-88f6-46b3-90c4-ae6c215900a8,Sierra,Williams,rileyheather@example.com,['44b1d8d5-663c-485b-94d3-c72540441aa0'],['a900674a-7b19-4726-ad29-6f76b4a62bc1'] -a607fba4-e122-46b8-b49f-97ec3d224bdf,Christina,Gamble,matthew52@example.com,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],['57ba8002-3c69-43da-8c14-9bfa47eab4d2'] -d651bedc-f6a0-412b-8461-c02652c52ec7,Kelly,Brown,brian96@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -07181504-86b9-419c-a584-2081796350f4,Zachary,Brown,jimthomas@example.org,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -30ab6984-db33-48a3-95fe-a1e7c257b05e,Tara,Graves,stoutmark@example.com,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '2f95e3de-03de-4827-a4a7-aaed42817861']",['fe62c40c-2848-4765-8cdc-617cc17abd41'] -f2786885-7663-42ba-b387-838d7999ff01,Jackie,Cook,elliottangela@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['24d15539-70b6-40c3-9370-d44429270273'] -056106f8-cbb1-4c3b-aabf-e0a8ddc4b57d,Anna,Lowe,acohen@example.net,"['2f95e3de-03de-4827-a4a7-aaed42817861', '7bee6f18-bd56-4920-a132-107c8af22bef']",['75539787-79ff-423d-8de4-53b030861d69'] -a89e2353-3f8c-4d6d-b952-20a01d5dd187,Dustin,Doyle,yvasquez@example.net,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -3cb26040-9494-4ef4-bef7-eab2a3e9b9b7,Abigail,Turner,yolanda22@example.net,"['473d4c85-cc2c-4020-9381-c49a7236ad68', '57f29e6b-9082-4637-af4b-0d123ef4542d']",['3e1b2231-8fa4-4abc-938f-7c09f30b37fc'] -b11d88a5-662e-4017-8724-6df6a7890435,Christian,Mills,carolsmith@example.com,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],['6ea27b5d-1542-454f-8653-e48fccb7238b'] -a9c08a2e-b6ad-40eb-a767-0b57545e9db3,Matthew,Oneill,fgilbert@example.net,['c97d60e5-8c92-4d2e-b782-542ca7aa7799'],[] -a8bdcdcd-f639-4776-b815-73e2d024372c,Mark,Atkinson,gavin91@example.org,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",[] -333838e9-1fda-47f3-9b48-50671d48c717,Clifford,Mcintyre,grahammichael@example.com,['839c425d-d9b0-4b60-8c68-80d14ae382f7'],['faf65b89-6f63-4e09-b90e-fb6d570845e8'] -9b7edc55-017b-4634-a702-6a0eca92c9a8,Emily,Lane,hannah25@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -86334c4e-6dda-4743-a3ea-e8586906f46e,Cheryl,Harrison,smithchristopher@example.com,"['577eb875-f886-400d-8b14-ec28a2cc5eae', '63b288c1-4434-4120-867c-cee4dadd8c8a', '9328e072-e82e-41ef-a132-ed54b649a5ca']",['02a2745f-ff6d-45ce-8bfe-6be369c3fb50'] -787bc0ac-40ea-4259-85ad-7a612fa97c66,Sherri,Fisher,schroedernicholas@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'f51beff4-e90c-4b73-9253-8699c46a94ff', 'cb00e672-232a-4137-a259-f3cf0382d466']",[] -135051de-9ce7-4489-b1f0-7733cad397d2,Kevin,Clark,spacheco@example.com,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -8b9bb052-2a97-4c69-a0bd-b5ba2eafed2b,Katelyn,Moore,igonzalez@example.org,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -05901586-e3f8-41a3-9bf4-a81b546ed65d,Cristian,Lee,bryanliu@example.org,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', '7bee6f18-bd56-4920-a132-107c8af22bef']",['ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2'] -4f4932ee-c2ea-4030-adab-f6a02cfaf571,Angela,Davis,abolton@example.com,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -b929cc47-30d1-4871-b431-b3755537234e,Tommy,Nichols,nancy54@example.org,"['2f95e3de-03de-4827-a4a7-aaed42817861', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -7b806c4f-730c-4d20-8546-a7cc46cbd9cc,Paul,Rodriguez,jsanchez@example.org,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['477c7c87-6dd8-4cf6-8331-3f25ba1db67b'] -d1596596-f844-4179-9e7c-5704195aefe6,Aaron,Franklin,adam53@example.net,['ba2cf281-cffa-4de5-9db9-2109331e455d'],['d5af1ee6-11a8-42e5-8f8e-08e77ee097e9'] -60e46e8e-f41c-4cc8-875d-36253a58d197,Sabrina,Bonilla,brandon78@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['451a785e-6805-4a2e-841b-ac6e5e648c7f'] -ed02b64a-bf66-4383-bd26-78709e27b295,James,Cole,malonemelody@example.org,['9328e072-e82e-41ef-a132-ed54b649a5ca'],['d9b5a320-d95a-49aa-8d11-acd754db9f39'] -6d439c2b-8de7-48e9-bb10-a180ba51cdfc,Dennis,Daniels,bishoprandy@example.com,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],['e1a357d9-a7f1-4711-9d5b-fd15e9172330'] -2ad16adc-c924-41b0-a98b-c2610e7f461b,Brandon,Boone,lauralewis@example.com,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],['477c7c87-6dd8-4cf6-8331-3f25ba1db67b'] -1ebc9f47-53fe-462f-befc-59dfeab1026e,Lisa,Shah,pcobb@example.com,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",[] -e2a07ade-5ae3-4985-a49b-b337d12d40d3,Timothy,Adkins,debramccoy@example.net,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '61a0a607-be7b-429d-b492-59523fad023e']",['3e1b2231-8fa4-4abc-938f-7c09f30b37fc'] -efd974fa-3f0a-4a72-b9ad-ab95f349e3ac,Darrell,Wolfe,howardmelissa@example.org,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['17a33262-42cb-45a2-a05d-df3a56261411'] -ca056328-c460-4937-b761-2d85fe1de73a,David,Hoffman,christopher24@example.net,['79a00b55-fa24-45d8-a43f-772694b7776d'],[] -328c2121-de29-47fe-902d-7b07e94e8da6,Tonya,Wilson,daniel18@example.org,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '3227c040-7d18-4803-b4b4-799667344a6d', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",['3545d9f1-cf47-4f11-b415-5ad73aef7a4a'] -d402fb49-cc51-496a-b8d7-df1fbc1d1219,Steven,Lopez,svargas@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -922c9d10-b454-49e5-bfb2-d733b013ce5b,Trevor,Lewis,knightrenee@example.com,['61a0a607-be7b-429d-b492-59523fad023e'],['bc4fcf59-dcf6-42bf-ae74-c7a815569099'] -c3f4a98b-6f90-4a15-b293-eaf5282e51cd,Daniel,Barry,ortizlauren@example.org,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '4ca8e082-d358-46bf-af14-9eaab40f4fe9', '072a3483-b063-48fd-bc9c-5faa9b845425']",['02a2745f-ff6d-45ce-8bfe-6be369c3fb50'] -dce0b3d5-c851-4d1a-bc7b-2e24d0809c67,Alexandra,Alvarez,vmontoya@example.org,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'a9f79e66-ff50-49eb-ae50-c442d23955fc']",['16ae7f7d-c1bc-46ab-a959-a60c49587218'] -f7d11363-0573-4ff2-81b9-b75ce6736b74,Jessica,Price,herrerakim@example.com,['16794171-c7a0-4a0e-9790-6ab3b2cd3380'],['c9767f63-b044-409a-96ef-16be4cb3dc9f'] -68f958a4-0c0d-490c-aebf-5caed1f887c5,Tricia,Turner,campbellanthony@example.org,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', '59e3afa0-cb40-4f8e-9052-88b9af20e074', '3227c040-7d18-4803-b4b4-799667344a6d']",[] -ae9acdd2-cb21-4228-855b-798624afe569,Jose,Lawrence,barbara91@example.org,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],['bfabecc2-aeb2-4ce6-85c2-27c2cc044f21'] -6b748961-7c86-40b9-bc7a-c7aba1259d57,Darren,Harris,michelle18@example.com,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['75539787-79ff-423d-8de4-53b030861d69'] -b768b54b-9783-495e-ab27-6aa6338f527a,Danny,Soto,kristen52@example.com,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '89531f13-baf0-43d6-b9f4-42a95482753a', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -a3a87e3f-d5b4-49f1-aa2f-5564405e44c1,Rebecca,Williams,ashley81@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['2d719e75-080c-4044-872a-3ec473b1ff42'] -4d2860d4-af78-4c7a-9152-f8fc9c133bb8,Tiffany,Cooper,ewilkinson@example.net,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -fad787b0-f686-4372-bf49-aae63abaf2a0,Gwendolyn,Aguilar,joanna61@example.com,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -aa6b2be2-dca5-4d02-a5cd-6d32e636ddf2,Juan,Leblanc,mmitchell@example.com,"['072a3483-b063-48fd-bc9c-5faa9b845425', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['937ec6b6-ce55-4b49-b5c5-7602b8a81220'] -3c984abc-144b-4bec-83ad-a95702dbfa93,Daniel,Gould,paullewis@example.net,"['072a3483-b063-48fd-bc9c-5faa9b845425', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -bec166f7-b2e5-495b-a769-eca19ad62dbc,Kevin,Arellano,igarcia@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', '787758c9-4e9a-44f2-af68-c58165d0bc03', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",['4df8603b-757c-4cb8-b476-72e4c2a343da'] -88b6ed91-b054-4a5f-b016-7083a79c7b91,Ariana,Thomas,ythompson@example.net,['7bee6f18-bd56-4920-a132-107c8af22bef'],['6ea27b5d-1542-454f-8653-e48fccb7238b'] -56f56d74-330c-4336-9b19-22b3477b6904,Keith,Best,justinsmith@example.com,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],['09f575e9-9f5d-41ca-998f-bfa72a693b1a'] -dc55416a-127c-4d24-b877-61f73e3ec9de,Ronald,Friedman,qpowell@example.com,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['278e71b3-2e69-4ee2-a7a3-9f78fee839ea'] -3b75f1d2-752f-47cc-9b81-a1910a7d366f,Dana,Duncan,suzannecarter@example.net,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '59845c40-7efc-4514-9ed6-c29d983fba31', '89531f13-baf0-43d6-b9f4-42a95482753a']",['756f1c00-e01c-4363-b610-0714cdfc68c2'] -f79bedbe-3eda-4ff7-8349-6dfe70a41505,Michelle,Lin,mirandalogan@example.org,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '724825a5-7a0b-422d-946e-ce9512ad7add', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -01ae0f44-5908-4ac8-9a51-48866bd69e72,Tracy,Evans,nicole08@example.org,['86f109ac-c967-4c17-af5c-97395270c489'],['c9767f63-b044-409a-96ef-16be4cb3dc9f'] -fdd23505-916a-42c1-a80e-bac514ea2b35,Craig,Odonnell,mcdonaldjake@example.org,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '1537733f-8218-4c45-9a0a-e00ff349a9d1', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -032966b7-ed05-4208-be72-c2eaf246fed9,Natasha,Baxter,ldunn@example.org,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],[] -801b643a-b2fe-484e-a5d4-72ccd32f4175,Cody,Young,schneidertaylor@example.net,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],[] -c31091c2-393c-4851-a26e-36ab6d9d5180,Monica,Sanders,dawsontiffany@example.com,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['c02ab082-523d-4fa4-9ee6-ed56ca2b07b4'] -64f964d2-d74c-4ea1-9158-60c855ecaaa3,Patrick,Garza,jeffrey04@example.net,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '18df1544-69a6-460c-802e-7d262e83111d', '069b6392-804b-4fcb-8654-d67afad1fd91']",['432532ef-de67-4373-bf0d-f4608266f555'] -de0982b1-46ed-4661-b4a0-10a06a8c48ec,Catherine,Perez,john08@example.net,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",[] -494585c0-0a6e-4cae-b9f1-0e87f8469342,Matthew,Ho,wdouglas@example.com,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -dfa964c5-fbaf-46ec-9b99-dd0480e084a7,Jordan,Casey,edwardortiz@example.org,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['6f9118c5-41aa-47dc-8e6c-8da98577521c'] -0541c75f-eb0d-4569-93ff-a751ed66486f,Matthew,Rice,iburton@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', '7bee6f18-bd56-4920-a132-107c8af22bef', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -7ca591e4-6506-4459-bec8-9bcdfa71e1e9,William,Castillo,mary31@example.com,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -8b97c3bf-0393-43db-b22a-2a199aeaffec,Robert,Porter,jpeterson@example.net,"['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['d3002991-05db-4ad1-9b34-00653f41daa7'] -456716be-2b9a-4d69-87b4-7ba1d8f7e847,William,Banks,michael33@example.net,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],[] -b3a25557-7a82-44a0-907a-86471fd3e11a,Brandon,Foster,xreynolds@example.net,"['3227c040-7d18-4803-b4b4-799667344a6d', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['ed28bf67-9fa8-4583-b4bd-a4beaefdd3cb'] -7e56a278-a879-4995-b3ff-4292abf42f81,Melissa,Wells,timothy13@example.net,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -23655fcf-e5f9-481b-ae28-7b676d3011d2,Jesse,Thompson,lsanchez@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -fe133032-92dc-42da-a7f4-493956a1ed0d,Brandi,Lowery,millerashley@example.org,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],['c220a934-4ad4-495a-bfeb-221372e9720a'] -23329d36-9993-4e61-b51d-4a96e4898bb9,Richard,Reid,youngdavid@example.org,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],['cd737922-c027-40d2-a322-f81f17c69e0f'] -2d2f8bb6-730b-4e9f-b18c-84bd068a681b,Mark,Garcia,shawn93@example.com,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -8c7ca03a-97a9-4f9b-86c8-9745c9807684,Andre,Howe,erinthomas@example.org,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', 'aeb5a55c-4554-4116-9de0-76910e66e154', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -3ce734d3-2cf0-4149-8d8b-8f334024075c,Brittany,Harrison,fmckenzie@example.net,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'cb00e672-232a-4137-a259-f3cf0382d466', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",[] -ecb9f71d-80b2-4af0-8691-b1180d060ea3,John,Williams,belllindsey@example.net,"['89531f13-baf0-43d6-b9f4-42a95482753a', '587c7609-ba56-4d22-b1e6-c12576c428fd', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -40570f34-6d81-4f39-b067-26e9ecc6d9b2,Nicole,Norris,qmartinez@example.org,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",['937ec6b6-ce55-4b49-b5c5-7602b8a81220'] -bf23e8db-b018-4c91-b206-be99c83a113f,Jennifer,Adams,clineandrew@example.org,"['18df1544-69a6-460c-802e-7d262e83111d', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '7d809297-6d2f-4515-ab3c-1ce3eb47e7a6']",[] -e55d1aba-8dba-4d53-9a3f-d9c8dfc4fb61,Denise,Mann,marycruz@example.org,"['069b6392-804b-4fcb-8654-d67afad1fd91', '61a0a607-be7b-429d-b492-59523fad023e']",['16ae7f7d-c1bc-46ab-a959-a60c49587218'] -185d6dbb-c94c-4c97-ae8d-13a8e5812cdd,Michael,Nash,stevenwilliams@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -9d11c708-e9be-4f14-988b-13a4a82ac878,David,Dennis,johnsoncarrie@example.net,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],[] -49abb7e7-da9c-45b8-89e0-21a6fc17f121,Lisa,Mcdowell,samantha19@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '564daa89-38f8-4c8a-8760-de1923f9a681']",['919bfebb-e7f4-4813-b154-dc28601e9f71'] -46792ba0-b359-46bd-9f94-041e70973264,Nathaniel,Long,solomonjennifer@example.com,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",[] -d10ff1f2-d588-4b96-8e52-0d6d37384c5b,George,Valencia,smithmakayla@example.com,['a9f79e66-ff50-49eb-ae50-c442d23955fc'],[] -2d52402b-294f-45ba-8eb4-48db48cab8b9,Cody,Acosta,jamesjessica@example.com,['89531f13-baf0-43d6-b9f4-42a95482753a'],['7ffab46c-8924-4c74-af34-159a02364b2f'] -6f6c60bb-a83f-49c7-8ff9-4b7c1a9bc350,Diamond,Palmer,ehicks@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', '18df1544-69a6-460c-802e-7d262e83111d']",[] -5dcc82f0-aacd-4c7c-b4bc-4682b864822a,Cassandra,Carter,kpeck@example.org,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', 'aeb5a55c-4554-4116-9de0-76910e66e154', '7bee6f18-bd56-4920-a132-107c8af22bef']",['e240475b-f90b-471d-b73d-9f1b331ad9bd'] -4d428663-663d-49a3-aee6-71fee0e70ddb,Carrie,Mitchell,sarahmurray@example.net,"['069b6392-804b-4fcb-8654-d67afad1fd91', '7774475d-ab11-4247-a631-9c7d29ba9745', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -2d92366f-c52e-4b67-8a7b-c5370f7e31b6,Charles,Sampson,cruzcynthia@example.com,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', 'c81b6283-b1aa-40d6-a825-f01410912435']",[] -8433d602-6b7f-4f17-9bf3-a8e2f63ad8ba,Carol,Robles,edwardsjennifer@example.org,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],['d3002991-05db-4ad1-9b34-00653f41daa7'] -448657a9-6bb5-49f7-ae21-7067892864c8,Jacob,Oconnell,qholloway@example.com,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'c81b6283-b1aa-40d6-a825-f01410912435']",['963b02b1-fa0d-450c-afe9-ccac1e53db59'] -ee1f3781-b6ad-4fe6-8acc-6492b68dce46,Robert,Ruiz,pwalker@example.com,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -fa3cb8cf-6b4a-42f1-be7a-3bd2aafd36e8,Tracy,Thompson,berrysharon@example.net,['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d'],[] -20da5874-a917-4ed3-863f-15ad53d7249f,Martin,Robertson,bakerjennifer@example.org,"['564daa89-38f8-4c8a-8760-de1923f9a681', '2f95e3de-03de-4827-a4a7-aaed42817861', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['bfabecc2-aeb2-4ce6-85c2-27c2cc044f21'] -283eb3ad-3d44-421a-aa17-de1487004981,Jamie,Murphy,benjaminroberson@example.net,"['7774475d-ab11-4247-a631-9c7d29ba9745', '2f95e3de-03de-4827-a4a7-aaed42817861', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -2b36fb52-171d-443f-8ed7-585856cfd0b9,Christine,Sutton,abigail30@example.org,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['dd93b349-8a58-4ae5-8ffc-4be1d7d8e146'] -d8544ef5-915f-4deb-8131-e0c64b37165f,Andrea,Smith,vhurley@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",[] -2de6ad84-9cca-4384-9b80-e47e3d6c94fb,Michael,Salinas,andrewsmith@example.net,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -bb5d070d-4cc9-4b78-8627-1e8ac8a775a5,Paul,Maddox,mthomas@example.com,"['86f109ac-c967-4c17-af5c-97395270c489', '57f29e6b-9082-4637-af4b-0d123ef4542d', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",[] -ae5b02fe-71cc-4996-bbe2-f5939725c37c,Tiffany,Gallegos,colewhite@example.com,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],['81bfb4e9-02c5-41eb-9fbe-1aff93df64a3'] -9724e3da-ea99-4756-a831-6c14d7afb488,Angela,Thompson,acarey@example.net,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",[] -a2234560-1749-44d6-8db0-280cffff316e,Anna,Lynn,maryhuang@example.com,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],['47219f6e-b0c2-4dd4-9af6-935f2f731228'] -51d917f7-e3e0-4528-9b8b-8c6a5f3f81a7,Jeffrey,Parker,heatherwoodard@example.com,"['c81b6283-b1aa-40d6-a825-f01410912435', '514f3569-5435-48bb-bc74-6b08d3d78ca9', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -d78e032e-41be-49b3-b3fe-dc1d87d33979,Eduardo,Rhodes,usantana@example.org,"['7bee6f18-bd56-4920-a132-107c8af22bef', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",[] -730e12f4-6771-40fd-9225-5a0ddda5b6b7,Andrew,Vasquez,zblair@example.net,['7bee6f18-bd56-4920-a132-107c8af22bef'],['5450bccf-e4f5-4837-82cf-92db58d34cf8'] -5dfb7274-d200-43d1-8303-cec0a9b4372d,Lisa,Allen,piercecharles@example.org,['473d4c85-cc2c-4020-9381-c49a7236ad68'],[] -832d46e1-7c49-406f-b183-4f5289bb6226,Elizabeth,Webb,carrie48@example.com,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'c737a041-c713-43f6-8205-f409b349e2b6']",['93f1f74c-134d-456d-8f49-968d930c3ad7'] -89060b02-a8a3-46eb-be18-b8f64084fa19,John,Cantu,steven58@example.net,['7774475d-ab11-4247-a631-9c7d29ba9745'],[] -132063b5-bca1-4772-af7b-fbe07d9bf89a,Matthew,Rodriguez,qmora@example.net,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",['989b87b0-7bf5-40f9-82a1-7f6829696f39'] -7922da77-3889-4aff-894f-3114f90ca8eb,Angela,Roberts,maryharris@example.com,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],[] -76778e07-06c8-451e-9250-d9c042cbf4f6,Travis,Preston,troy76@example.net,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",['ccfd888f-3eae-4aa5-b532-a93cc157945f'] -fda08281-e8d3-4778-b49b-d25b2448587b,Lawrence,Howard,thomasbrown@example.com,['072a3483-b063-48fd-bc9c-5faa9b845425'],['a35c5604-774c-4820-ba3e-159aca1cd047'] -1e2f52dc-be5e-4f60-90df-215c95872b75,Robin,Quinn,amyhartman@example.com,['d000d0a3-a7ba-442d-92af-0d407340aa2f'],['5ce4cb87-dc34-4ac7-afc8-7825cf6993b0'] -b77a01cc-62d1-4d8a-93ba-5a34d0643460,Emily,Alexander,washingtonbrenda@example.org,"['59845c40-7efc-4514-9ed6-c29d983fba31', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",['bc500cec-4845-4282-897d-ffe1080962ff'] -5dd84796-56a0-4b30-a3c2-b93a8e8e76a1,Jacqueline,Benton,jessicawilliams@example.net,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '67214339-8a36-45b9-8b25-439d97b06703']",[] -14de3fe2-0a5a-4d7f-be29-efc0c1debc30,Shelly,Frey,cindygray@example.org,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['46a3ddfb-ed32-48e2-80b0-479a662e0b2c'] -ac8af993-5a6a-4ad2-b37a-11c58eaba5b4,Carla,James,jason57@example.org,"['587c7609-ba56-4d22-b1e6-c12576c428fd', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['91dd0e08-1fd4-41a5-8280-ff2e74a49b42'] -d30a4d5f-18fb-4b15-8831-c1e4e0596e17,Nicholas,Gutierrez,ythompson@example.org,['ba2cf281-cffa-4de5-9db9-2109331e455d'],[] -5f1c31d1-5437-43eb-baa4-dc99bc0a6a07,Olivia,Reyes,maria47@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -544d2bce-f691-4575-bbf2-13345a0c2061,Jessica,Jones,kelly13@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '61a0a607-be7b-429d-b492-59523fad023e', '741c6fa0-0254-4f85-9066-6d46fcc1026e']",[] -d1986e79-7a0e-4964-ac50-6ad83539d18f,Melissa,Oconnell,reillybrooke@example.com,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'cb00e672-232a-4137-a259-f3cf0382d466', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -ea277a5c-969b-4eaa-a8e4-5f96d4247b0b,Kimberly,Coleman,fprince@example.com,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -ef2bca43-d5f6-4bab-af51-bf69070c594f,Christopher,Becker,ghiggins@example.org,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",['ac244352-e9fb-4c4f-b0ef-ce93f5f39df0'] -93f2d4c2-24ef-4c1b-b7de-5eb21f9ac055,Helen,Black,jasminjohnson@example.com,"['2f95e3de-03de-4827-a4a7-aaed42817861', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",[] -49ce29dd-a7d3-41dd-9d8a-5e78f225d6c2,Donna,Davis,johnsongregory@example.net,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'c81b6283-b1aa-40d6-a825-f01410912435']",['faf65b89-6f63-4e09-b90e-fb6d570845e8'] -3f701115-2c2b-45a6-a52f-f7da839dbec5,Maria,Rogers,xdiaz@example.org,['9ecde51b-8b49-40a3-ba42-e8c5787c279c'],[] -7ccb490f-f2c2-4a3b-ab2e-bf69324ac261,John,Wade,kennedykylie@example.net,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '63b288c1-4434-4120-867c-cee4dadd8c8a']",[] -a74e40f9-c5d6-443a-bbfb-bbe5dd27fb20,Andrew,Hawkins,qfisher@example.net,['6cb2d19f-f0a4-4ece-9190-76345d1abc54'],[] -eef30bb5-472b-45af-835b-e45f38215753,Jennifer,Charles,mmyers@example.net,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', '262ea245-93dc-4c61-aa41-868bc4cc5dcf', '7bee6f18-bd56-4920-a132-107c8af22bef']",['56e577b7-e42b-4381-9caa-905f9fcc08e5'] -e0e2f2fe-a08a-4a3d-8135-9c3b12c6aa25,Justin,Perkins,christopher50@example.net,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['832beeda-9378-4e28-8f27-25f275214e63'] -5e34cf9d-6b9e-4630-9c58-d4a5972cac80,Donald,Wilson,nicole40@example.org,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8']",['ca6d549d-ee2c-44fa-aea6-9756596982a1'] -3f3be2eb-552c-4646-93ea-bb1366f3abc6,Jennifer,Wright,icochran@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['2f4b05d8-d3ec-4afb-a854-d7818899afe4'] -41140f88-63ad-4636-ba8f-c56144f6109a,Charles,Bennett,fsmith@example.com,['3fe4cd72-43e3-40ea-8016-abb2b01503c7'],[] -2953daff-3c58-4baa-b140-ec0e8f9d2953,April,Thomas,ywalker@example.net,['c800d89e-031f-4180-b824-8fd307cf6d2b'],['60e842f0-2b00-4259-8690-865ea9639ab7'] -a11c8d98-4a71-45e8-ac96-bfa8a1bade79,James,Perez,phillipsmary@example.net,['577eb875-f886-400d-8b14-ec28a2cc5eae'],[] -ff72905f-773b-41ec-a587-46fbc9616a71,Patricia,Fischer,kruegerdoris@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -f000bdaf-706c-4697-9857-1c353e67595b,Kevin,Greene,phelpsallen@example.com,['57f29e6b-9082-4637-af4b-0d123ef4542d'],[] -87db822d-5e54-4af7-b9fc-72d406d4022f,Tamara,Harris,ramoslarry@example.org,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '18df1544-69a6-460c-802e-7d262e83111d']",[] -90445b39-e719-4c7f-ace1-d71a71f5bea9,Melinda,Flores,larry94@example.net,"['59845c40-7efc-4514-9ed6-c29d983fba31', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",[] -113ccbd9-893d-40e9-a056-75e7cd01db28,Lisa,Brown,james68@example.org,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",[] -9bd96bf7-88fa-4473-9860-3325e9ff885a,Barbara,Mckenzie,elizabeth68@example.org,"['c737a041-c713-43f6-8205-f409b349e2b6', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -6bec9301-8d62-4cf9-94fe-2e8f2d97ee73,Karen,Gill,anthony67@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', '9ecde51b-8b49-40a3-ba42-e8c5787c279c', '63b288c1-4434-4120-867c-cee4dadd8c8a']",['c220a934-4ad4-495a-bfeb-221372e9720a'] -d059a962-37a3-48fa-9af3-37880db525d0,Lydia,Henry,forderic@example.org,['3227c040-7d18-4803-b4b4-799667344a6d'],[] -1ff5d8ea-418d-44bc-8dec-f060a5f64081,Brad,Mcmahon,ismith@example.com,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -583ee4f5-29d4-40e7-98cb-cbf68461d773,Angel,Garrison,smithgabriel@example.org,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],[] -4386e677-e092-46eb-a79c-8ee258e91da5,Vanessa,Smith,camachodavid@example.org,['7774475d-ab11-4247-a631-9c7d29ba9745'],['1a185320-fa73-49e9-905e-acffa1821454'] -701f1599-fcbd-4753-b75f-498883c7900b,Pamela,Johnson,coryhorn@example.com,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '61a0a607-be7b-429d-b492-59523fad023e']",['c0edc149-153d-42e6-8520-aba4174b832d'] -d4b65285-68e4-4870-82ad-b733e034d9e5,Ronald,Ramirez,mary40@example.com,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'c81b6283-b1aa-40d6-a825-f01410912435']",['18dba8cf-ce28-40e3-995a-ee7b871d943b'] -05db8c85-ae12-46fa-aebe-ccf0ef9be26c,Mariah,Elliott,spencezachary@example.com,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['9ec7d2ef-2b5b-4192-911c-b293479d9a17'] -c1c44c11-77fc-409f-8b17-0ec448d44257,Gerald,Griffin,julie12@example.org,"['c81b6283-b1aa-40d6-a825-f01410912435', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -3e0791a4-cda5-4953-9848-8817ece91242,Kathryn,Doyle,jharris@example.com,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['d4ddc730-0f2c-48df-8619-b836dd3fff4b'] -4ad905c6-49ce-4b30-8cc7-463416f4f021,Dawn,Holmes,yorksean@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '26e72658-4503-47c4-ad74-628545e2402a', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['278e71b3-2e69-4ee2-a7a3-9f78fee839ea'] -202abedb-2821-4155-8980-ba9e2d9c7e8a,Gabriel,Jones,atkinslaura@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",['4a253d76-a16b-40bf-aefe-61f1140f69e8'] -e88ed74b-0ce6-4176-88ca-4fcdca0fdcc5,Kelly,Sanchez,phillipsjennifer@example.net,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['4df8603b-757c-4cb8-b476-72e4c2a343da'] -cba1ef47-5b4b-47ca-b3da-0c754b6cdb5b,Jeffrey,Thomas,johnfrancis@example.org,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -989e2b58-4cde-4727-8fac-674a97b84be6,Matthew,Bolton,angel02@example.net,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['9b2adc0a-add8-4de7-bd74-0c20ecbd74df'] -0eb26845-18f4-4bb2-85fb-9b2068f92395,Dennis,Le,gonzalezmichelle@example.net,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', '61a0a607-be7b-429d-b492-59523fad023e', '86f109ac-c967-4c17-af5c-97395270c489']",['23166e6c-bf72-4fc7-910e-db0904350dbb'] -e613fd38-6424-460c-afc1-3ed0ce088e05,Jerome,Martin,leahgarcia@example.org,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -ae7959cf-a90a-4ff7-a26b-398cbb2ca918,Jonathan,Johnson,ohardy@example.org,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -ca98dd39-aca5-45c1-92f2-b9c576e0159e,Caitlin,Moore,hortonrobert@example.net,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],['b50447d8-6d95-4cab-a7e5-228cd42efebd'] -3fce8fbb-d010-4a58-b088-c9c9207dcf17,Tina,Gomez,rparker@example.org,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -2bff7d75-141b-4c75-956b-695e92d6dae4,Jasmine,Rodriguez,benjaminmartinez@example.com,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],['ca6d549d-ee2c-44fa-aea6-9756596982a1'] -261154c4-a23b-466a-af85-d248aa898967,Gary,Crawford,wardmichael@example.com,['473d4c85-cc2c-4020-9381-c49a7236ad68'],[] -8f5ad32e-6eb8-4caa-99df-7197af941145,David,Castillo,misty13@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",['a3497e7c-ec38-428a-bdb8-2ef76ae83d44'] -18970d37-8b76-42a6-ba2a-6f25a52f5adf,Brent,Torres,alejandrojordan@example.org,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '63b288c1-4434-4120-867c-cee4dadd8c8a', '072a3483-b063-48fd-bc9c-5faa9b845425']",['57ba8002-3c69-43da-8c14-9bfa47eab4d2'] -e92dfb93-424f-416e-9405-9159a025529b,Sandra,Schmidt,eguerrero@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'ad391cbf-b874-4b1e-905b-2736f2b69332', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['79cfd643-4de5-46b2-8459-f1f6b8d87583'] -d27003ac-e8d3-4b7c-b637-c0af20f6443c,Daniel,Garcia,foxjames@example.com,['c81b6283-b1aa-40d6-a825-f01410912435'],[] -d2d1debe-f5f9-438c-b1f5-d1ce00a33bed,Susan,Stewart,holdenpaul@example.net,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],[] -50187d8d-65e9-4e73-913a-78118fa8c07b,Thomas,Johnson,gregggay@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', '57f29e6b-9082-4637-af4b-0d123ef4542d', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['278e71b3-2e69-4ee2-a7a3-9f78fee839ea'] -22d6c7a5-0128-48d7-8bfb-fa962bfced79,Michelle,Carr,jacobfuentes@example.net,"['7774475d-ab11-4247-a631-9c7d29ba9745', '1537733f-8218-4c45-9a0a-e00ff349a9d1']",[] -53d735f1-5116-418e-8a19-b61c797c3a81,Aaron,Brady,martineric@example.net,"['26e72658-4503-47c4-ad74-628545e2402a', '89531f13-baf0-43d6-b9f4-42a95482753a']",['bcd28f5c-8785-447e-903c-d829768bb4d7'] -0e1c6bee-a73a-457f-93b8-3c210cbdd1cf,Amber,Perez,abbottkyle@example.org,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['3545d9f1-cf47-4f11-b415-5ad73aef7a4a'] -7d89fd1c-d8ea-4f4c-988d-f966c5f8fccd,Jose,Edwards,okirk@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', '59845c40-7efc-4514-9ed6-c29d983fba31', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -d575ff50-16bb-43c2-9b4a-389f7a95defa,Diana,Martin,sjohnson@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['b107099e-c089-4591-a9a9-9af1a86cfde1'] -f2c5c3c3-542a-473a-ab71-4413e89b207f,Edward,Hudson,matthew87@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', '26e72658-4503-47c4-ad74-628545e2402a']",['d84f87ab-abaa-4f1a-86bf-8b9c1e828080'] -f066d430-6bb9-4b1e-bf10-9d3e0094b4de,Jessica,Austin,uparks@example.com,['3fe4cd72-43e3-40ea-8016-abb2b01503c7'],['83a7cb36-feee-4e71-9dea-afa5b17fbe7c'] -b89ed301-d83e-472f-9165-1d9e1694c870,Jessica,Jimenez,daughertyjoan@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '14026aa2-5f8c-45bf-9b92-0971d92127e6', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1']",[] -1191e020-8e90-41ee-b499-e1b542e7f4a9,Leah,Williams,russonicole@example.net,"['724825a5-7a0b-422d-946e-ce9512ad7add', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",['3c7dad3a-d69a-409f-91ff-6b6856a1b73d'] -74cc5700-641a-40c8-95df-92750df5d1cc,Melody,Owens,wvazquez@example.com,"['c737a041-c713-43f6-8205-f409b349e2b6', '052ec36c-e430-4698-9270-d925fe5bcaf4']",['05d42a68-33f9-4c51-be80-33fd14c50c8b'] -82e5cf3b-7f79-47bc-acaa-c7d70ddc6afe,Lisa,Massey,davidjones@example.com,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '7774475d-ab11-4247-a631-9c7d29ba9745', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['a5990335-b063-4f4a-896a-7959e2e559ed'] -35f7ffb8-e48f-4d31-aa09-7290844dd028,Faith,Stewart,fritzcarolyn@example.com,"['18df1544-69a6-460c-802e-7d262e83111d', '9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",['1a185320-fa73-49e9-905e-acffa1821454'] -8b6aca22-17f4-409e-a76e-febb07d3f0df,Amanda,White,monicadeleon@example.org,"['262ea245-93dc-4c61-aa41-868bc4cc5dcf', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",[] -a4065c0e-cff6-4aa6-b793-42a3a8bfe656,Miranda,Reynolds,pattersonjoseph@example.com,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],['b10f5432-4dd0-4a27-a4c9-e15a68753edf'] -8658bac3-61ab-46ad-b6cb-90f375c2d35d,Jeff,Bean,phillipslaura@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '2f95e3de-03de-4827-a4a7-aaed42817861']",[] -aca9f63a-6f1a-4bee-b7a3-721f0d560fe6,Cynthia,Stewart,gonzalezcandice@example.net,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', '86f109ac-c967-4c17-af5c-97395270c489', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -e2335028-1b10-4a7a-8cc7-49e75e0c0ca2,Virginia,Peterson,moodybrett@example.net,['6cb2d19f-f0a4-4ece-9190-76345d1abc54'],['5c2b13a8-60d9-4cef-b757-97a6b0b988e4'] -e9d6345e-2aa0-4201-8428-64d459b7b7ef,Jamie,Mullins,tbarron@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'e665afb5-904a-4e86-a6da-1d859cc81f90', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['2584743f-fb25-4926-b229-2468e4684fc7'] -9e45fef6-a66e-4239-8bec-a3482a4f2a2a,Bryan,Sherman,hoganpatricia@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '59e3afa0-cb40-4f8e-9052-88b9af20e074', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",['9ff1a8da-a565-4e98-a33e-9fe617c7ad79'] -674f21bb-612e-489f-bd7a-04047e89c2aa,Tanya,Stewart,ajackson@example.com,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],['fe897059-b023-400b-b94e-7cf3447456c7'] -1b8bb294-3c32-4f90-b6e5-bd08c5e24198,Kristi,Hancock,kathyramsey@example.net,['787758c9-4e9a-44f2-af68-c58165d0bc03'],['f0202075-a64b-47e6-bddb-ef41452ab80d'] -465888b5-85da-48c5-ae3d-ca6cd4345fad,Jennifer,King,robertanderson@example.com,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -c810eb00-ec6a-46d9-b1fd-533b28a2a31e,Chris,Higgins,ethangibson@example.net,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -1cd48d19-fc7d-4140-b001-9ff74c61b3c4,Robert,Ballard,jennifer01@example.com,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '61a0a607-be7b-429d-b492-59523fad023e', '89531f13-baf0-43d6-b9f4-42a95482753a']",['5ce4cb87-dc34-4ac7-afc8-7825cf6993b0'] -eeb45222-5c6a-4e85-b7c2-f553eaaaf5f8,Adam,Fernandez,stacy56@example.net,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['1b03a988-18e7-4ea5-9c89-34060083eaea'] -ad52d3db-928f-4e9b-983c-d109eb54ece7,Taylor,Delacruz,oliviaporter@example.org,['18df1544-69a6-460c-802e-7d262e83111d'],[] -45468383-4138-488a-8113-f5887d556180,Deborah,Rios,perezkim@example.net,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",[] -90317ea7-224e-4e72-9265-de9fe8d08990,Sara,Butler,foxlaurie@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '1537733f-8218-4c45-9a0a-e00ff349a9d1', '86f109ac-c967-4c17-af5c-97395270c489']",[] -82a2da28-f000-4177-8595-fa7cca3065a7,Aaron,Thompson,frederickreese@example.org,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",['0260e343-0aaf-47a5-9a99-ae53cb3c2747'] -de793a9a-c166-4814-b21a-dd95ba0adbe7,Robin,Guerrero,hschaefer@example.org,['4ca8e082-d358-46bf-af14-9eaab40f4fe9'],[] -f1e6bfe4-f3bc-4c9b-b61b-7642a61e2b49,Robert,Klein,nfisher@example.com,"['ad3e3f2e-ee06-4406-8874-ea1921c52328', 'cb00e672-232a-4137-a259-f3cf0382d466']",['57a66cd4-f355-4c30-849f-a6c84f7528ae'] -afe28da3-e658-49d6-a586-2598131e59b1,Jonathan,Flowers,powelljoseph@example.com,['9328e072-e82e-41ef-a132-ed54b649a5ca'],[] -e658dade-c630-4d23-a7dc-76c37d4266bd,Denise,Cox,cheryl21@example.net,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],['7df1ce76-3403-42ff-9a89-99d9650e53f4'] -4312941e-d402-4a83-9a32-7686d2df8450,Donald,Andrews,vward@example.org,['052ec36c-e430-4698-9270-d925fe5bcaf4'],[] -1bc6e8ba-9a7f-4139-b01c-c92c8313de53,Katelyn,Bell,howardshannon@example.org,"['86f109ac-c967-4c17-af5c-97395270c489', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -160c907e-1971-40d1-9b24-22442a3baecc,James,Hill,hoganchristopher@example.org,['c81b6283-b1aa-40d6-a825-f01410912435'],[] -49c162af-5610-4ba5-904f-5f43a62616d2,Kaitlyn,Horn,brittany63@example.net,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",['cbba3ff2-3599-457b-ab09-728f11ff636d'] -c3e347c3-8180-4b3e-bae7-cf2d3ad94863,Pamela,Aguilar,jeremy24@example.org,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],['a8231999-aba4-4c22-93fb-470237ef3a98'] -7f38dc26-2a4c-40de-897a-e88bd291c77c,Zachary,Holt,williamschristopher@example.net,"['6cb2d19f-f0a4-4ece-9190-76345d1abc54', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['f15012b6-ca9c-40af-9e72-f26f48e2e3d2'] -3c41fbc0-e98e-456c-bbdf-5a373b05a4eb,Daniel,Lee,ubennett@example.net,"['072a3483-b063-48fd-bc9c-5faa9b845425', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",['ee9360bb-fe33-4514-8dac-270ea7d42539'] -7c1c774b-cd68-4dce-ac30-f4905f5a7251,Jason,Duke,jamessmith@example.com,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', '86f109ac-c967-4c17-af5c-97395270c489']",[] -4dd0098b-ab88-4dda-aafd-308ad0456c38,Nicholas,Gross,james66@example.com,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['7ffab46c-8924-4c74-af34-159a02364b2f'] -1087c2c3-affd-4fce-a791-742bdcb01878,Andrew,Reynolds,jacksonalyssa@example.net,"['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['dd93b349-8a58-4ae5-8ffc-4be1d7d8e146'] -a12be331-f831-424f-96f1-09e422680f38,Whitney,Taylor,jackie35@example.net,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', 'cb00e672-232a-4137-a259-f3cf0382d466']",[] -27076c94-cc27-4b6f-bc1d-6c2fdd1f1458,Yvonne,Ortiz,terri35@example.com,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '564daa89-38f8-4c8a-8760-de1923f9a681', '59845c40-7efc-4514-9ed6-c29d983fba31']",['b5a5dfe5-4015-439f-954b-8af9b2be2a09'] -f9eaba43-d24d-49d8-a062-c2eca57c97d0,Maria,Holland,jamesjohnson@example.net,['2f95e3de-03de-4827-a4a7-aaed42817861'],[] -97c2ee97-14b1-44c2-9939-99108490bf8f,Catherine,Chaney,jeffery83@example.org,"['1537733f-8218-4c45-9a0a-e00ff349a9d1', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '00d1db69-8b43-4d34-bbf8-17d4f00a8b71']",[] -cb760ace-a606-4836-91d1-58bae4d14f01,Andrew,Martin,ericdavis@example.org,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],['d0f56140-45f2-4009-8b4e-aa50ea8c177a'] -941e35d9-74dc-4c1a-b8d1-e1b6d2b5efe3,Kevin,Atkinson,kmahoney@example.com,['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6'],['d7a360ca-83b2-442a-ae2a-3079163febff'] -7a112460-1b90-43e1-8ffb-6ce25e7562c8,Craig,Rice,uhenderson@example.com,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",[] -60818647-e7ec-41de-8c47-2d8c76f63b50,Donna,Davis,fhanson@example.com,['1537733f-8218-4c45-9a0a-e00ff349a9d1'],['b36619e5-9316-4c17-9779-b9c363443178'] -01d906bc-0aa1-4959-ba9b-f11450bf0f14,Heidi,Edwards,stephen58@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '59e3afa0-cb40-4f8e-9052-88b9af20e074', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -bea008d8-e16b-405b-8c72-34305ce239eb,Connie,Hughes,victoriasnyder@example.net,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],['fe897059-b023-400b-b94e-7cf3447456c7'] -6381d23b-429b-4343-b47b-43e188034de2,Kevin,Adams,craig01@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",['18faedc7-eba5-4224-85ac-124672b7f0c3'] -a54bc267-2c2e-471c-8257-8dd070bf16cb,Jeffrey,Levine,susanallen@example.org,['724825a5-7a0b-422d-946e-ce9512ad7add'],[] -85cc3d5f-a86e-4d1c-9de8-6c71cacec9e5,Karen,Davis,mariamorales@example.com,['ba2cf281-cffa-4de5-9db9-2109331e455d'],[] -b823530f-a332-4c0a-a5e5-287087f73392,Cynthia,Long,jrivers@example.com,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -fe033c11-fe49-4589-a812-a8ed95864060,Amy,Russell,floydmiguel@example.org,['26e72658-4503-47c4-ad74-628545e2402a'],[] -a6493420-feb3-419c-a575-d8a46706814f,Jeffrey,Thompson,megan05@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -079cd360-debe-4f7c-8175-6e21157faa40,Darlene,Wise,mikayla03@example.net,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -092e8987-9410-4d4c-8d49-ae8b2f432b55,Cheryl,Ward,brownphilip@example.net,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', '44b1d8d5-663c-485b-94d3-c72540441aa0']",['153e3594-3d15-42e5-a856-f4c406c6af79'] -31307cf7-2acc-4e6b-9791-fc995119f739,Wendy,Smith,burgesskrista@example.org,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '072a3483-b063-48fd-bc9c-5faa9b845425']",['5da5b69a-9c78-42c3-a5b5-97c12fe93f4b'] -7982e470-306e-4986-a63a-1b583788d3ad,Sarah,Clark,funderwood@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '787758c9-4e9a-44f2-af68-c58165d0bc03']",[] -30a7ded3-4df7-4da3-b53a-0d8514ce5c46,Beverly,Stanton,kevinjones@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '61a0a607-be7b-429d-b492-59523fad023e']",[] -1f6122c6-dc9e-465c-a3ca-53806b01b4bb,Jessica,Young,kayla77@example.com,['e5950f0d-0d24-4e2f-b96a-36ebedb604a9'],['153e3594-3d15-42e5-a856-f4c406c6af79'] -00d17e82-4b20-45f7-8cd3-ae39b0d9f067,David,Anderson,shawmark@example.net,"['741c6fa0-0254-4f85-9066-6d46fcc1026e', '7774475d-ab11-4247-a631-9c7d29ba9745', 'aeb5a55c-4554-4116-9de0-76910e66e154']",[] -74002db9-b909-4580-b352-f1478c09e6d1,Amanda,Snyder,jennifer39@example.org,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', '79a00b55-fa24-45d8-a43f-772694b7776d']",['4df8603b-757c-4cb8-b476-72e4c2a343da'] -f6b360ab-b511-42f2-8c8b-d459d8da3d08,Tony,Taylor,tonykoch@example.com,['e665afb5-904a-4e86-a6da-1d859cc81f90'],[] -8aea56cf-ee17-4685-b945-3a9637f0a578,Michael,Shepherd,rwoods@example.org,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -52a45f02-2ddf-44db-bb89-143bf4513ec5,Jessica,Austin,josephrogers@example.net,['1537733f-8218-4c45-9a0a-e00ff349a9d1'],[] -2fe0a01a-9935-420b-9169-efa34bfcb9f3,Angela,Larsen,marycasey@example.net,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],['d84d8a63-2f4c-4cda-84a2-1c5ef09de68c'] -34c33af0-995e-4cb7-87d3-cec4704a1729,Richard,Watson,wongcarol@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",['c3f4ca5a-ba09-41d3-9ed0-36027c2b3523'] -b7d9779c-929e-4658-a1a0-aa19927f7bd0,Gloria,Green,casejennifer@example.net,['57f29e6b-9082-4637-af4b-0d123ef4542d'],[] -1ba438d4-e8e8-4a7b-819a-917e6168b659,Nicole,Vargas,jenkinskenneth@example.com,"['ad391cbf-b874-4b1e-905b-2736f2b69332', 'cde0a59d-19ab-44c9-ba02-476b0762e4a8', 'c800d89e-031f-4180-b824-8fd307cf6d2b']",[] -ff11fc82-3582-42ed-bf36-cd0e55c97496,Peggy,Lee,fowlerpatricia@example.com,['26e72658-4503-47c4-ad74-628545e2402a'],[] -c2c639b8-14e4-4f75-8f44-6fc2611b6026,Kathryn,Chapman,patricia04@example.org,['069b6392-804b-4fcb-8654-d67afad1fd91'],[] -f13c4566-0a91-4a66-8ab3-a1a0a4d47241,Kenneth,Rollins,carrolllisa@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",[] -e519f57e-02f7-45ed-ab07-30c138017c4d,Carrie,Jackson,gardnershelly@example.com,['86f109ac-c967-4c17-af5c-97395270c489'],[] -2176dada-4fd8-49fc-b3e3-69dbf02f2f5e,Michael,Johnson,brian98@example.org,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",[] -69aef925-6a8a-41bb-b6d9-4eb4a0e1027f,Jay,Lopez,carlasimon@example.org,"['e665afb5-904a-4e86-a6da-1d859cc81f90', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -c95033f5-8d99-41a0-b7d6-a45326cceb27,Kelly,Campbell,youngstephanie@example.com,['787758c9-4e9a-44f2-af68-c58165d0bc03'],[] -bf2c75ce-6ca1-4750-a629-64c22fed3d73,Melissa,Haas,peter18@example.com,"['18df1544-69a6-460c-802e-7d262e83111d', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",[] -234f0289-52ee-4060-ad9f-22f60d0f1d47,Janice,Jones,mooremolly@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '16794171-c7a0-4a0e-9790-6ab3b2cd3380']",['ef756711-1e5b-43d7-bd85-751f5b5126e2'] -2a33f9fa-3777-4aa2-a4af-47550ead8e23,Jordan,Morrison,eric07@example.net,['59845c40-7efc-4514-9ed6-c29d983fba31'],[] -f877f156-00be-4d21-a6c7-323264502f40,Christopher,Price,jesusholmes@example.com,"['86f109ac-c967-4c17-af5c-97395270c489', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', '052ec36c-e430-4698-9270-d925fe5bcaf4']",[] -6469a871-441d-480e-b493-8f368d5fa7c0,Larry,Francis,sullivandustin@example.org,['44b1d8d5-663c-485b-94d3-c72540441aa0'],[] -ed72292a-41e9-48ef-be2d-731fcb85055f,Tara,Martinez,amber31@example.com,['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d'],['20807c32-7f81-4d4e-8e04-0e9a3a3b1eca'] -fcd76b72-2400-4a8e-a560-64053558a1c6,Xavier,Smith,nathanielmoore@example.com,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'ba2cf281-cffa-4de5-9db9-2109331e455d', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['d225d3bf-a3ff-46b0-a33c-85d1287c1495'] -dc1e2dc8-6e64-4822-aa38-bde44855564d,Jason,Johnson,lisasawyer@example.org,['262ea245-93dc-4c61-aa41-868bc4cc5dcf'],[] -2ad5eedf-1ff5-40a3-914f-93cf58800c69,Stephanie,Washington,brian79@example.org,"['072a3483-b063-48fd-bc9c-5faa9b845425', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'dcecbaa2-2803-4716-a729-45e1c80d6ab8']",[] -05410bd8-71c8-4551-ad84-47737331bd20,Michael,Kim,dmartinez@example.org,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', '069b6392-804b-4fcb-8654-d67afad1fd91', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -4285853d-e4f4-4f00-a8f3-fac4f870032f,Seth,James,jerome57@example.net,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['011a93a0-8166-4f24-9bb0-613fb7084acf'] -86e2ecac-a12b-46e7-b89e-ee2653f7ead8,Jennifer,Jackson,benjamin69@example.net,['577eb875-f886-400d-8b14-ec28a2cc5eae'],['4e0bba17-56d7-466b-8391-4000245ed73a'] -7844a834-455b-4228-be3f-4d903bdb3ce1,Rebecca,Palmer,elizabethhowe@example.com,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -0147a158-d8f2-4ef9-a2ca-3704562e341a,Julie,Adams,mmunoz@example.com,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",['8a6912ea-1ef2-4a99-b9b5-1cc6de5e6d3d'] -10e2116b-540e-4833-affe-5f7374aa30b8,Linda,Cox,morrisbilly@example.com,['26e72658-4503-47c4-ad74-628545e2402a'],[] -e37fedb6-b4ca-49e7-8d96-b3b9acb47232,Joseph,Serrano,ucisneros@example.net,['2f95e3de-03de-4827-a4a7-aaed42817861'],[] -58a49339-ebc5-4251-a38f-3305bd0b0377,Diane,Price,mcbriderobert@example.com,"['052ec36c-e430-4698-9270-d925fe5bcaf4', 'e5950f0d-0d24-4e2f-b96a-36ebedb604a9']",[] -cdfd6f68-17ed-48cf-8fc3-7328a29737aa,Jessica,Smith,alan05@example.net,['67214339-8a36-45b9-8b25-439d97b06703'],[] -1f62d401-2452-40fe-b1ae-02ca974943e2,Joshua,Barrett,ccarroll@example.com,['14026aa2-5f8c-45bf-9b92-0971d92127e6'],['9b2adc0a-add8-4de7-bd74-0c20ecbd74df'] -3d0d97d1-eedb-425e-a5a8-d3dd5f183ce5,David,Anderson,michellesmith@example.org,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],['ed28bf67-9fa8-4583-b4bd-a4beaefdd3cb'] -96597791-6929-46e5-8736-26d5a5805115,Sally,Franco,tara71@example.com,"['fe86f2c6-8576-4e77-b1df-a3df995eccf8', '44b1d8d5-663c-485b-94d3-c72540441aa0', 'cb00e672-232a-4137-a259-f3cf0382d466']",['78924e81-6889-4b7f-817e-38dcfd040ec7'] -7f6749c3-9618-4560-bcca-609fd2f71a4a,Edward,Vega,warrenchristine@example.net,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],[] -36bf5844-8114-412f-add3-43f9de129dc3,Maria,Griffin,lisavelazquez@example.org,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",['5a3593c9-b29b-4e06-b60f-fe67588ac4ef'] -0aab3ad5-b931-4d4a-92a5-c77efe1325a0,Daniel,Brown,josephrodriguez@example.com,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'ad391cbf-b874-4b1e-905b-2736f2b69332']",[] -dec83a35-e440-4521-b95d-37d3f8bcfcf6,Sarah,Farley,arianakent@example.net,"['3227c040-7d18-4803-b4b4-799667344a6d', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",['bc4fcf59-dcf6-42bf-ae74-c7a815569099'] -db5205a6-dd3b-4050-b6c4-7d83e78e60f5,Michael,Kennedy,sara79@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '6a1545de-63fd-4c04-bc27-58ba334e7a91', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['13506992-672a-4788-abd2-1461816063e4'] -ddcf795b-7d57-4840-9b0c-83576cc3462e,Mary,Reynolds,jdalton@example.org,['c800d89e-031f-4180-b824-8fd307cf6d2b'],['429e6376-361c-46fb-88f2-459de5eaec25'] -4777e1f4-4de5-43a6-b577-63831811e228,Daniel,Vasquez,alecmann@example.org,"['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157', '7bee6f18-bd56-4920-a132-107c8af22bef', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -533a4011-4b04-4db7-922c-2c2a65c0d75b,Christopher,Harris,timothy48@example.com,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', '27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -c520be73-345a-45ae-8d0c-4afd04fbd273,Vanessa,Boyd,annette73@example.com,"['724825a5-7a0b-422d-946e-ce9512ad7add', '2f95e3de-03de-4827-a4a7-aaed42817861', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",['3e509642-808b-4900-bbe9-528c62bd7555'] -644dce3f-5b59-420a-8abc-c65d4eef9a8c,Benjamin,Robinson,dawn72@example.com,"['9328e072-e82e-41ef-a132-ed54b649a5ca', '59e3afa0-cb40-4f8e-9052-88b9af20e074']",[] -14680984-c44c-4fff-9562-fd812dc4e28a,Michael,Archer,jessica97@example.com,"['c81b6283-b1aa-40d6-a825-f01410912435', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",['93f1f74c-134d-456d-8f49-968d930c3ad7'] -e40a75a8-e74d-490e-a70e-3f203b86e9a5,Claire,Levy,stephen62@example.org,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '577eb875-f886-400d-8b14-ec28a2cc5eae']",[] -2dbbe1af-5720-48bf-aac5-8ebb060a65b5,Jessica,Figueroa,shane22@example.com,['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d'],['3c7dad3a-d69a-409f-91ff-6b6856a1b73d'] -bd7a9cb9-1e06-4d8b-97e2-dde2ac12e608,Jessica,Underwood,oroberts@example.org,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '79a00b55-fa24-45d8-a43f-772694b7776d', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc']",[] -c3fcfeaf-4551-440e-916c-c7c41c395796,Jessica,Sparks,deborahjacobs@example.org,['741c6fa0-0254-4f85-9066-6d46fcc1026e'],[] -641a5bc4-7f92-4848-a1db-0efb24d8f08e,Connor,Solomon,michael70@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '473d4c85-cc2c-4020-9381-c49a7236ad68', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",['a5990335-b063-4f4a-896a-7959e2e559ed'] -195800c8-6149-4527-820c-04b68bda3024,Latasha,Lozano,smithrebecca@example.com,"['26e72658-4503-47c4-ad74-628545e2402a', '3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'f35d154a-0a53-476e-b0c2-49ae5d33b7eb']",[] -8e229e5a-b2a8-4743-b8b9-538796520b98,Adam,Bright,jessica99@example.org,['564daa89-38f8-4c8a-8760-de1923f9a681'],['779256ad-df3f-4159-ae6a-c3e0dd536502'] -c8e72fbb-154f-4189-a375-ce31ad448485,Jason,Mcmahon,derek57@example.org,['ad391cbf-b874-4b1e-905b-2736f2b69332'],['80099d97-0d21-46e1-8403-69c87f3bebd2'] -a99a6b6b-fdbe-4c01-a7eb-91710fa3816f,Jeffery,Kelly,stoutjoseph@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '61a0a607-be7b-429d-b492-59523fad023e']",['d7a360ca-83b2-442a-ae2a-3079163febff'] -d45c8319-f647-4a9d-b6ad-1fbd296e07b8,Derek,Lindsey,lindanewton@example.net,"['5162b93a-4f44-45fd-8d6b-f5714f4c7e91', '18df1544-69a6-460c-802e-7d262e83111d']",['18faedc7-eba5-4224-85ac-124672b7f0c3'] -b0f7f9b8-5979-40e4-8d23-2fc7940a26e4,Christopher,Jones,martinrenee@example.com,['2f95e3de-03de-4827-a4a7-aaed42817861'],[] -6d2d9d4c-6078-4f23-aa8e-a1bb7510cda3,Douglas,Foster,wilsonapril@example.net,['cb00e672-232a-4137-a259-f3cf0382d466'],['d36e4525-9cc4-41fd-9ca9-178f03398250'] -8c820b86-1122-4f9a-96d2-42478d2a06a8,Priscilla,Pennington,barbersabrina@example.org,"['e5950f0d-0d24-4e2f-b96a-36ebedb604a9', '577eb875-f886-400d-8b14-ec28a2cc5eae']",['e1eab1f1-0342-487c-ba7e-ff062a1d0f93'] -a25f0faf-9d3b-460d-96fb-7e085bf020f5,Maria,White,michael21@example.org,['aeb5a55c-4554-4116-9de0-76910e66e154'],[] -495c19a4-9f61-4884-bc78-7120f4c82657,Donna,Anderson,tammy74@example.org,"['4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['e0da3bfc-c3dc-4576-9d0a-88c90a3f39ec'] -243c52aa-6f94-4e90-a9e2-9b635d96e216,Todd,Freeman,mary12@example.com,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '44b1d8d5-663c-485b-94d3-c72540441aa0']",[] -ef21a204-3ab9-4c09-a46c-1f4a8de0e55c,Joseph,Johnson,chelseayates@example.net,['564daa89-38f8-4c8a-8760-de1923f9a681'],[] -d3804f80-80c2-4689-a879-2a444732b5fa,David,Anderson,ymorgan@example.com,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -01c16ab6-7874-4d7d-88f6-43529536b63b,Sharon,Rosario,maria64@example.net,"['ad391cbf-b874-4b1e-905b-2736f2b69332', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",['79dc1fdb-a80c-4571-ac0c-91804b40f886'] -01c71ee9-de12-4d14-8a49-2814363255d4,Lori,Graham,cynthia98@example.org,"['7bee6f18-bd56-4920-a132-107c8af22bef', '67214339-8a36-45b9-8b25-439d97b06703']",[] -61bb44dd-3741-47fa-9c40-014a72dc88fd,Eric,Ellison,gomezkristen@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -d9ef4e28-3137-420b-9bfb-8d40a7ae1799,Kristen,Parker,tracymendez@example.com,"['c800d89e-031f-4180-b824-8fd307cf6d2b', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -387a7bfb-544c-4a06-accb-610c39d1006b,Andrew,Parker,perezlisa@example.com,['564daa89-38f8-4c8a-8760-de1923f9a681'],[] -270ab524-c8da-4b49-a951-b383970113db,Caitlyn,King,adamlawrence@example.com,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -2a1a75dd-9d2b-4f13-892d-e82f38bdf0d6,Tanner,Smith,markmurphy@example.net,['fe86f2c6-8576-4e77-b1df-a3df995eccf8'],['1d8a9355-cc45-49c5-a3f4-35be92f8f263'] -77be89f1-02bd-4436-ad28-d8dfed2dd360,Katherine,Esparza,reedmichael@example.org,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",['604f8e2e-8859-4c5e-bb15-bee673282554'] -418f436b-ca0f-48cc-aed0-3da4e0c308b6,Jason,Jensen,kelseyfisher@example.net,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],['597ab710-aa67-41fe-abc7-183eb5215960'] -015d44a7-4ba8-400c-803f-a6361dbcd043,Michael,Stevenson,brandi82@example.org,['6cb2d19f-f0a4-4ece-9190-76345d1abc54'],[] -3bce46a4-d8b1-4ddf-9d7b-f96d616c36f2,Angela,Perry,jasonpowell@example.org,['dcecbaa2-2803-4716-a729-45e1c80d6ab8'],[] -1424d898-5eed-4ff3-bd54-9ec2e1fbb081,Pamela,Simmons,james33@example.com,"['787758c9-4e9a-44f2-af68-c58165d0bc03', '3227c040-7d18-4803-b4b4-799667344a6d']",['bdfda1af-97ad-4ce2-ba84-76824add8445'] -5f30c8f2-42e4-42f7-a30d-04ea716c7e92,Melissa,Bell,ruben91@example.com,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'bb8b42ad-6042-40cd-b08c-2dc3a5cfc737']",[] -6a99d992-bb6f-45dd-8515-80c50bb69c6e,Robert,Tate,bdavis@example.org,['f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c'],['5fadd584-8af3-49e7-b518-f8bc9543aa4b'] -969fdb84-f868-420f-8af0-486ef7871fb0,Rhonda,Garner,debra97@example.com,['e665afb5-904a-4e86-a6da-1d859cc81f90'],[] -42431492-7452-4904-9f50-436e4e464ea5,Julian,Coleman,qcastro@example.net,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799', '3227c040-7d18-4803-b4b4-799667344a6d']",['c4b728a4-8c84-4abb-acd1-d8952768fbf3'] -7151d380-c893-452e-b23a-5a9c34d5cf99,Michael,Simmons,shannonbrown@example.com,"['564daa89-38f8-4c8a-8760-de1923f9a681', 'e665afb5-904a-4e86-a6da-1d859cc81f90', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -a76e3e47-5eb5-4ec5-ac83-8f2207d3adc9,Scott,Cross,marshallkendra@example.org,['00d1db69-8b43-4d34-bbf8-17d4f00a8b71'],[] -1d65de53-f487-436b-866d-dd5fb3223633,Patricia,Taylor,unichols@example.com,"['67214339-8a36-45b9-8b25-439d97b06703', '839c425d-d9b0-4b60-8c68-80d14ae382f7', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -4e770f4b-edde-4a50-8351-622ce5e8770e,Kenneth,Woods,gwelch@example.org,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '57f29e6b-9082-4637-af4b-0d123ef4542d', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",['194f5fc9-99ed-4c7d-8c0e-d1e5bf00fca2'] -a0f6ec45-8a5f-4d20-9ac5-5b804127182a,David,Hall,ymoore@example.net,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', '89531f13-baf0-43d6-b9f4-42a95482753a']",[] -a42d55ac-3dbc-4c84-9b69-87b7c4bb980e,Charlene,Lopez,nicholashendricks@example.org,"['44b1d8d5-663c-485b-94d3-c72540441aa0', '86f109ac-c967-4c17-af5c-97395270c489']",['ad9a0664-8bf1-4916-b5d3-ca796916e0a5'] -0bbd22e6-9eb3-466a-a7dd-5e57fb2ac211,Reginald,Martin,craigharrell@example.org,"['7bee6f18-bd56-4920-a132-107c8af22bef', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -d88549ce-f198-4e19-bc7d-9cf62b154f7a,Robert,Jackson,amanda91@example.net,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",['7f67a44b-ea78-4a7e-93f5-4547ff11131a'] -d6d93756-85c2-4b08-98c2-67936633db11,Thomas,Murphy,mary77@example.com,"['839c425d-d9b0-4b60-8c68-80d14ae382f7', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['1511d62f-6ab4-4fcb-8e0e-21c1ff9f76f0'] -55e2dfe2-e62a-41e5-a2d1-a462ea92f0cd,Robin,Greene,staceybrown@example.net,"['069b6392-804b-4fcb-8654-d67afad1fd91', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -b86c468e-c132-4917-82e1-50cc67bf6a67,Karen,Ferguson,josephclark@example.org,['ad3e3f2e-ee06-4406-8874-ea1921c52328'],[] -206c8c83-f409-4114-a77f-251ba71f3bf2,Jessica,Wilson,ymcdonald@example.net,['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc'],[] -874272a8-e81b-4b7b-8ee2-1954a6f0f3e7,Devin,Simpson,pwatson@example.com,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '16794171-c7a0-4a0e-9790-6ab3b2cd3380', '61a0a607-be7b-429d-b492-59523fad023e']",['1367e775-79ba-40d6-98d8-dbcb40140055'] -cc8b0c6c-986d-48be-b345-83d14051a194,Daniel,Wang,johnsonvirginia@example.net,"['18df1544-69a6-460c-802e-7d262e83111d', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '57f29e6b-9082-4637-af4b-0d123ef4542d']",[] -46ac5667-8b14-4a6a-b347-f6d33db7e349,Isabel,Thomas,jeffreyyoung@example.com,['072a3483-b063-48fd-bc9c-5faa9b845425'],['279042a3-3681-41c1-bed1-68c8a111c458'] -796e1731-88c3-4d82-bf9f-5e866c76e87b,Erin,Gardner,donnarobertson@example.com,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],[] -f5da009c-99a6-4986-b848-16f4a1c83256,Michael,Garcia,samantha21@example.org,"['514f3569-5435-48bb-bc74-6b08d3d78ca9', '072a3483-b063-48fd-bc9c-5faa9b845425', 'f51beff4-e90c-4b73-9253-8699c46a94ff']",[] -24f3ede4-4fdf-4dba-8aae-9a7c9526cfd7,Mary,Maxwell,gnelson@example.org,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],[] -a6859562-e979-4665-842a-5834bb8d1464,Michelle,Robinson,emilyclark@example.com,['cde0a59d-19ab-44c9-ba02-476b0762e4a8'],['3545d9f1-cf47-4f11-b415-5ad73aef7a4a'] -051d7748-645e-4105-8091-303cdb413593,Kenneth,Blackwell,franciscosutton@example.com,"['e665afb5-904a-4e86-a6da-1d859cc81f90', '7dfc6f25-07a8-4618-954b-b9dd96cee86e', '18df1544-69a6-460c-802e-7d262e83111d']",[] -240733d2-dfe0-4ee3-8227-6af2454a397d,Veronica,Caldwell,ericrobbins@example.org,"['26e72658-4503-47c4-ad74-628545e2402a', 'aeb5a55c-4554-4116-9de0-76910e66e154', '63b288c1-4434-4120-867c-cee4dadd8c8a']",['f4650f32-069d-4dcf-a62b-7a932bf764f5'] -cf662999-aaf7-4bf7-8b73-c97edfcf750c,Donna,Watkins,dennis17@example.net,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",['c220a934-4ad4-495a-bfeb-221372e9720a'] -c4d47cb9-5369-4fae-83b8-e7a1fca2bc21,Lisa,Bailey,peterbrown@example.org,"['d000d0a3-a7ba-442d-92af-0d407340aa2f', '67214339-8a36-45b9-8b25-439d97b06703', 'b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157']",['d99e6edc-f0db-4c16-a36c-2f4fd0a28283'] -df504a07-e880-4f42-80da-427ca3ea93da,Michael,Church,johnsimpson@example.net,"['c81b6283-b1aa-40d6-a825-f01410912435', '839c425d-d9b0-4b60-8c68-80d14ae382f7']",['89a50680-7982-421d-961c-80fc04a84c4b'] -80ab8a01-3a1e-4b2c-b702-e27a503a6f72,Tanya,Valencia,michael90@example.net,['67214339-8a36-45b9-8b25-439d97b06703'],['ede4a3ad-bdf2-4782-91c6-faf8fae89a2f'] -5a2d658b-623f-42eb-8818-561c7ab75c70,Ryan,Valencia,lreed@example.net,"['14026aa2-5f8c-45bf-9b92-0971d92127e6', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -b328ac76-0199-460a-acf3-091bf87767f2,Brittany,Lee,dsanchez@example.net,['e665afb5-904a-4e86-a6da-1d859cc81f90'],[] -46ba0df0-76cd-4cbc-9f9f-a85b838ad38f,John,Roberts,elizabeth64@example.com,['aeb5a55c-4554-4116-9de0-76910e66e154'],['b63253fb-6099-4b92-9b87-399ee88f27e5'] -856f1d20-2f98-4727-bb69-f3394f42d82f,Sean,Gutierrez,watsonchristian@example.com,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",['dc830ca3-fe01-43bb-aa7e-d5bb75247b56'] -07723c57-5d68-4ef8-9dad-01a65a98c075,Dana,Martin,sean32@example.com,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -ff8ccb14-9dc3-49fe-9c1d-8986b944c757,Steven,Simmons,kennedymichael@example.org,"['ba2cf281-cffa-4de5-9db9-2109331e455d', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '787758c9-4e9a-44f2-af68-c58165d0bc03']",['790c095e-49b2-4d58-9e8c-559d77a6b931'] -76d23484-da3f-46d5-9fc1-461786892aec,Mark,Suarez,bryan74@example.com,"['cde0a59d-19ab-44c9-ba02-476b0762e4a8', '564daa89-38f8-4c8a-8760-de1923f9a681']",[] -43704037-c8b3-4e15-a334-16ba37286eba,Charles,Smith,vsmith@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', '7bee6f18-bd56-4920-a132-107c8af22bef', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",[] -315e7b76-1f71-44b3-9e9e-7c908efa81d8,Melissa,Jones,victoriahines@example.net,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'e665afb5-904a-4e86-a6da-1d859cc81f90', 'ba2cf281-cffa-4de5-9db9-2109331e455d']",['76e56a22-d4e7-46c5-8d75-7c2a73eac973'] -01131bfb-5e3a-404b-a8b2-150560f2cca4,Gregory,Mccarthy,davidbaker@example.net,"['e665afb5-904a-4e86-a6da-1d859cc81f90', 'c81b6283-b1aa-40d6-a825-f01410912435', '31da633a-a7f1-4ec4-a715-b04bb85e0b5f']",['f835cf7a-025e-40e8-b549-3be781938f19'] -27ed89e1-0c58-428a-b7a4-156ecfee828a,Debbie,Lopez,jenkinstaylor@example.net,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -c35d87bb-bc46-4720-af59-45ef3b7e2a9f,Rebecca,Ryan,smurray@example.net,"['564daa89-38f8-4c8a-8760-de1923f9a681', '9328e072-e82e-41ef-a132-ed54b649a5ca', 'cb00e672-232a-4137-a259-f3cf0382d466']",['9b2adc0a-add8-4de7-bd74-0c20ecbd74df'] -581fe873-e932-4098-9d32-4324b377797c,Patricia,Bender,carlos86@example.org,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '89531f13-baf0-43d6-b9f4-42a95482753a', '7bee6f18-bd56-4920-a132-107c8af22bef']",[] -e229dee4-6fe9-4f40-b945-e2a60a2b8f9a,Charles,Rodriguez,pconner@example.com,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '787758c9-4e9a-44f2-af68-c58165d0bc03', '069b6392-804b-4fcb-8654-d67afad1fd91']",[] -e1889bf9-8883-41ae-a764-0b0ca424d2c1,Michael,Henderson,adavis@example.com,"['c97d60e5-8c92-4d2e-b782-542ca7aa7799', '63b288c1-4434-4120-867c-cee4dadd8c8a']",['7747fcc1-0f07-4288-a19f-abc06417eb6b'] -fe836ed5-cc1d-413c-af57-3d6892dd7937,Roberto,Jones,cayers@example.net,"['9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '79a00b55-fa24-45d8-a43f-772694b7776d']",[] -10d329d8-5b8b-45e0-a903-d20ae9675faf,Victoria,Massey,zfernandez@example.org,['7dfc6f25-07a8-4618-954b-b9dd96cee86e'],['08b87dde-06a0-4a00-85fc-4b290750d185'] -4a9b5030-3b57-4cb1-9d09-4b60cfd99445,Scott,Morrison,lcampos@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', 'aeb5a55c-4554-4116-9de0-76910e66e154', 'c737a041-c713-43f6-8205-f409b349e2b6']",['7ffab46c-8924-4c74-af34-159a02364b2f'] -31109c22-e805-4907-86be-966a3b80e5b6,Brian,Simmons,jonathanflores@example.com,"['6a1545de-63fd-4c04-bc27-58ba334e7a91', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87']",[] -28fa80eb-3cec-4a1b-80af-e516c383cbbd,Kaylee,Hammond,devinandrade@example.org,['86f109ac-c967-4c17-af5c-97395270c489'],[] -a8884005-db29-4da0-bcc2-82876575d823,Patrick,Perez,jdavis@example.net,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '61a0a607-be7b-429d-b492-59523fad023e', '072a3483-b063-48fd-bc9c-5faa9b845425']",['a742f2e3-2094-4cbb-b0bd-cbe161f8103b'] -2352d839-de51-451f-bca0-bdfb4ef250d5,Austin,Smith,caitlin12@example.net,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -e59e51b7-29cd-4b55-aef3-a6821268011c,Nicholas,Mitchell,sharpmary@example.com,['c1f595b7-9043-4569-9ff6-97e0f31a5ba5'],[] -5dd460e0-c320-4fc4-8601-d33c3342aead,Jason,Wilson,lewisryan@example.org,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",['3e509642-808b-4900-bbe9-528c62bd7555'] -842284e1-de7b-4506-8b2f-58e195be1c95,Jason,Ramos,jessica16@example.org,"['052ec36c-e430-4698-9270-d925fe5bcaf4', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",[] -a4876df8-5d73-4f69-a98d-8e280589f7b7,Danielle,Scott,jameswilliams@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '9ecde51b-8b49-40a3-ba42-e8c5787c279c']",[] -9f06892a-5844-4d3b-86ba-534b377ca0a3,Jesse,Harper,hwalters@example.net,"['00d1db69-8b43-4d34-bbf8-17d4f00a8b71', 'ad391cbf-b874-4b1e-905b-2736f2b69332', '59845c40-7efc-4514-9ed6-c29d983fba31']",[] -9d51a20b-2c58-4704-9870-15c5a7dfcccf,Andrew,Carpenter,kramercharles@example.org,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -6cfd9010-a47e-4b5f-b833-5645f01135fd,Margaret,Clark,davidjones@example.org,['d1b16c10-c5b3-4157-bd9d-7f289f17df81'],[] -32e9661c-6770-43b3-a32e-32ddfd5d87fd,Christopher,Velasquez,jennifer64@example.com,['069b6392-804b-4fcb-8654-d67afad1fd91'],['fb060075-4c05-4c05-9c1b-fc1531f548a5'] -5d7de6e4-ed07-443e-b5dd-d313346727bc,Susan,Ward,patrickweaver@example.net,['587c7609-ba56-4d22-b1e6-c12576c428fd'],['24342cfe-2bf4-4072-85a1-baa31f4d0572'] -312f259f-e3c1-421e-9708-c44011604b20,Brittany,Thomas,cassandra51@example.org,['b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157'],['6f9118c5-41aa-47dc-8e6c-8da98577521c'] -e6163766-59f0-402e-b98e-a149864835c8,Kelly,Smith,wfry@example.net,"['cb00e672-232a-4137-a259-f3cf0382d466', '072a3483-b063-48fd-bc9c-5faa9b845425']",[] -f8325ed0-ecdf-46fb-9e58-c2b64035c735,Andrew,Bradley,watersmaria@example.com,['e665afb5-904a-4e86-a6da-1d859cc81f90'],[] -c6c207b2-f5a9-4cd4-95f3-4146b549e857,Christopher,Norris,jenniferhouse@example.com,['7bee6f18-bd56-4920-a132-107c8af22bef'],[] -d7398945-4f63-4dae-80ae-56c5a44e4ca9,Christian,Hodge,roger88@example.com,['069b6392-804b-4fcb-8654-d67afad1fd91'],[] -6e860149-0bdf-43b9-a312-411213c6ef7e,Bryan,Martinez,scott95@example.net,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', '587c7609-ba56-4d22-b1e6-c12576c428fd']",['81e7066a-e9e2-41cb-814c-fc579fe33401'] -f15a51ad-0260-44d2-8901-c4b6b14f6429,Patricia,Lowe,cody54@example.org,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '18df1544-69a6-460c-802e-7d262e83111d']",['0ea1991e-ce7a-4816-88be-3d301d3577f9'] -666eb85a-6a81-459e-b016-631b96b2acca,Andrew,Cardenas,andrea35@example.com,"['bb8b42ad-6042-40cd-b08c-2dc3a5cfc737', 'c97d60e5-8c92-4d2e-b782-542ca7aa7799']",[] -1d184270-fb3f-4439-8375-d906373b95f4,Howard,Hall,cartertracy@example.com,['7774475d-ab11-4247-a631-9c7d29ba9745'],['963b02b1-fa0d-450c-afe9-ccac1e53db59'] -8fca6ff6-f5d4-4f57-85bf-541ade2c7b36,Michael,Anderson,xwilson@example.org,['c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87'],['d458ca78-3784-4c95-863b-02141f054063'] -c66c10b7-779d-44fd-b7ff-bc2ff550d1a5,Edwin,Day,stephanieadams@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', 'a9f79e66-ff50-49eb-ae50-c442d23955fc', '3fe4cd72-43e3-40ea-8016-abb2b01503c7']",[] -a4264dae-d997-48da-91cd-d1401c59dbbf,Mackenzie,Taylor,ogarza@example.com,"['59845c40-7efc-4514-9ed6-c29d983fba31', '072a3483-b063-48fd-bc9c-5faa9b845425']",['80d1ffb6-f3ca-4ca1-b4f7-a373ea53573e'] -1ab13d83-6c2d-4103-a972-39d5f84e01c5,Lance,Wells,kristyrodriguez@example.org,"['27bf8c9c-7193-4f43-9533-32f1293d1bf0', 'c1f595b7-9043-4569-9ff6-97e0f31a5ba5']",[] -78d7da84-fb64-4bef-917e-94edab20be44,Amy,Boyd,paige05@example.org,"['4ca8e082-d358-46bf-af14-9eaab40f4fe9', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",[] -575b14f1-e17d-4f94-b6a9-0b83138a35d7,Danielle,Romero,bchase@example.com,"['cb00e672-232a-4137-a259-f3cf0382d466', '564daa89-38f8-4c8a-8760-de1923f9a681', 'cdd0eadc-19e2-4ca1-bba5-6846c9ac642b']",[] -57c718b4-0e67-42d3-a619-df06ccaa89cf,Taylor,Barnes,ian37@example.com,['3fe4cd72-43e3-40ea-8016-abb2b01503c7'],['bc500cec-4845-4282-897d-ffe1080962ff'] -7073e1d9-576c-45dc-bde3-c1436e151c80,Ashley,Alvarado,rubenrichards@example.net,"['31da633a-a7f1-4ec4-a715-b04bb85e0b5f', 'c81b6283-b1aa-40d6-a825-f01410912435', '14026aa2-5f8c-45bf-9b92-0971d92127e6']",[] -41af83fa-80e7-4912-994a-52d62bf8ad53,David,Floyd,vanessaparker@example.net,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],[] -12fb0e9f-6e98-4510-98df-3b72a7ef7ba5,Kimberly,Gomez,ronaldkelly@example.org,"['16794171-c7a0-4a0e-9790-6ab3b2cd3380', '2f95e3de-03de-4827-a4a7-aaed42817861', 'f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c']",['3e23d466-e305-42d8-9599-c6a931b7e827'] -e7c13ca1-f4bd-4cc2-af1a-2f0468855693,Brian,Carter,murphymichael@example.net,['1537733f-8218-4c45-9a0a-e00ff349a9d1'],[] -270b2555-3bc1-4721-90a5-0ce2c52bc1a8,Tanya,Pierce,perezzachary@example.net,"['7d809297-6d2f-4515-ab3c-1ce3eb47e7a6', 'f037f86a-6952-49a5-b6d3-6ce43b8e1d3d']",['0e8229f9-4ec0-4c6e-bd50-c7f385f092f8'] -480db6ce-9fbd-4e74-acc2-d6a403637fc5,Neil,Hendricks,brianbarajas@example.com,"['59e3afa0-cb40-4f8e-9052-88b9af20e074', '7dfc6f25-07a8-4618-954b-b9dd96cee86e']",['fe62c40c-2848-4765-8cdc-617cc17abd41'] -703ead76-6c18-46ea-b0ba-7072feea9c50,Katherine,Robinson,kingtanya@example.org,"['787758c9-4e9a-44f2-af68-c58165d0bc03', 'aeb5a55c-4554-4116-9de0-76910e66e154']",['aaafb4f5-408a-43cb-90c5-451db488af94'] -3a01405e-913c-4f61-8f72-6b33cddc15e0,Mckenzie,Cruz,woodalison@example.net,"['3227c040-7d18-4803-b4b4-799667344a6d', '4ca8e082-d358-46bf-af14-9eaab40f4fe9']",[] -bb5403c7-6bec-48ce-9434-1d58b3087d64,Leonard,Harmon,melaniethomas@example.net,"['59845c40-7efc-4514-9ed6-c29d983fba31', '6a1545de-63fd-4c04-bc27-58ba334e7a91']",[] -c4d6d1ab-18da-41db-8eb7-d743e7fb6340,Shelby,Chambers,stacy61@example.net,"['9ecde51b-8b49-40a3-ba42-e8c5787c279c', 'ba2cf281-cffa-4de5-9db9-2109331e455d', '473d4c85-cc2c-4020-9381-c49a7236ad68']",['e588d2c2-b68f-4d33-be95-0b72f0a682b2'] -10095fbb-a73c-472c-a43f-6598f6f948a6,Marcus,Bishop,alexisperez@example.com,"['3227c040-7d18-4803-b4b4-799667344a6d', 'c737a041-c713-43f6-8205-f409b349e2b6']",['c5d3fad5-6062-453d-a7b5-20d44d892745'] -86939f61-1769-4a52-b0fe-5d41db23c4fd,Robert,Garza,kevinpierce@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', '9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc', '67214339-8a36-45b9-8b25-439d97b06703']",[] -132d8dcc-e935-46be-9664-2e5a03a53470,Kevin,Hanson,tracy73@example.com,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', '5162b93a-4f44-45fd-8d6b-f5714f4c7e91']",[] -7a059ca6-2224-4ec0-bf73-0ff3eb09980d,James,Hall,sherry56@example.net,"['724825a5-7a0b-422d-946e-ce9512ad7add', '61a0a607-be7b-429d-b492-59523fad023e']",[] -09cc38ea-2049-4a5c-a909-51cea56e7b79,Sally,Palmer,amybarnett@example.org,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],[] -b544b377-adc9-46c9-91be-69697bc9cd88,Ariel,Hicks,vjennings@example.org,"['ba2cf281-cffa-4de5-9db9-2109331e455d', '67214339-8a36-45b9-8b25-439d97b06703']",[] -4e986bfc-aa3b-4bec-9f40-41c12edafe78,Christopher,Knight,delacruzgina@example.com,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', '57f29e6b-9082-4637-af4b-0d123ef4542d', '26e72658-4503-47c4-ad74-628545e2402a']",['c3764610-9b72-46b7-81fa-2f7d5876ac89'] -4a974ac7-f653-4e9f-b44a-bd47a0d6f86d,Jason,Rogers,russojordan@example.org,"['d1b16c10-c5b3-4157-bd9d-7f289f17df81', 'd000d0a3-a7ba-442d-92af-0d407340aa2f', '069b6392-804b-4fcb-8654-d67afad1fd91']",['387329b0-fc59-4ffd-97ba-258ed14d4185'] -9dc50fc2-e337-4a73-aa27-18b124eed2b8,Emma,Alvarado,johnwilson@example.org,"['7774475d-ab11-4247-a631-9c7d29ba9745', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['db07fa7b-d0f9-44b4-981b-358558b30f4c'] -333d643d-4beb-4f3a-b85e-864091020429,Tammy,Mckee,blankenshipkimberly@example.net,"['61a0a607-be7b-429d-b492-59523fad023e', '724825a5-7a0b-422d-946e-ce9512ad7add']",['22b5c95d-456e-4dea-a7d2-39cbdbaadda2'] -4548118e-ac99-4696-98fd-060839a694ef,Vanessa,Nelson,jfuller@example.org,['21d23c5c-28c0-4b66-8d17-2f5c76de48ed'],[] -209c5e49-b653-4463-b565-5fedc3c2f7a9,David,Smith,wardmichael@example.org,['31da633a-a7f1-4ec4-a715-b04bb85e0b5f'],[] -f8c7358f-09ad-4aca-bf9d-db33fc5e7b1b,Erik,Harris,xmassey@example.com,['587c7609-ba56-4d22-b1e6-c12576c428fd'],[] -09fd3061-e90b-4b0b-a21b-07c9ab664e41,Samuel,Robbins,stephanie39@example.net,"['7bee6f18-bd56-4920-a132-107c8af22bef', '14026aa2-5f8c-45bf-9b92-0971d92127e6', '514f3569-5435-48bb-bc74-6b08d3d78ca9']",['f15012b6-ca9c-40af-9e72-f26f48e2e3d2'] -c8e859a3-38e0-4b3c-b70f-473a285e3904,Scott,Monroe,shaun30@example.org,"['cdd0eadc-19e2-4ca1-bba5-6846c9ac642b', 'd000d0a3-a7ba-442d-92af-0d407340aa2f']",[] -6fdf794b-5ca1-41b4-993b-f4774145b009,Joshua,Hanson,turnerrandy@example.com,"['3fe4cd72-43e3-40ea-8016-abb2b01503c7', 'c737a041-c713-43f6-8205-f409b349e2b6']",[] -ee9b3f96-a7e4-4276-9cda-e840997b57a2,Douglas,Thompson,vnash@example.net,"['577eb875-f886-400d-8b14-ec28a2cc5eae', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['ad9a0664-8bf1-4916-b5d3-ca796916e0a5'] -33998a41-206b-415c-a332-bde00f70beb9,Shannon,Nelson,barnettmelissa@example.org,"['57f29e6b-9082-4637-af4b-0d123ef4542d', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8', 'cb00e672-232a-4137-a259-f3cf0382d466']",['d08f2811-4f8c-4db3-af53-defe5fe3b9cf'] -a2ad5611-198f-4add-98ba-9e63397b4aa6,Melissa,Roberts,mccormicklisa@example.net,"['f037f86a-6952-49a5-b6d3-6ce43b8e1d3d', '6cb2d19f-f0a4-4ece-9190-76345d1abc54']",['56657395-bdb0-4536-9a50-eb97ee18fe5c'] -bd7e99c9-0a2c-408e-bcdd-8c7e04fb46aa,John,Johnson,sanderson@example.net,"['21d23c5c-28c0-4b66-8d17-2f5c76de48ed', '4bf9f546-d80c-4cb4-8692-73d8ac68d1f1', '473d4c85-cc2c-4020-9381-c49a7236ad68']",[] -a7edea99-68ad-4564-8160-3828ec327ee8,Michele,Kramer,montgomeryanna@example.org,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],[] -9528f26e-5586-4b3a-9342-1504096ccc31,Gabriel,Hancock,matthew43@example.org,"['63b288c1-4434-4120-867c-cee4dadd8c8a', 'c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87', 'e665afb5-904a-4e86-a6da-1d859cc81f90']",['b107099e-c089-4591-a9a9-9af1a86cfde1'] -4451e65f-3ca5-402f-a5c2-b5de7cbce090,Karen,Parker,brandonrobinson@example.org,['f51beff4-e90c-4b73-9253-8699c46a94ff'],[] -ddfe3796-df4b-4907-a3e7-9a7f3b4cef95,Ricky,Stephens,pamela57@example.com,"['c1f595b7-9043-4569-9ff6-97e0f31a5ba5', '6a1545de-63fd-4c04-bc27-58ba334e7a91', '724825a5-7a0b-422d-946e-ce9512ad7add']",[] -07518c9b-0de2-4444-914e-fbe9ac794546,Stephen,Anderson,william01@example.net,"['ad391cbf-b874-4b1e-905b-2736f2b69332', '069b6392-804b-4fcb-8654-d67afad1fd91', 'fe86f2c6-8576-4e77-b1df-a3df995eccf8']",[] -6c6a59a9-da26-4f56-9e3b-ac591ffae733,Stephen,Rich,stevengomez@example.org,['5162b93a-4f44-45fd-8d6b-f5714f4c7e91'],['3dda0bcb-6039-4f6e-91a7-5f010e930e8f'] -a856f0c8-83ce-4026-8b20-b43b45c744e0,Tracey,Davis,smithdavid@example.org,"['f35d154a-0a53-476e-b0c2-49ae5d33b7eb', '21d23c5c-28c0-4b66-8d17-2f5c76de48ed']",[] -7df9380c-a626-4d41-862c-7c6534be6800,Carlos,Perkins,brentbush@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '741c6fa0-0254-4f85-9066-6d46fcc1026e', '27bf8c9c-7193-4f43-9533-32f1293d1bf0']",[] -aa45056d-8ca5-48ab-8d53-a2264cb4cada,Daniel,Mathews,michael19@example.net,"['dcecbaa2-2803-4716-a729-45e1c80d6ab8', '262ea245-93dc-4c61-aa41-868bc4cc5dcf']",[] -d7102ef9-95ef-4104-89f9-5615702e409f,Sarah,Carr,coleaustin@example.org,['27bf8c9c-7193-4f43-9533-32f1293d1bf0'],[] -6f4e0ce8-82b9-4a80-a6b5-98b191729409,Patricia,Black,danielscraig@example.org,"['a9f79e66-ff50-49eb-ae50-c442d23955fc', 'd1b16c10-c5b3-4157-bd9d-7f289f17df81']",[] -8c8639ce-1bfe-4cc4-83e9-6d92e7ec75c2,Linda,Powers,haley60@example.com,"['57f29e6b-9082-4637-af4b-0d123ef4542d', '59845c40-7efc-4514-9ed6-c29d983fba31', 'ad3e3f2e-ee06-4406-8874-ea1921c52328']",[] -0736033f-1df6-43aa-8e8d-6d3a7501e696,Patricia,Berger,jacksonedwin@example.com,['ba2cf281-cffa-4de5-9db9-2109331e455d'],[] -ce4973d7-fefa-4fdd-a40c-0acfa7168e54,William,Kelly,alexandra45@example.com,['839c425d-d9b0-4b60-8c68-80d14ae382f7'],[] -a09cd84b-b01c-404c-8da0-0c95811e5aec,Emily,Conley,harrisaustin@example.com,['787758c9-4e9a-44f2-af68-c58165d0bc03'],['d36e4525-9cc4-41fd-9ca9-178f03398250'] -0a9a00d2-05e5-493a-b31d-7813b35899d4,Tony,King,smithlauren@example.com,['514f3569-5435-48bb-bc74-6b08d3d78ca9'],['52d1de92-c675-4381-b931-2de6bb638966'] diff --git a/data/niners_output/load_embeddings.cypher b/data/niners_output/load_embeddings.cypher deleted file mode 100644 index 14ae8007cd6a70b005ecd01fbe86c789601ca0dc..0000000000000000000000000000000000000000 --- a/data/niners_output/load_embeddings.cypher +++ /dev/null @@ -1,13 +0,0 @@ -// Load game summary embeddings into Neo4j -// This script adds embeddings as vector properties to Game nodes - -LOAD CSV WITH HEADERS -FROM 'file:///game_summary_embeddings.csv' -AS row -MATCH (g:Game {game_id: row.game_id}) -WITH g, row, - [x in keys(row) WHERE x STARTS WITH 'dim_'] AS embedding_keys -WITH g, row, - [x in embedding_keys | toFloat(row[x])] AS embedding_vector -CALL db.create.setNodeVectorProperty(g, 'summaryEmbedding', embedding_vector) -RETURN count(*) as UpdatedGames \ No newline at end of file diff --git a/data/niners_output/roster.csv b/data/niners_output/roster.csv deleted file mode 100644 index ce2cb85bc3690c058c6eeb110df407c7b30f3258..0000000000000000000000000000000000000000 --- a/data/niners_output/roster.csv +++ /dev/null @@ -1,74 +0,0 @@ -Player,Number,Pos,HT,WT,Age,Exp,College,status,player_id -Israel Abanikanda,20,RB,5-10,216,22,2,Pittsburgh,Active,c1f595b7-9043-4569-9ff6-97e0f31a5ba5 -Brandon Allen,17,QB,6-2,209,32,8,Arkansas,Active,86f109ac-c967-4c17-af5c-97395270c489 -Evan Anderson,69,DL,6-3,326,23,R,Florida Atlantic,Active,7774475d-ab11-4247-a631-9c7d29ba9745 -Tre Avery,36,CB,5-11,181,28,3,Rutgers,Active,59e3afa0-cb40-4f8e-9052-88b9af20e074 -Robert Beal Jr.,51,DL,6-4,250,25,2,Georgia,Active,dcecbaa2-2803-4716-a729-45e1c80d6ab8 -Tatum Bethune,48,LB,6-0,299,24,R,Florida State,Active,f51beff4-e90c-4b73-9253-8699c46a94ff -Nick Bosa,97,DL,6-4,266,27,6,Ohio State,Active,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc -Jake Brendel,64,OL,6-4,299,32,7,UCLA,Active,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157 -Ji'Ayir Brown,27,S,5-11,202,25,2,Penn State,Active,e5950f0d-0d24-4e2f-b96a-36ebedb604a9 -Chris Conley,18,WR,6-3,205,32,10,Georgia,Active,f35d154a-0a53-476e-b0c2-49ae5d33b7eb -Jacob Cowing,19,WR,5-9,171,24,R,Arizona,Active,564daa89-38f8-4c8a-8760-de1923f9a681 -Kalia Davis,93,DL,6-2,310,26,3,Central Florida,Active,9ecde51b-8b49-40a3-ba42-e8c5787c279c -Khalil Davis,50,DL,6-2,315,28,4,Nebraska,Active,5162b93a-4f44-45fd-8d6b-f5714f4c7e91 -Joshua Dobbs,5,QB,6-3,220,30,8,Tennessee,Active,44b1d8d5-663c-485b-94d3-c72540441aa0 -Jordan Elliott,92,DL,6-4,303,27,5,Missouri,Active,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d -Luke Farrell,89,TE,6-5,250,27,4,Ohio State,Active,ba2cf281-cffa-4de5-9db9-2109331e455d -Tashaun Gipson Sr.,43,S,6-1,212,34,13,Wyoming,Active,14026aa2-5f8c-45bf-9b92-0971d92127e6 -Jalen Graham,41,LB,6-3,220,25,2,Purdue,Active,00d1db69-8b43-4d34-bbf8-17d4f00a8b71 -Richie Grant,27,S,6-0,200,27,4,UCF,Active,c737a041-c713-43f6-8205-f409b349e2b6 -Renardo Green,0,CB,6-0,186,24,R,Florida State,Active,21d23c5c-28c0-4b66-8d17-2f5c76de48ed -Yetur Gross-Matos,94,DL,6-5,265,27,5,Penn State,Active,cde0a59d-19ab-44c9-ba02-476b0762e4a8 -Isaac Guerendo,31,RB,6-0,221,24,R,Louisville,Active,4ca8e082-d358-46bf-af14-9eaab40f4fe9 -Charlie Heck,75,OL,6-8,311,28,5,North Carolina,Active,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6 -Matt Hennessy,61,OL,6-3,315,27,4,Temple,Active,2f95e3de-03de-4827-a4a7-aaed42817861 -Jauan Jennings,15,WR,6-3,212,27,4,Tennessee,Active,16794171-c7a0-4a0e-9790-6ab3b2cd3380 -Mac Jones,10,QB,6-3,200,26,4,Alabama,Active,18df1544-69a6-460c-802e-7d262e83111d -George Kittle,85,TE,6-4,250,31,8,Iowa,Active,3fe4cd72-43e3-40ea-8016-abb2b01503c7 -Deommodore Lenoir,2,DB,5-10,200,25,4,Oregon,Active,79a00b55-fa24-45d8-a43f-772694b7776d -Nick McCloud,35,CB,6-1,193,26,4,Notre Dame,Active,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87 -Colton McKivitz,68,OL,6-6,301,28,5,West Virginia,Active,63b288c1-4434-4120-867c-cee4dadd8c8a -Jake Moody,4,K,6-1,210,25,2,Michigan,Active,9328e072-e82e-41ef-a132-ed54b649a5ca -Malik Mustapha,6,S,5-10,206,22,R,Wake Forest,Active,6cb2d19f-f0a4-4ece-9190-76345d1abc54 -Pat O'Donnell,40,P,6-4,220,34,10,Miami,Active,61a0a607-be7b-429d-b492-59523fad023e -Sam Okuayinonu,91,DL,6-1,269,26,2,Maryland,Active,c81b6283-b1aa-40d6-a825-f01410912435 -Ricky Pearsall,14,WR,6-3,192,24,R,Florida,Active,27bf8c9c-7193-4f43-9533-32f1293d1bf0 -Jason Pinnock,41,CB,6-0,205,25,4,Pittsburgh,Active,57f29e6b-9082-4637-af4b-0d123ef4542d -Austen Pleasants,62,OT,6-7,328,27,1,Ohio,Active,d000d0a3-a7ba-442d-92af-0d407340aa2f -Dominick Puni,77,OL,6-5,313,25,R,Kansas,Active,aeb5a55c-4554-4116-9de0-76910e66e154 -Brock Purdy,13,QB,6-1,220,25,3,Iowa State,Active,787758c9-4e9a-44f2-af68-c58165d0bc03 -Demarcus Robinson,14,WR,6-1,203,30,9,Florida,Active,c97d60e5-8c92-4d2e-b782-542ca7aa7799 -Eric Saubert,82,TE,6-5,248,30,7,Drake,Active,67214339-8a36-45b9-8b25-439d97b06703 -Patrick Taylor Jr.,32,RB,6-2,217,26,4,Memphis,Active,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1 -Tre Tomlinson,,CB,5-9,177,25,2,TCU,Active,ad3e3f2e-ee06-4406-8874-ea1921c52328 -Jake Tonges,88,TE,6-4,240,25,2,California,Active,ad391cbf-b874-4b1e-905b-2736f2b69332 -Fred Warner,54,LB,6-3,230,28,7,Brigham Young,Active,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b -Jon Weeks,46,LS,5-10,245,39,15,Baylor,Active,587c7609-ba56-4d22-b1e6-c12576c428fd -Brayden Willis,9,TE,6-4,240,25,2,Oklahoma,Active,d1b16c10-c5b3-4157-bd9d-7f289f17df81 -Dee Winters,53,LB,5-11,227,24,2,TCU,Active,514f3569-5435-48bb-bc74-6b08d3d78ca9 -Rock Ya-Sin,33,CB,5-11,195,28,6,Temple,Active,cb00e672-232a-4137-a259-f3cf0382d466 -Isaac Yiadom,22,CB,6-1,232,29,7,Boston College,Active,3227c040-7d18-4803-b4b4-799667344a6d -Nick Zakelj,63,OL,6-6,316,25,3,Fordham,Active,59845c40-7efc-4514-9ed6-c29d983fba31 -Player,#,Pos,HT,WT,Age,Exp,College,Reserve/Future,724825a5-7a0b-422d-946e-ce9512ad7add -Isaac Alarcon,67,OL,6-7,320,26,1,Tecnológico de Monterrey,Reserve/Future,262ea245-93dc-4c61-aa41-868bc4cc5dcf -Russell Gage,84,WR,6-0,184,29,7,LSU,Reserve/Future,1537733f-8218-4c45-9a0a-e00ff349a9d1 -Isaiah Hodgins,87,WR,6-3,200,26,4,Oregon State,Reserve/Future,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c -Quindell Johnson,,S,6-2,208,25,2,Memphis,Reserve/Future,7bee6f18-bd56-4920-a132-107c8af22bef -Jalen McKenzie,76,OT,6-5,315,25,1,USC,Reserve/Future,473d4c85-cc2c-4020-9381-c49a7236ad68 -Brandon Aiyuk,11,WR,6-0,200,27,5,Arizona State,Reserve/Injured,577eb875-f886-400d-8b14-ec28a2cc5eae -Aaron Banks,65,OL,6-5,325,27,4,Notre Dame,Reserve/Injured,e665afb5-904a-4e86-a6da-1d859cc81f90 -Ben Bartch,78,OL,6-6,315,26,5,St. John's (MN),Reserve/Injured,6a1545de-63fd-4c04-bc27-58ba334e7a91 -Tre Brown,22,CB,5-10,185,27,4,Oklahoma,Reserve/Injured,839c425d-d9b0-4b60-8c68-80d14ae382f7 -Spencer Burford,74,OL,6-4,300,24,3,Texas-San Antonio,Reserve/Injured,31da633a-a7f1-4ec4-a715-b04bb85e0b5f -Luke Gifford,57,LB,6-3,243,29,6,Nebraska,Reserve/Injured,069b6392-804b-4fcb-8654-d67afad1fd91 -Kevin Givens,90,DL,6-1,285,28,5,Penn State,Reserve/Injured,a9f79e66-ff50-49eb-ae50-c442d23955fc -Darrell Luter Jr.,28,CB,6-0,190,24,2,South Alabama,Reserve/Injured,741c6fa0-0254-4f85-9066-6d46fcc1026e -Jordan Mason,24,RB,5-11,223,25,3,Georgia Tech,Reserve/Injured,89531f13-baf0-43d6-b9f4-42a95482753a -Christian McCaffrey,23,RB,5-11,210,28,8,Stanford,Reserve/Injured,052ec36c-e430-4698-9270-d925fe5bcaf4 -Elijah Mitchell,25,RB,5-10,200,26,4,Louisiana,Reserve/Injured,7dfc6f25-07a8-4618-954b-b9dd96cee86e -Jaylon Moore,76,OL,6-4,311,27,4,Western Michigan,Reserve/Injured,c800d89e-031f-4180-b824-8fd307cf6d2b -George Odum,30,S,6-1,202,31,7,Central Arkansas,Reserve/Injured,26e72658-4503-47c4-ad74-628545e2402a -Curtis Robinson,36,LB,6-3,235,26,3,Stanford,Reserve/Injured,072a3483-b063-48fd-bc9c-5faa9b845425 -Trent Williams,71,T,6-5,320,36,15,Oklahoma,Reserve/Injured,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737 -Mitch Wishnowsky,3,P,6-2,220,33,6,Utah,Reserve/Injured,fe86f2c6-8576-4e77-b1df-a3df995eccf8 diff --git a/data/niners_output/schedule.csv b/data/niners_output/schedule.csv deleted file mode 100644 index 4aa8b54a9fd00aa6b0690187ce238b0edcd67ee2..0000000000000000000000000000000000000000 --- a/data/niners_output/schedule.csv +++ /dev/null @@ -1,18 +0,0 @@ -Match Number,Round Number,Date,Location,HomeTeam,AwayTeam,Result,game_result,game_id -1,1,10/09/2024 00:15,Levi's Stadium,San Francisco 49ers,New York Jets,32 - 19,Win,7d5492b7-6372-4ab6-b878-a6ad10936f3b -28,2,15/09/2024 17:00,U.S. Bank Stadium,Minnesota Vikings,San Francisco 49ers,23 - 17,Loss,9c37ef4a-8887-4e16-a0e9-53dd21d0ed1c -38,3,22/09/2024 20:25,SoFi Stadium,Los Angeles Rams,San Francisco 49ers,27 - 24,Loss,b8c3e7f7-81ed-48c4-9a49-0897cac450e5 -55,4,29/09/2024 20:05,Levi's Stadium,San Francisco 49ers,New England Patriots,30 - 13,Win,b4b49323-c84d-4414-bbd4-de399145db28 -70,5,06/10/2024 20:05,Levi's Stadium,San Francisco 49ers,Arizona Cardinals,23 - 24,Loss,efe67377-f218-4629-94d6-b0a28dae81b4 -92,6,11/10/2024 00:15,Lumen Field,Seattle Seahawks,San Francisco 49ers,24 - 36,Win,be924e35-6c00-470a-a82e-f77e89f2fca9 -96,7,20/10/2024 20:25,Levi's Stadium,San Francisco 49ers,Kansas City Chiefs,18 - 28,Loss,c0efcedb-e8a0-4058-8ae8-df418a829c22 -109,8,28/10/2024 00:20,Levi's Stadium,San Francisco 49ers,Dallas Cowboys,30 - 24,Win,9d3c8085-3864-4c86-9a47-6d91f9561e68 -149,10,10/11/2024 18:00,Raymond James Stadium,Tampa Bay Buccaneers,San Francisco 49ers,20 - 23,Win,8c117905-4d53-4bfb-a85e-d4d0a52262a8 -158,11,17/11/2024 21:05,Levi's Stadium,San Francisco 49ers,Seattle Seahawks,17 - 20,Loss,6ee0f83e-d738-43c7-95e2-472bdaa9c2e8 -169,12,24/11/2024 21:25,Lambeau Field,Green Bay Packers,San Francisco 49ers,38 - 10,Loss,89aeb6ec-c102-442f-a2b2-862a58f08c72 -181,13,02/12/2024 01:20,Highmark Stadium,Buffalo Bills,San Francisco 49ers,35 - 10,Loss,051a9bbd-41b1-4946-b366-2202b9b84646 -199,14,08/12/2024 21:25,Levi's Stadium,San Francisco 49ers,Chicago Bears,38 - 13,Win,2bfc3060-5975-4c60-8cf2-cd359c318bcb -224,15,13/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Los Angeles Rams,6 - 12,Loss,07182afe-36bf-44e4-a464-52a56e9e325d -228,16,22/12/2024 21:25,Hard Rock Stadium,Miami Dolphins,San Francisco 49ers,29 - 17,Loss,0be9a14c-0017-46b8-96e8-7c446e78ea84 -246,17,31/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Detroit Lions,34 - 40,Loss,a6af1ef1-eece-43c2-b98f-c20494003cfe -257,18,05/01/2025 21:25,State Farm Stadium,Arizona Cardinals,San Francisco 49ers,47 - 24,Loss,2c95b37b-b32d-4b30-a582-f04b8cbf12e4 diff --git a/data/niners_output/schedule_with_result.csv b/data/niners_output/schedule_with_result.csv deleted file mode 100644 index 9e4ffa20f68424a96701213a70ecf97ee0a5a544..0000000000000000000000000000000000000000 --- a/data/niners_output/schedule_with_result.csv +++ /dev/null @@ -1,18 +0,0 @@ -Match Number,Round Number,Date,Location,HomeTeam,AwayTeam,Result,game_result,game_id,Summary -1,1,10/9/24 0:15,Levi's Stadium,San Francisco 49ers,New York Jets,32 - 19,Win,7d5492b7-6372-4ab6-b878-a6ad10936f3b,"Quarterback Brock Purdy threw for 231 yards, with running back Jordan Mason rushing for 147 yards." -28,2,15/09/2024 17:00,U.S. Bank Stadium,Minnesota Vikings,San Francisco 49ers,23 - 17,Loss,9c37ef4a-8887-4e16-a0e9-53dd21d0ed1c,"Purdy passed for 319 yards; Mason added 100 rushing yards, but the 49ers fell short." -38,3,22/09/2024 20:25,SoFi Stadium,Los Angeles Rams,San Francisco 49ers,27 - 24,Loss,b8c3e7f7-81ed-48c4-9a49-0897cac450e5,Purdy threw for 292 yards; Jauan Jennings had 175 receiving yards in a close loss. -55,4,29/09/2024 20:05,Levi's Stadium,San Francisco 49ers,New England Patriots,30 - 13,Win,b4b49323-c84d-4414-bbd4-de399145db28,Brock Purdy threw for 288 yards and a touchdown; Fred Warner returned an interception for a touchdown. -70,5,6/10/24 20:05,Levi's Stadium,San Francisco 49ers,Arizona Cardinals,23 - 24,Loss,efe67377-f218-4629-94d6-b0a28dae81b4,"Kyler Murray led a comeback, including a 50-yard touchdown run; Chad Ryland kicked the game-winning field goal." -92,6,11/10/24 0:15,Lumen Field,Seattle Seahawks,San Francisco 49ers,24 - 36,Win,be924e35-6c00-470a-a82e-f77e89f2fca9,Geno Smith's late 13-yard touchdown run secured the Seahawks' victory. -96,7,20/10/2024 20:25,Levi's Stadium,San Francisco 49ers,Kansas City Chiefs,18 - 28,Loss,c0efcedb-e8a0-4058-8ae8-df418a829c22,Specific game details are not available. -109,8,28/10/2024 00:20,Levi's Stadium,San Francisco 49ers,Dallas Cowboys,30 - 24,Win,9d3c8085-3864-4c86-9a47-6d91f9561e68,Specific game details are not available. -149,10,10/11/24 18:00,Raymond James Stadium,Tampa Bay Buccaneers,San Francisco 49ers,20 - 23,Win,8c117905-4d53-4bfb-a85e-d4d0a52262a8,"The 49ers narrowly avoided a collapse, with Jake Moody's game-winning field goal." -158,11,17/11/2024 21:05,Levi's Stadium,San Francisco 49ers,Seattle Seahawks,17 - 20,Loss,6ee0f83e-d738-43c7-95e2-472bdaa9c2e8,Geno Smith's last-minute touchdown run ended the Seahawks' losing streak against the 49ers. -169,12,24/11/2024 21:25,Lambeau Field,Green Bay Packers,San Francisco 49ers,38 - 10,Loss,89aeb6ec-c102-442f-a2b2-862a58f08c72,"Despite losing Deebo Samuel early, the 49ers secured a narrow victory." -181,13,2/12/24 1:20,Highmark Stadium,Buffalo Bills,San Francisco 49ers,35 - 10,Loss,051a9bbd-41b1-4946-b366-2202b9b84646,"Josh Allen scored touchdowns passing, rushing, and receiving, leading the Bills to victory." -199,14,8/12/24 21:25,Levi's Stadium,San Francisco 49ers,Chicago Bears,38 - 13,Win,2bfc3060-5975-4c60-8cf2-cd359c318bcb,Specific game details are not available. -224,15,13/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Los Angeles Rams,6 - 12,Loss,07182afe-36bf-44e4-a464-52a56e9e325d,"In a rainy defensive battle, the Rams secured victory with four field goals." -228,16,22/12/2024 21:25,Hard Rock Stadium,Miami Dolphins,San Francisco 49ers,29 - 17,Loss,0be9a14c-0017-46b8-96e8-7c446e78ea84,A high-scoring game marked by a scuffle involving Jauan Jennings; the 49ers fell short. -246,17,31/12/2024 01:15,Levi's Stadium,San Francisco 49ers,Detroit Lions,34 - 40,Loss,a6af1ef1-eece-43c2-b98f-c20494003cfe,Specific game details are not available. -257,18,5/1/25 21:25,State Farm Stadium,Arizona Cardinals,San Francisco 49ers,47 - 24,Loss,2c95b37b-b32d-4b30-a582-f04b8cbf12e4,Specific game details are not available. \ No newline at end of file diff --git a/data/relationship_csvs/fan_community_rels.csv b/data/relationship_csvs/fan_community_rels.csv deleted file mode 100644 index 509c1600413a69192f0a5e7ab7b6b7a575a8c43e..0000000000000000000000000000000000000000 --- a/data/relationship_csvs/fan_community_rels.csv +++ /dev/null @@ -1,1239 +0,0 @@ -start_id,end_id,relationship_type -8c7b0bc0-270f-4d32-b3c7-6b21403336f1,c8a2f333-b375-4015-868d-0476c7fa7780,MEMBER_OF -f78f965c-de40-46a6-b6b8-19abfb4ee692,31438176-2075-4285-b76d-e19ddf0d95e2,MEMBER_OF -d9a97054-3671-4dc3-a8e3-083910fe9a6d,91d80ee0-86be-4a80-90f6-b48f7656cf4d,MEMBER_OF -deb57fea-56eb-4531-addb-cc83e05e6aa6,6ea27b5d-1542-454f-8653-e48fccb7238b,MEMBER_OF -f6bac2e7-eb9b-4e4e-9656-d2ce87d919c0,83a7cb36-feee-4e71-9dea-afa5b17fbe7c,MEMBER_OF -13ae2c2b-3969-4a70-b36e-75518e981724,c758e93b-3a3e-4c2f-990b-1bf9f1cdd6ca,MEMBER_OF -781b7872-1794-43d0-8ecf-a717bc5fcb28,279042a3-3681-41c1-bed1-68c8a111c458,MEMBER_OF -26da8620-6b24-44b0-8fb0-1b30205cdfe2,46e02390-6910-4f24-8281-a327e5472f73,MEMBER_OF -205ce9bb-7230-4ccc-8e3b-391e04ed54dc,fd20c2d2-5ad3-41bf-8882-1f2f4d7872ac,MEMBER_OF -5f78a64b-0b1d-4837-b0c1-583df888955f,19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9,MEMBER_OF -79728ea0-6089-4790-9853-11a6d1fb3ce7,e439a3a5-c585-4c44-93d6-4cb19ec536e2,MEMBER_OF -36381db1-4372-4d7b-bb3a-2c75924e14cf,c0edc149-153d-42e6-8520-aba4174b832d,MEMBER_OF -b35eee21-5d68-4120-9b15-414c03a11011,fd20c2d2-5ad3-41bf-8882-1f2f4d7872ac,MEMBER_OF -22d5af02-a97b-43d9-bdd6-cde3d820280e,b49d9c5d-2d71-40d7-8f15-e83e4eb10a48,MEMBER_OF -1fd7761a-e486-4eba-9112-968f5cefe158,5e0fc4de-fee1-427e-97bd-288052de961e,MEMBER_OF -7de60654-6eb5-42fc-9faf-17431f8ce67a,02a2745f-ff6d-45ce-8bfe-6be369c3fb50,MEMBER_OF -fe1c9b6b-8f14-417a-8d3e-72c694eb2fd8,9ec7d2ef-2b5b-4192-911c-b293479d9a17,MEMBER_OF -971d7bf3-a81e-467b-b6db-d76cf6258840,ac244352-e9fb-4c4f-b0ef-ce93f5f39df0,MEMBER_OF -faca49ec-1fab-4ac0-b9e4-cdce8ef1b0e7,ad9a0664-8bf1-4916-b5d3-ca796916e0a5,MEMBER_OF -5e6f4823-c913-4fc7-8aa3-0354757977bb,6c8cd651-9f25-436d-abf4-b32fb74b78e3,MEMBER_OF -bd8dc818-560d-4d0e-b2da-0e8c5fd45848,c9767f63-b044-409a-96ef-16be4cb3dc9f,MEMBER_OF -03495ade-4562-4325-8952-843160167dde,d2991982-2da9-48d1-978b-665a9cd38eb3,MEMBER_OF -fb52f1b2-05a5-4b02-a931-655c13e93f54,e96fb986-f0bb-43aa-a992-f84eea493308,MEMBER_OF -a9e6d922-37cc-46ba-8386-08771ccc5e2b,7df1ce76-3403-42ff-9a89-99d9650e53f4,MEMBER_OF -7e8014b6-9c6a-41f7-a440-1d53cf9cda2d,a3497e7c-ec38-428a-bdb8-2ef76ae83d44,MEMBER_OF -37cffdb4-73f4-4d48-9975-ab485b0175ba,361e1137-b81b-4658-8e63-233f215b8087,MEMBER_OF -244197ea-2768-4218-ba93-2dbc644f9097,4ab054e6-6653-4770-bcdb-f448ac2a07f5,MEMBER_OF -baccf6fe-a409-442f-9b52-c11d84b99472,ca4820aa-5a1c-4777-9a8e-49d229544c08,MEMBER_OF -44c68674-cf35-407c-a8ab-6ef0d0e8d880,279042a3-3681-41c1-bed1-68c8a111c458,MEMBER_OF -5775d4ab-7557-41b4-be3a-4b17eea9d937,ba6c55f2-b95f-4c01-898b-327010c965c0,MEMBER_OF -df5a276f-fa11-403a-9b30-9abc9ddecde9,47219f6e-b0c2-4dd4-9af6-935f2f731228,MEMBER_OF -a5250d92-b9ea-47ba-ae26-0ef964f4e62c,f09252d6-3449-4028-9039-9bc5c617606d,MEMBER_OF -a0b659fe-7fdc-4018-ad2f-16602d34d81b,60e842f0-2b00-4259-8690-865ea9639ab7,MEMBER_OF -cbef5cc7-ea90-4840-bc55-d541e40e99a5,c86453f6-0155-4458-9a26-e211aa2b8e33,MEMBER_OF -689dab15-9049-4b4e-a0d8-77095cd46220,65d8fb43-cd35-4835-887e-80ae2010337b,MEMBER_OF -c59b0d68-a09e-4f3e-afff-9048da81095c,1e1b971b-7526-4a6c-8bd1-853e2032ba8e,MEMBER_OF -3916659f-3578-4d8a-bbfd-9692f41b2867,133e9d7e-7d4f-4286-a393-b0a4446ce4f2,MEMBER_OF -827cbfcb-d0a8-4f21-b1b0-c6311f907bd9,6f62f732-6bdc-41a7-a026-4d6c4b744388,MEMBER_OF -6b5ff985-3aae-4989-9893-9bb266452eb1,fe144e07-945e-4c66-a148-781275800599,MEMBER_OF -4a89ec5c-a04c-448f-80cd-93eb88fe3b2e,d09046d4-bdfa-41b1-ab4b-b0b159f555bb,MEMBER_OF -30033d4d-3d4a-4623-bd06-9f0eb095146d,b107099e-c089-4591-a9a9-9af1a86cfde1,MEMBER_OF -b6a7da90-1b27-4297-8182-f622d7957243,e1caa71e-07e4-4d99-9c2d-e12064b1af58,MEMBER_OF -7bbf635f-ff0b-4ba4-85a0-f4447a4d75aa,c5d3fad5-6062-453d-a7b5-20d44d892745,MEMBER_OF -828fe84b-ca60-4bf7-bd87-9f40aa74b6dc,84a95dd1-6640-4a78-937a-acb9dab23601,MEMBER_OF -681f6a44-e763-4ba0-919f-5c614111dc01,dc830ca3-fe01-43bb-aa7e-d5bb75247b56,MEMBER_OF -a0ec8b42-d1c3-4111-9c8d-ed99cf517b4c,4ab054e6-6653-4770-bcdb-f448ac2a07f5,MEMBER_OF -8a3b2c5f-eb94-4854-bdbc-abbf38ee5fae,5fadd584-8af3-49e7-b518-f8bc9543aa4b,MEMBER_OF -8035f5fa-9884-4292-898a-83e32644107b,133e9d7e-7d4f-4286-a393-b0a4446ce4f2,MEMBER_OF -81a638aa-136b-44fe-8eec-1be96e2836f8,173de46c-bc96-4cff-85a5-f361780d1637,MEMBER_OF -0b7355cb-0c72-4c3f-9a09-2b8d88b204fa,84a95dd1-6640-4a78-937a-acb9dab23601,MEMBER_OF -0349c64f-859b-426a-9f51-5d85ed55d0c2,8a0cc83c-ee5e-4f28-abd2-4785b7f503be,MEMBER_OF -440998c1-d439-401c-9a2c-38eac56976f4,5cb997b6-0b71-405b-8f77-9bb3e30b05bb,MEMBER_OF -29054adc-8aee-46ae-a325-672b6ddb6405,4a253d76-a16b-40bf-aefe-61f1140f69e8,MEMBER_OF -7410c1d5-72c0-445b-a570-19ed1399163d,c220a934-4ad4-495a-bfeb-221372e9720a,MEMBER_OF -455b051e-5e74-4e08-8c42-0f08496ec372,0c0ac4aa-5abe-48bd-8045-4f8b45ed8fb9,MEMBER_OF -5764c76c-92e9-4287-809f-83eb870e0412,5c2b13a8-60d9-4cef-b757-97a6b0b988e4,MEMBER_OF -fbcf4664-3297-4f6b-98d1-ac6405acd427,1b7e81f4-86ee-42fa-a98a-2fec2152c9d9,MEMBER_OF -7d3488dd-91db-4fe6-b7df-99f85c898a91,a15835e7-83fe-43ad-959f-423cd21aed7b,MEMBER_OF -f7b23757-15fa-45b2-b9f2-6128286f3d4d,1e1b971b-7526-4a6c-8bd1-853e2032ba8e,MEMBER_OF -aded980a-bcf3-482f-b1d0-4191146d5f33,d3002991-05db-4ad1-9b34-00653f41daa7,MEMBER_OF -5603b74b-b35b-404e-bccb-d757d35def35,153e3594-3d15-42e5-a856-f4c406c6af79,MEMBER_OF -c998ef2e-86a9-43e8-bf4c-1413b97e9d3a,9471e78e-099c-46b1-87da-4d8f71d8e7c3,MEMBER_OF -5bddf2c9-9950-4361-a2ab-2b4583b130be,b63253fb-6099-4b92-9b87-399ee88f27e5,MEMBER_OF -c8afc73e-bfad-4690-be64-ba8335f4ffe0,17a33262-42cb-45a2-a05d-df3a56261411,MEMBER_OF -9e0640c4-0cd1-4a4c-a1fa-2fe4a4823477,f7feddb7-c9cc-4e58-85ec-44e947a9f370,MEMBER_OF -8493b20b-041c-4327-90f4-6cb70ef49612,1b7e81f4-86ee-42fa-a98a-2fec2152c9d9,MEMBER_OF -e794fac9-df6a-452a-8096-7ec31dd4dfdd,c8ffeb37-4dce-4610-bea3-1e848b34c034,MEMBER_OF -390602ca-8cc4-429a-9ffb-b51ee86189f6,5da5b69a-9c78-42c3-a5b5-97c12fe93f4b,MEMBER_OF -40f3aaaa-c61e-4786-911b-2bc98eecdb7f,5450bccf-e4f5-4837-82cf-92db58d34cf8,MEMBER_OF -91a29529-37e2-4aec-b7ed-8244977b4e8f,cb00caa7-48f7-41db-bd55-a6f1ca740ba5,MEMBER_OF -87a17ea1-da8a-4617-ac93-68945da3bcb5,f97f0dba-9e72-4676-ae77-e316f15490aa,MEMBER_OF -c70fb667-610b-4f92-9b1c-63b6127eaf5a,21a4b527-ff93-49d5-9c4a-922e5837f99e,MEMBER_OF -83c69cd2-32aa-4eef-a023-ff31b39d50c5,5c4c4328-fea5-48b8-af04-dcf245dbed24,MEMBER_OF -fe5642ad-ea12-4a9f-ab8a-d2deef9a4b4f,b36619e5-9316-4c17-9779-b9c363443178,MEMBER_OF -decb6d1d-d386-4233-86af-2fcccf8712e5,597ab710-aa67-41fe-abc7-183eb5215960,MEMBER_OF -936ed69f-dcd1-4025-9100-ee8f5c3fcfdf,7df1ce76-3403-42ff-9a89-99d9650e53f4,MEMBER_OF -504ce107-91b0-48a7-8794-05223f9160b4,bcd28f5c-8785-447e-903c-d829768bb4d7,MEMBER_OF -508efba5-b30b-49ae-a6bc-9ad48cf3ec9f,ca4820aa-5a1c-4777-9a8e-49d229544c08,MEMBER_OF -36be6f97-7b0b-4b6b-acaa-82f963d2526c,1cc22c4c-07af-424d-b869-3b5fd1d7d35b,MEMBER_OF -a954c15d-b42a-453a-b2df-35ed54f205f9,d458ca78-3784-4c95-863b-02141f054063,MEMBER_OF -fd0262ab-a640-4148-b74d-35a99e51eb58,34488741-278c-4e4f-8bf0-ac45936f4fb4,MEMBER_OF -914ca114-585f-4e49-b54f-b0b02f4fc153,e2bd186c-6620-406e-943d-d0eee22078bb,MEMBER_OF -a6f8ad61-fdba-46db-aecd-86d54e308d6f,1367e775-79ba-40d6-98d8-dbcb40140055,MEMBER_OF -a543cefb-dbd1-499e-b597-cecc08d811f9,7a78bff4-77a2-4643-ac32-4512cc4ce4b0,MEMBER_OF -c880f6c7-bd14-44cc-9157-6c0f6b035727,6dfa800d-540a-443e-a2df-87336994f592,MEMBER_OF -57760d7d-665e-4c6c-9c9f-a15ce83858af,57ef2b36-fb70-4cc1-8565-9210919e4650,MEMBER_OF -18d611fa-ca90-4832-845e-e44a59efebd5,fe62c40c-2848-4765-8cdc-617cc17abd41,MEMBER_OF -409976ca-ec94-4edf-9cea-f1a7bb91ffa9,3e509642-808b-4900-bbe9-528c62bd7555,MEMBER_OF -b3706c7f-af87-42dd-bd06-004981db0026,604a9fae-f09d-4da2-af38-438179acb910,MEMBER_OF -8e95aa85-e811-4394-9966-8692d916a142,7f67a44b-ea78-4a7e-93f5-4547ff11131a,MEMBER_OF -6e663b05-c118-4724-92b8-ab9ed5518cc9,4a253d76-a16b-40bf-aefe-61f1140f69e8,MEMBER_OF -5587642a-242e-4af6-a53d-c508a829c58e,dacdda72-9a15-437c-8b69-7c0cb67998e5,MEMBER_OF -0787a733-7de4-4b7a-9eb3-04392c359c35,919bfebb-e7f4-4813-b154-dc28601e9f71,MEMBER_OF -352bc64c-2528-41d3-b06a-5a12e2c6ee60,3df1dadb-be6b-411f-b455-f954efaf227c,MEMBER_OF -1ab55db9-e8bd-4b42-bfa3-24aa16f7274f,1f6566d0-b6a6-47ef-a8e9-9d1b224cc080,MEMBER_OF -994a7731-6b20-43c4-8393-dc160381264b,d5af1ee6-11a8-42e5-8f8e-08e77ee097e9,MEMBER_OF -333857c1-dc52-4c06-90a4-9a1c998f8855,963b02b1-fa0d-450c-afe9-ccac1e53db59,MEMBER_OF -0f3eaa7b-7aa3-44d9-8816-4a5c3324f263,d7a360ca-83b2-442a-ae2a-3079163febff,MEMBER_OF -f7a5df44-680f-4216-88ea-c65a5ac599e1,80d1ffb6-f3ca-4ca1-b4f7-a373ea53573e,MEMBER_OF -00baeab7-24d3-4bf9-9399-d5652b97fe4e,57ef2b36-fb70-4cc1-8565-9210919e4650,MEMBER_OF -defa764d-a957-47a3-9240-1d25be7167c8,3335203d-008c-419d-bf12-66d7951910a4,MEMBER_OF -e3fec8bf-6ad6-44a6-a32b-e70bbbccee80,c8a2f333-b375-4015-868d-0476c7fa7780,MEMBER_OF -e4ec891c-2a4b-4e63-be45-f74c81332ed2,4a75fa22-38c9-4d95-8e19-0e0d24eba4ef,MEMBER_OF -5105aa85-632a-4bb8-811d-1ee35553c394,ede4a3ad-bdf2-4782-91c6-faf8fae89a2f,MEMBER_OF -9ac27bdd-cf3a-433f-9028-1acaa4f6506d,6c8cd651-9f25-436d-abf4-b32fb74b78e3,MEMBER_OF -fc741b44-f4c5-481f-b2d4-308aae1204b5,3053cc3e-569a-45b7-88bc-71976c4cc078,MEMBER_OF -9fb2c83e-cada-448a-8636-90be58d79278,1c77028e-b7a9-4842-b79a-c6a63b2a0061,MEMBER_OF -ebe7ab93-89d8-4328-8b2b-4946c38e148a,18dba8cf-ce28-40e3-995a-ee7b871d943b,MEMBER_OF -0f35ab88-f9d2-4cb3-b0ed-ce782bae1106,57ef2b36-fb70-4cc1-8565-9210919e4650,MEMBER_OF -d4164cee-8cf8-43ba-838e-be40342caed1,9154a687-9ea4-400e-92d4-1f8d6a4efd45,MEMBER_OF -8485e630-4c23-4699-b02a-4fe440c3a2fd,34488741-278c-4e4f-8bf0-ac45936f4fb4,MEMBER_OF -28e00bc4-6e29-41bf-b517-20ee7d8f27d7,e04aeb81-fae7-466f-8911-791a353ee3f4,MEMBER_OF -bf70bf1f-4ebe-40ab-9e55-eac3f10e4ab1,bc4fcf59-dcf6-42bf-ae74-c7a815569099,MEMBER_OF -043b82d2-d4f2-4dde-9e23-5ff3d4c97cd0,1f6566d0-b6a6-47ef-a8e9-9d1b224cc080,MEMBER_OF -be5139b3-0169-4f2e-8f51-c1aeb587225f,31438176-2075-4285-b76d-e19ddf0d95e2,MEMBER_OF -8e782a5a-b4ff-4e43-9219-ff1951643802,56657395-bdb0-4536-9a50-eb97ee18fe5c,MEMBER_OF -f54dea02-b6d0-4764-ae10-dc3d69a0e252,24bdc01c-258e-481a-902d-c134a12917b7,MEMBER_OF -97a4ea16-9b6e-4459-996c-4d3af1c78399,756f1c00-e01c-4363-b610-0714cdfc68c2,MEMBER_OF -6534060d-7b1f-43a0-b10d-1b0c1ee0fac1,e0da3bfc-c3dc-4576-9d0a-88c90a3f39ec,MEMBER_OF -431169d9-defc-410d-bfe3-b6d032217092,6080ae1d-807f-4993-825f-a30efba9a4eb,MEMBER_OF -416daf1b-13e1-4d74-b101-3f0ba101ab11,7a78bff4-77a2-4643-ac32-4512cc4ce4b0,MEMBER_OF -fce024a3-426e-4974-a8f5-c97793a0dd38,b63253fb-6099-4b92-9b87-399ee88f27e5,MEMBER_OF -4d5c6f5d-14da-4aa3-b22c-47acca934f12,279042a3-3681-41c1-bed1-68c8a111c458,MEMBER_OF -c02ae71d-e586-4988-82f4-1ea3407731f8,caacd0f1-bf97-40b2-bcb0-f329c33b3946,MEMBER_OF -5e32b8cd-c8f8-4e4e-9b7d-eba3a9282b82,c9767f63-b044-409a-96ef-16be4cb3dc9f,MEMBER_OF -dc422fa4-6ab5-475a-8781-472b86a53b12,31438176-2075-4285-b76d-e19ddf0d95e2,MEMBER_OF -0d2b7e90-4307-43a5-9d0a-f7eb361ea63f,84a95dd1-6640-4a78-937a-acb9dab23601,MEMBER_OF -d6bcfdb7-26be-40e6-b1d1-401912c74915,fce88bd9-e2a3-481e-bedc-dbebd5343f08,MEMBER_OF -ac4940ee-e68c-4776-804d-75c0e3c37a85,fcd8cd95-35da-4d85-82db-40fcd48929ec,MEMBER_OF -000be14b-f3cf-4f92-a311-7e4ca083ec30,94cf7a13-54e9-4f3f-9727-ce07107552f2,MEMBER_OF -ee58e7e8-6de2-4e77-8829-ed8a36850995,f4650f32-069d-4dcf-a62b-7a932bf764f5,MEMBER_OF -cac8820a-e969-4b98-bedd-2a3bab83fc50,0d2e48b3-fb33-463f-a7ee-e4013f782b0e,MEMBER_OF -0f8a70f1-1ca1-4c80-9aea-d5325c881aab,3053cc3e-569a-45b7-88bc-71976c4cc078,MEMBER_OF -f39065c6-a5ff-45cb-bf91-4dbb96648cd0,65d1b90e-c6fa-41ab-aac1-ef32af003121,MEMBER_OF -eced64e3-8622-4111-9e59-d9e2dd300a3a,95c25b54-1ac7-40ec-8ec2-09fc59b3da17,MEMBER_OF -3b2194a7-f843-42d1-90b4-7d7e32ad6364,4a253d76-a16b-40bf-aefe-61f1140f69e8,MEMBER_OF -80838a86-a88e-454c-8eec-3f76f8c37fbd,eedf3fa0-c63b-495b-90df-9e99eaf3e271,MEMBER_OF -39485f40-98e1-446a-bb4d-1de5ad063a04,2a650b10-6518-4b6f-882a-fc4d0a4596ff,MEMBER_OF -6050becf-d90d-4278-a6d0-878979097ee4,a8231999-aba4-4c22-93fb-470237ef3a98,MEMBER_OF -885dda9a-bbd5-4fdc-b731-575fa28cb122,bfabecc2-aeb2-4ce6-85c2-27c2cc044f21,MEMBER_OF -4031b364-c10f-4031-a981-337460f0cf10,fe897059-b023-400b-b94e-7cf3447456c7,MEMBER_OF -ec3e2019-5323-49de-bd98-a034dc6c5dea,4d21411d-a062-4659-9d06-c1f051ab864c,MEMBER_OF -d7cf6416-b205-40c0-876a-1bfa2cf32057,4e074598-e19e-411f-b497-27544616e7aa,MEMBER_OF -5089b1d0-1f20-44f5-84b2-fa2a6f7f8888,9471e78e-099c-46b1-87da-4d8f71d8e7c3,MEMBER_OF -399b90c9-a114-48df-b62f-c3b5f9d11af3,4ab054e6-6653-4770-bcdb-f448ac2a07f5,MEMBER_OF -cedafb14-47f7-46b6-a8ac-9cf2651745ac,a34c9b30-182f-42c0-a8a5-258083109556,MEMBER_OF -86aba6e4-04f1-4ad2-a0d5-5f8c6cd2d139,e1caa71e-07e4-4d99-9c2d-e12064b1af58,MEMBER_OF -7c58723d-7935-4b0a-9857-62d65a9fd01c,72248fc0-155b-4ffe-ad5a-e95e236e24ed,MEMBER_OF -c5d598dd-453a-4ea7-a69b-8c1c82941132,7a1980ac-ca6a-4b85-8478-a7fb23796fd3,MEMBER_OF -d06881e5-40d5-49c4-bbcc-8a88f19f79fe,d9f16b96-42fe-4712-a4a4-10d700b7e4bc,MEMBER_OF -9ff91315-41a1-44f7-8156-7619d01cc301,e1eab1f1-0342-487c-ba7e-ff062a1d0f93,MEMBER_OF -554a2c67-8c1f-48d0-afac-dff9e9619ab4,4e074598-e19e-411f-b497-27544616e7aa,MEMBER_OF -37858ff5-73d6-4b70-a43d-45c83de04d96,b5a5dfe5-4015-439f-954b-8af9b2be2a09,MEMBER_OF -b02433ec-23f9-465c-8ce5-88a78c41ba23,bc369128-c50f-4a05-ad37-37a8c2adcb9c,MEMBER_OF -21af0d54-14d4-452b-99f0-8d5076063a6d,4d21411d-a062-4659-9d06-c1f051ab864c,MEMBER_OF -81a24a17-e295-4bc6-9fb1-7d9aaeaae0c3,279042a3-3681-41c1-bed1-68c8a111c458,MEMBER_OF -6ab89439-afa9-4861-a5af-63e81ab1a84e,bd0657d5-8de9-47d3-a690-57824c2f2fbb,MEMBER_OF -26f8717b-51a3-4157-8cab-66c878347c9c,963b02b1-fa0d-450c-afe9-ccac1e53db59,MEMBER_OF -00476883-a22b-4826-90bd-2e2cd1fe1ba1,3e1b2231-8fa4-4abc-938f-7c09f30b37fc,MEMBER_OF -8f6ca2f6-d754-4779-99ff-852af08e3fef,f8a76108-d201-4daa-b934-e4a091a7e47c,MEMBER_OF -af18ec29-60d7-4e17-9809-33aeb8fe72b5,fe22a382-f319-410e-8d77-54919bc2f132,MEMBER_OF -4b083616-6f27-4920-8bf8-4bf3cfc504f6,0ca56830-c077-47eb-9d08-bf16439aa81c,MEMBER_OF -0e89624b-6cc3-4bd5-b0b9-1a90ce029eb2,fe62c40c-2848-4765-8cdc-617cc17abd41,MEMBER_OF -7a4c7390-f09e-4fd7-8c5f-875107c4a54f,92abbcf2-007c-4a82-ba94-c714408b3209,MEMBER_OF -3894bab7-ddf3-4f59-bffa-8f63fe5ca18d,b10f5432-4dd0-4a27-a4c9-e15a68753edf,MEMBER_OF -dcd8ecde-924f-43e3-b2e0-44b2aa96ad21,d212a0be-515c-4895-b0c1-0612b401f380,MEMBER_OF -a188ef33-b146-44bf-8982-4fbe8d06c927,71687e97-c1cc-4dd0-8c2c-5bee50ab8b80,MEMBER_OF -7331ff6e-0bed-4649-9573-aa6c9715ce54,24bdc01c-258e-481a-902d-c134a12917b7,MEMBER_OF -4c728640-bd22-41ec-b95d-81ded26b704e,604a9fae-f09d-4da2-af38-438179acb910,MEMBER_OF -f8a2e4bf-7cc6-4280-96bf-e0d96397cda5,722b3236-0c08-4ae6-aa84-f917399cc077,MEMBER_OF -b3b1bc76-301a-4f67-b6db-66f3da42562d,e2bd186c-6620-406e-943d-d0eee22078bb,MEMBER_OF -7892b748-65fc-4c5d-9412-29cbfec9e2e3,858b5895-efd8-4ea4-9a11-e852dc4e8e89,MEMBER_OF -ddc0055f-2474-4a77-ac43-2b47d6dcc5fc,1511d62f-6ab4-4fcb-8e0e-21c1ff9f76f0,MEMBER_OF -40392ce4-2f17-406c-884b-e1e19a072de2,daacbcbf-ae02-4057-bd41-555bf8dc954d,MEMBER_OF -a8a24d33-1683-47b5-96c5-3d6ec0e7b09d,a15835e7-83fe-43ad-959f-423cd21aed7b,MEMBER_OF -91df72c9-3ba1-4c1c-aeef-1f0b9d614efe,790c095e-49b2-4d58-9e8c-559d77a6b931,MEMBER_OF -312530b6-f9a5-4b87-abca-e8fbeb4d0403,5cb997b6-0b71-405b-8f77-9bb3e30b05bb,MEMBER_OF -3ed833ff-2d75-4539-8472-3d0d3ab5d0ad,9ff1a8da-a565-4e98-a33e-9fe617c7ad79,MEMBER_OF -1cc29400-cbad-484f-ac10-d4dfccd4382d,09f575e9-9f5d-41ca-998f-bfa72a693b1a,MEMBER_OF -800f5d99-5e52-410d-85fd-e3f73184334f,989b87b0-7bf5-40f9-82a1-7f6829696f39,MEMBER_OF -e555dff9-a252-4429-806b-5d0a2850bb1f,dcbb58a3-91a8-4b6b-a7d1-fcfcb4b5c5ba,MEMBER_OF -0f5cc0d2-6198-4bb7-ac48-df5045a44c1b,47219f6e-b0c2-4dd4-9af6-935f2f731228,MEMBER_OF -b261e2c5-82f5-4c16-b839-25d5ee8e4a6c,16ae7f7d-c1bc-46ab-a959-a60c49587218,MEMBER_OF -94a67c98-9f01-4319-8780-58b768a3b31c,b90b0461-013f-4970-9097-1b15f9708b3c,MEMBER_OF -9b34888d-7087-4741-a607-fd160276a403,d3002991-05db-4ad1-9b34-00653f41daa7,MEMBER_OF -4dc2efb4-24c7-4b29-830c-f9771af86eca,6a75b28a-db14-4422-90ca-84c6624d6f44,MEMBER_OF -84c5fe5d-e787-43cf-aac6-80ffaeab8107,80099d97-0d21-46e1-8403-69c87f3bebd2,MEMBER_OF -fdcdf8ce-ec47-492e-aa1e-6dff82ead6a4,3dda0bcb-6039-4f6e-91a7-5f010e930e8f,MEMBER_OF -023acb08-33e2-4386-bd55-e880396a59f4,5c577d0d-45c5-4c98-963f-6599ca2eb587,MEMBER_OF -7446fa16-64df-4983-843c-21524fdf00da,96c86314-45fc-4e05-a2d5-c2a840cba21d,MEMBER_OF -7b0c1c42-2caf-414b-8d4a-bc828a5c2839,9b2adc0a-add8-4de7-bd74-0c20ecbd74df,MEMBER_OF -79b28894-acf0-4f3f-9cf3-2125e808c253,e0822b86-9589-4d0d-a8b0-8c7eaafa5967,MEMBER_OF -0a8d459c-5a9d-482e-b03a-d83b17b953bd,1a185320-fa73-49e9-905e-acffa1821454,MEMBER_OF -66814bd4-a87f-4642-a349-86cac9168812,0ca56830-c077-47eb-9d08-bf16439aa81c,MEMBER_OF -2b318fdc-fae1-480e-a820-793f8648603a,133e9d7e-7d4f-4286-a393-b0a4446ce4f2,MEMBER_OF -aa47de94-4a8b-47fe-8be4-5324a461349e,ede4a3ad-bdf2-4782-91c6-faf8fae89a2f,MEMBER_OF -497eb58a-93f3-4134-8d25-1e4c49c43f03,5cb997b6-0b71-405b-8f77-9bb3e30b05bb,MEMBER_OF -d7d783e9-ad08-48ac-ad4a-eff46a2f3397,b50447d8-6d95-4cab-a7e5-228cd42efebd,MEMBER_OF -05e9ff12-d291-45ca-8951-16e076774518,5cb997b6-0b71-405b-8f77-9bb3e30b05bb,MEMBER_OF -adc228a9-f724-4820-9137-493c4417589e,f0202075-a64b-47e6-bddb-ef41452ab80d,MEMBER_OF -e3f1b6bc-43f4-489a-9c25-0bc5b74df3cc,e94f718f-d099-477d-bdbd-40d267f92a93,MEMBER_OF -bb46b67d-0f45-4a78-9ecc-0037d72d4d51,8f136975-58ff-4a5d-91c2-1c1220bbb9da,MEMBER_OF -a8b9c181-08d9-4874-8c93-409d540f1b84,ec208909-5357-48a2-8750-4063c4a7bd2e,MEMBER_OF -77b6f419-10d5-4f48-bf60-8736a72301e4,3e509642-808b-4900-bbe9-528c62bd7555,MEMBER_OF -37d8af0d-93c4-46e2-9fba-117baae4d0a8,91dd0e08-1fd4-41a5-8280-ff2e74a49b42,MEMBER_OF -2003bf42-32b0-40ee-bca8-10fe755592c2,12515d58-5699-416d-8ab9-627632f46e65,MEMBER_OF -5010d927-0fc0-4012-b681-3ef8fd6a2573,08b87dde-06a0-4a00-85fc-4b290750d185,MEMBER_OF -6498dd56-62fe-4414-a3cf-0fa2707738ef,e3933806-db81-4f2d-8886-8662f020919b,MEMBER_OF -c23644f8-8c05-4916-a53f-ea8495186a8c,ca4820aa-5a1c-4777-9a8e-49d229544c08,MEMBER_OF -afa8a5ba-12aa-4e4f-8056-86c0b64c2334,4df8603b-757c-4cb8-b476-72e4c2a343da,MEMBER_OF -031f7732-e05f-427c-b54f-1b5c57a8c6e9,13506992-672a-4788-abd2-1461816063e4,MEMBER_OF -a95f97a3-56f0-4c27-992b-f015b6e5b357,ae6d4193-5ba7-41e3-80e3-d67ba38c6dd1,MEMBER_OF -6241c1f6-06d4-42d7-8f6f-0cd2459802e7,5cb997b6-0b71-405b-8f77-9bb3e30b05bb,MEMBER_OF -56531d18-d1aa-4850-94d1-16ce98e4bd6f,0d2e48b3-fb33-463f-a7ee-e4013f782b0e,MEMBER_OF -88b9ef88-6714-4568-afd7-60e4703e766d,19d647db-7014-4236-9060-7967b62f30cd,MEMBER_OF -908f655b-e28a-4739-bb90-655b79f3824b,bc0c7169-ca42-4d7b-ac37-9e42b54ef161,MEMBER_OF -fada10e3-f2f2-4027-9189-2f17fc6febe0,604a9fae-f09d-4da2-af38-438179acb910,MEMBER_OF -6ecb0180-9eb6-4927-9c9d-1096e3a5a13e,0260e343-0aaf-47a5-9a99-ae53cb3c2747,MEMBER_OF -c5f23cb1-a80a-4de0-bc15-5df6a1795bc5,4a75fa22-38c9-4d95-8e19-0e0d24eba4ef,MEMBER_OF -028f4295-ff23-43ce-b471-e03a6ef77c07,5a3593c9-b29b-4e06-b60f-fe67588ac4ef,MEMBER_OF -aaf460a0-69c7-4ce1-8395-3bbc0f17b1af,1f6566d0-b6a6-47ef-a8e9-9d1b224cc080,MEMBER_OF -9b0cbdde-6c26-49e1-818c-8655fe6ea416,5d6b4504-ce14-49a1-a1ab-0b8147f15e26,MEMBER_OF -0d9a321b-820d-4809-ac3f-32e9f5aca180,0d2e48b3-fb33-463f-a7ee-e4013f782b0e,MEMBER_OF -5f7e0ef8-3757-4a5f-906c-fc13952e5b34,ac244352-e9fb-4c4f-b0ef-ce93f5f39df0,MEMBER_OF -cc06d300-35b7-4e23-90d7-ada7df70f2c5,b90b0461-013f-4970-9097-1b15f9708b3c,MEMBER_OF -bbea0958-1424-44bf-9f45-c5b4f8432a78,67232110-4863-40da-be01-a95147537a9c,MEMBER_OF -be71b3da-9d44-4419-9475-20b1ca9d9727,dcbb58a3-91a8-4b6b-a7d1-fcfcb4b5c5ba,MEMBER_OF -78de17c3-be12-4e39-ad9a-0acd295ea5c0,bd8a91b8-935c-430e-9383-e1e8f512a395,MEMBER_OF -b1e777dc-2bb4-4739-8553-fabc0572199b,0d2e48b3-fb33-463f-a7ee-e4013f782b0e,MEMBER_OF -dacf7fe0-23e2-4cce-a7c0-591da6246db7,2f4b05d8-d3ec-4afb-a854-d7818899afe4,MEMBER_OF -97614f60-36bd-40ca-8d79-1097fa9683d4,7af32566-8905-4685-8cda-46c53238a9ce,MEMBER_OF -32b09de0-6942-4db0-af55-80198839c479,a61907c4-11c0-4f84-9273-443043ef9a48,MEMBER_OF -d794f9ca-a916-45d7-971b-614a624ab463,b49d9c5d-2d71-40d7-8f15-e83e4eb10a48,MEMBER_OF -baaa9a7c-c1d1-4ae5-a499-a5c0dbda6513,b10f5432-4dd0-4a27-a4c9-e15a68753edf,MEMBER_OF -628c6091-2554-4fea-bb29-61041bc93094,97bf71f0-276c-4169-8f77-a5a3e0cd98c4,MEMBER_OF -9c334232-0285-442d-85d4-2a537b15113e,832beeda-9378-4e28-8f27-25f275214e63,MEMBER_OF -311aa382-ac11-4293-9111-e1fa9c0e45fd,b10f5432-4dd0-4a27-a4c9-e15a68753edf,MEMBER_OF -830f14a5-8893-4a4e-b12b-9d6940afa6a1,19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9,MEMBER_OF -a93ef085-ea95-48a8-9172-8163fc9a2b4d,18dba8cf-ce28-40e3-995a-ee7b871d943b,MEMBER_OF -dd408f74-9fd9-4ac0-ac83-832db5fb76ae,6847f646-5383-4226-bcf1-4059695eba82,MEMBER_OF -00275c85-4e7a-47e0-ba57-ada7c21eaefd,dc830ca3-fe01-43bb-aa7e-d5bb75247b56,MEMBER_OF -5c281d34-5bab-4bff-9d23-e64b6a479ab2,d84f87ab-abaa-4f1a-86bf-8b9c1e828080,MEMBER_OF -ff64340a-740d-4da7-be41-3b9a010f7021,3d65bb01-ff6b-4762-b55f-f59d5d63e057,MEMBER_OF -74d6b392-36e8-4342-a8c9-c48d63da48d6,5fadd584-8af3-49e7-b518-f8bc9543aa4b,MEMBER_OF -fa33c960-938e-4d45-a886-2134b43509ba,451a785e-6805-4a2e-841b-ac6e5e648c7f,MEMBER_OF -ec73bae5-54d6-41e9-8b59-03205fbdd95a,3d40d597-6ecb-451f-ac63-3516c5862d1f,MEMBER_OF -a1d72838-4dab-4a73-84fb-0b4610f186d4,18faedc7-eba5-4224-85ac-124672b7f0c3,MEMBER_OF -cdceeebb-3498-464d-84ca-668521a60647,02a2745f-ff6d-45ce-8bfe-6be369c3fb50,MEMBER_OF -fb431c06-2301-4ebc-94b7-1a9fdca04deb,eedf3fa0-c63b-495b-90df-9e99eaf3e271,MEMBER_OF -c9335dc9-783d-4266-a7f5-1980c3b9544b,0f046820-2a39-4b2d-9925-cec153cbe8cb,MEMBER_OF -42c73a68-dd48-4a59-9617-e07a29368f17,1511d62f-6ab4-4fcb-8e0e-21c1ff9f76f0,MEMBER_OF -a606b954-9f49-4883-9b68-383539feffe4,f09252d6-3449-4028-9039-9bc5c617606d,MEMBER_OF -df6a9086-4261-4002-baaf-1a6725153d28,cb00caa7-48f7-41db-bd55-a6f1ca740ba5,MEMBER_OF -e438bd01-aaf6-48a9-9cfd-8073d65c1ea0,46e02390-6910-4f24-8281-a327e5472f73,MEMBER_OF -d28166eb-d0fe-4ff6-be66-119cfea3e1fe,1cfc9512-821c-4168-96dc-dd6fe3664fa7,MEMBER_OF -20e114db-9c0d-4eab-8f3a-fb966aa877b6,7747fcc1-0f07-4288-a19f-abc06417eb6b,MEMBER_OF -043b80de-9f97-415f-b462-ae385c3ede74,a5990335-b063-4f4a-896a-7959e2e559ed,MEMBER_OF -8a25cb39-17bd-46ae-8fec-a72ba201ceed,2584743f-fb25-4926-b229-2468e4684fc7,MEMBER_OF -4a1d23ee-f120-48bc-add1-c728cdefbc30,ee9360bb-fe33-4514-8dac-270ea7d42539,MEMBER_OF -f052284c-8188-4d6c-a705-1467109c93d5,7df1ce76-3403-42ff-9a89-99d9650e53f4,MEMBER_OF -edb71b5a-ccb1-4ecd-823e-2940bbd32501,743983ca-55ad-40a7-93c2-9051bf14e946,MEMBER_OF -519b1cc0-7e46-4fbb-9734-56fd377602be,2105468b-1c9d-4fc5-a238-00bde2262266,MEMBER_OF -5f860d1f-68d8-405b-81d4-6a25975682c3,bdfda1af-97ad-4ce2-ba84-76824add8445,MEMBER_OF -903c4af9-cafc-4078-852f-a6e26cd26ead,f97f0dba-9e72-4676-ae77-e316f15490aa,MEMBER_OF -fda697a2-dc19-4bc2-93a3-edc5973db7c3,db07fa7b-d0f9-44b4-981b-358558b30f4c,MEMBER_OF -77841bd0-007d-4635-90e7-108c6a307a4b,6f9118c5-41aa-47dc-8e6c-8da98577521c,MEMBER_OF -42664cfa-67ed-4eee-9667-27d6ca9faaa8,d3002991-05db-4ad1-9b34-00653f41daa7,MEMBER_OF -d4c55002-394f-430a-a1ea-3479b320a20b,0d2e48b3-fb33-463f-a7ee-e4013f782b0e,MEMBER_OF -50788d5a-50ac-4027-9cac-4adb0b670e59,a8231999-aba4-4c22-93fb-470237ef3a98,MEMBER_OF -9f782082-4f09-4464-b95d-16351b8d352d,133e9d7e-7d4f-4286-a393-b0a4446ce4f2,MEMBER_OF -12865a24-8619-45fb-bfc8-74d49fb26587,ad1580de-5b95-44a5-8d08-50326e67d89e,MEMBER_OF -f7e2aeac-aa23-412c-85dc-b5b662ae74a2,b62c31fd-d06e-4e38-b6da-5c9f4259a588,MEMBER_OF -bcfa44fe-d79d-4bf0-98e1-e91a088f0301,07c46b33-d48c-4dee-b35b-ff3bec33eef1,MEMBER_OF -1299cdb0-f4a4-451d-964e-8a26d510164b,19d647db-7014-4236-9060-7967b62f30cd,MEMBER_OF -adccd0f8-42d3-48e6-87d0-35cac3bee631,d36e4525-9cc4-41fd-9ca9-178f03398250,MEMBER_OF -ea905a5f-2880-4f5a-b6fd-d6472222354e,e2bd186c-6620-406e-943d-d0eee22078bb,MEMBER_OF -d6fb6dd6-b86f-40de-86a7-9f350b1d5b47,18dba8cf-ce28-40e3-995a-ee7b871d943b,MEMBER_OF -8f0e60d9-2df6-4c1a-8aaa-8a39f14571bd,1b7e81f4-86ee-42fa-a98a-2fec2152c9d9,MEMBER_OF -9bb676d2-6864-4152-8905-214dc294c360,011a93a0-8166-4f24-9bb0-613fb7084acf,MEMBER_OF -582a0977-76bb-4227-9a33-9d77713b2ff6,25a08c6b-414c-430f-891b-86aacac98010,MEMBER_OF -bf60015f-8848-4fdd-81bb-c1fa21268538,2a650b10-6518-4b6f-882a-fc4d0a4596ff,MEMBER_OF -d6082079-367f-4ee0-a4dd-f63556a618b0,e1eab1f1-0342-487c-ba7e-ff062a1d0f93,MEMBER_OF -903961ed-1778-445b-9374-426cefec2c66,0260e343-0aaf-47a5-9a99-ae53cb3c2747,MEMBER_OF -223ead9f-89d7-4feb-972d-648eca98e5c3,279042a3-3681-41c1-bed1-68c8a111c458,MEMBER_OF -55684e2d-c627-4911-8621-11192b978830,a04e732d-8850-4b55-9354-cbc5a3167e14,MEMBER_OF -4c2eb0ac-9f95-4c1a-8cba-beb3e5744424,d08f2811-4f8c-4db3-af53-defe5fe3b9cf,MEMBER_OF -cd5a21ab-3e85-4007-a10a-9622ab56beb1,45249454-edef-4d93-a5d2-f6f14e123707,MEMBER_OF -8877407b-0caa-4ed3-a629-5e0b40d1ae7b,47ecfc8e-62ef-4eb8-93c7-008b6008cc16,MEMBER_OF -5d84248b-7720-4ad5-8892-fc63ae8fbf12,52686405-7db2-48bd-a10c-2b98b58451dd,MEMBER_OF -0740c72b-5b39-4ce7-9eeb-14c4eff00198,ccfd888f-3eae-4aa5-b532-a93cc157945f,MEMBER_OF -9f452487-e7d8-494b-ba7c-69c220dcf412,79cfd643-4de5-46b2-8459-f1f6b8d87583,MEMBER_OF -5a6dfd30-55bf-4156-a7ca-586e481ebcfa,451a785e-6805-4a2e-841b-ac6e5e648c7f,MEMBER_OF -1a0f6aea-7f38-4804-97eb-060af96256d6,c700e245-1664-4459-8f89-f26b2548d901,MEMBER_OF -24f18602-dd98-4d48-a85f-686fe76d5f50,3b3f7978-53e0-4a0c-b044-be05cb7fad97,MEMBER_OF -faae3142-3dc9-46a3-a1b6-88824919c286,01d43858-67f3-4c95-b6ca-81a75b33a75c,MEMBER_OF -c8dc3c98-16e9-45f5-9907-b8c3feb3dfb2,aaafb4f5-408a-43cb-90c5-451db488af94,MEMBER_OF -f3979d68-d573-4de5-94e8-99676b7ab481,3d691991-bcac-4354-95c4-e73998e5abe7,MEMBER_OF -0bc0a636-0f33-44fd-99c7-470bca024032,9b2adc0a-add8-4de7-bd74-0c20ecbd74df,MEMBER_OF -75a95348-8b6f-444a-8568-baffc93df501,803dea68-563c-4f52-ad85-616523b60788,MEMBER_OF -7ac1eb2e-20ca-46f5-b282-317528cea4fb,7084ad06-71a2-474b-90da-6d4d73a464f6,MEMBER_OF -4dec503c-49f7-4bd0-bd41-1a074f7395c0,40693c50-8e07-4fb8-a0bc-ecf3383ce195,MEMBER_OF -eeb4e433-a0dc-406e-a004-54796fdf7fe7,80099d97-0d21-46e1-8403-69c87f3bebd2,MEMBER_OF -50da38e5-29c2-40bf-a02f-81e77cd93243,79dc1fdb-a80c-4571-ac0c-91804b40f886,MEMBER_OF -679c0754-1c72-4111-bf83-d0c1d81ef7ce,47ecfc8e-62ef-4eb8-93c7-008b6008cc16,MEMBER_OF -c0e30e5f-8f7f-40a7-81cc-462308828581,205540c2-8a52-40ff-8de0-5ecb5603eba2,MEMBER_OF -949f7443-90f5-47ad-bcb9-a07cb821a393,12515d58-5699-416d-8ab9-627632f46e65,MEMBER_OF -915d1052-a73c-4467-8ef6-f9081f947e17,2cb6aa09-8f3f-4d8b-8a91-872b9df2c079,MEMBER_OF -4c324dc4-d0a9-43f5-9624-7d6cb0988817,f4650f32-069d-4dcf-a62b-7a932bf764f5,MEMBER_OF -3f64414d-b0b2-4636-8674-9b531f63969c,fb060075-4c05-4c05-9c1b-fc1531f548a5,MEMBER_OF -ec110f9b-4c98-41e2-bcc5-225fd69bb7a0,3df1dadb-be6b-411f-b455-f954efaf227c,MEMBER_OF -0073ae09-b282-4263-9f8f-d3d451cded54,173de46c-bc96-4cff-85a5-f361780d1637,MEMBER_OF -bdfe330d-c8f1-4d14-b22c-d628a28cc77b,bfe07d0d-ca15-400a-aa7d-febdb72f5e51,MEMBER_OF -59dd46e3-3ead-4108-9e21-2aac0425a4f8,9471e78e-099c-46b1-87da-4d8f71d8e7c3,MEMBER_OF -4498a840-e4fe-4316-ba43-105186e53174,bd8a91b8-935c-430e-9383-e1e8f512a395,MEMBER_OF -f1d9f17a-46f6-4579-80ae-554fab2c2287,756f1c00-e01c-4363-b610-0714cdfc68c2,MEMBER_OF -300939ca-89a8-41a7-8d72-e4cd6652a67d,d55f08cc-5a12-4a6e-86bd-cfd1fa971c6a,MEMBER_OF -375682a1-b08b-4de8-8c00-f747f63911e5,2400a836-b97a-46ca-8333-28c2e780ee3d,MEMBER_OF -9a84b728-c393-4e90-ad01-021e14828e95,76e56a22-d4e7-46c5-8d75-7c2a73eac973,MEMBER_OF -b954ff5d-d990-4957-ba33-49901e59fc6a,bc4fcf59-dcf6-42bf-ae74-c7a815569099,MEMBER_OF -3fc994bb-3e89-48c2-a62f-ee8f360bbedf,ca4820aa-5a1c-4777-9a8e-49d229544c08,MEMBER_OF -5131c9c6-7020-4e58-b87b-3d500efade23,cbba3ff2-3599-457b-ab09-728f11ff636d,MEMBER_OF -2a38d5ab-9059-4ccd-b469-ce19cc548a13,b49d9c5d-2d71-40d7-8f15-e83e4eb10a48,MEMBER_OF -a91c3312-6b25-4816-9a7a-edafb8767428,6a75b28a-db14-4422-90ca-84c6624d6f44,MEMBER_OF -4653554a-ac09-4662-95c7-5f214613b20d,7af32566-8905-4685-8cda-46c53238a9ce,MEMBER_OF -485e81f7-8eeb-4d72-9a59-4abc627d865c,d95611e2-f59d-4bdf-9cc3-67417117f372,MEMBER_OF -9ddea4d9-2300-477a-a261-83a01a9791b5,fff9028c-4504-47c1-8b12-c4b23391d782,MEMBER_OF -ec61248c-0dd0-465a-887a-a242dd90e6cc,e0822b86-9589-4d0d-a8b0-8c7eaafa5967,MEMBER_OF -a843ca66-22da-4a1c-8b14-f0b495a27304,c4b728a4-8c84-4abb-acd1-d8952768fbf3,MEMBER_OF -502f4079-aa1c-469d-b45c-35d0ecb5b918,dab5ce35-eacc-4dc0-8b7e-6a6d211e1ce7,MEMBER_OF -9ed8fe94-9e79-4e18-b470-2482e78025f4,5c4c4328-fea5-48b8-af04-dcf245dbed24,MEMBER_OF -cf200ae3-271b-4905-96dc-708ac825d356,e588d2c2-b68f-4d33-be95-0b72f0a682b2,MEMBER_OF -06e4398e-38d6-472d-8c9f-fdf36eb30556,278e71b3-2e69-4ee2-a7a3-9f78fee839ea,MEMBER_OF -9ab974d6-9ec8-440f-87de-42454161b877,8dc91968-9d5b-4e1e-82e1-507f51b67802,MEMBER_OF -8af12e3b-2556-4a98-845d-425c0f57e267,56e577b7-e42b-4381-9caa-905f9fcc08e5,MEMBER_OF -57475a35-e2c9-4762-b5b1-08786b040978,191351af-67f4-4f93-bc84-06a57f61ad5e,MEMBER_OF -b83ac65a-8e87-4eb6-9819-0bf225cc59cf,ba6c55f2-b95f-4c01-898b-327010c965c0,MEMBER_OF -95cdce99-d10e-4ea5-8a46-38c2aa6049f9,3d691991-bcac-4354-95c4-e73998e5abe7,MEMBER_OF -e5e01b16-697d-4d8f-abb1-f74bb3294aec,e6d2eca5-915f-4875-a9c7-99c3fe33e44d,MEMBER_OF -c283c6fe-cba5-43c5-9536-a88849034718,55bc2d2d-a3b7-4afc-a7a4-651f85c84c0f,MEMBER_OF -56cdaae5-2ad6-48c6-8498-146a8a1ed74a,7f67a44b-ea78-4a7e-93f5-4547ff11131a,MEMBER_OF -7a7c3159-208c-4ed8-9fa9-3a39c2710236,151fbf5f-baa0-4d13-bb7d-6f9484355e78,MEMBER_OF -401e8a4c-6bc9-49b5-bf8a-d6209c6ad530,27d663fa-1559-4437-8827-7dabba59fdb0,MEMBER_OF -1a1a200d-5d2d-4bf5-9124-9aca05c56fce,d09046d4-bdfa-41b1-ab4b-b0b159f555bb,MEMBER_OF -8a96f21d-1c1e-4e85-8ac9-93f7aaf91e2d,f8a76108-d201-4daa-b934-e4a091a7e47c,MEMBER_OF -2b870597-2ced-4755-84f1-639497a67037,279042a3-3681-41c1-bed1-68c8a111c458,MEMBER_OF -0f9181e7-d172-497b-b04e-6cfd961dd190,57ba8002-3c69-43da-8c14-9bfa47eab4d2,MEMBER_OF -b2aebc2e-036f-4234-a468-79c1dc5ccfeb,53cca285-682a-474f-b563-284ed4d288c1,MEMBER_OF -241bed0a-c56d-4933-8bb5-711da39749b9,0a6d4071-14d2-4297-aee8-fe0706cb4cf6,MEMBER_OF -861f7d3e-28c0-40a0-90e2-1daf213c82ec,46e02390-6910-4f24-8281-a327e5472f73,MEMBER_OF -eff9db0d-5f3e-4209-9007-030d0c73de77,173de46c-bc96-4cff-85a5-f361780d1637,MEMBER_OF -7328c7ce-4c96-49a5-a037-a76772c11590,604a9fae-f09d-4da2-af38-438179acb910,MEMBER_OF -8049e0db-c2fa-42eb-86a7-60055fbe2d71,722b3236-0c08-4ae6-aa84-f917399cc077,MEMBER_OF -24cbcf83-6b2d-41f0-8904-62f9977ade06,8a0ad20d-1074-47df-bb78-7dfd008619af,MEMBER_OF -1450ab28-e27e-46cc-988f-b01335e9a50b,2d719e75-080c-4044-872a-3ec473b1ff42,MEMBER_OF -a2d3c1e9-9064-4f85-be2a-aa56d8017040,ca6d549d-ee2c-44fa-aea6-9756596982a1,MEMBER_OF -d4110168-c0a2-433d-a241-c59cb77ba7cd,47ecfc8e-62ef-4eb8-93c7-008b6008cc16,MEMBER_OF -7d639012-29f2-48eb-9e0d-ebd0b16d5c83,8f14f922-9f58-4ad6-9ec9-327e95011837,MEMBER_OF -154f1c53-c64c-4efd-b3c2-93a4d0675bc7,6f9118c5-41aa-47dc-8e6c-8da98577521c,MEMBER_OF -4ff28fd8-8d8a-4d47-be91-123c8e123fdc,95c25b54-1ac7-40ec-8ec2-09fc59b3da17,MEMBER_OF -79367caa-28f5-45f8-bb8f-2a0aca4b960c,d55f08cc-5a12-4a6e-86bd-cfd1fa971c6a,MEMBER_OF -a7b7e9e8-022a-40f8-849d-6b7bc5b95a24,56657395-bdb0-4536-9a50-eb97ee18fe5c,MEMBER_OF -d117a446-ce1e-4a64-b137-4bdbd3ea6125,24bdc01c-258e-481a-902d-c134a12917b7,MEMBER_OF -9a3a7091-084a-49e5-87b9-b347e70c0fad,8f14f922-9f58-4ad6-9ec9-327e95011837,MEMBER_OF -56ac5f1e-af67-4595-b59d-0039604b9150,4e074598-e19e-411f-b497-27544616e7aa,MEMBER_OF -96a7ed6f-e82a-4cb0-9165-95c077921d1b,25a08c6b-414c-430f-891b-86aacac98010,MEMBER_OF -711f423c-b0c4-441e-9f14-45cece2c95d6,88cb20a4-fc5e-4f79-a469-0079e0c8495b,MEMBER_OF -9f5f7d62-eb3a-4f65-b735-417387ce8d0f,c86453f6-0155-4458-9a26-e211aa2b8e33,MEMBER_OF -eea269ee-6efb-4dee-a7c4-0ae874435897,c8ffeb37-4dce-4610-bea3-1e848b34c034,MEMBER_OF -1c9dea72-955c-4ae6-b5fc-774502ec5bd9,b90b0461-013f-4970-9097-1b15f9708b3c,MEMBER_OF -96cda514-973c-4808-98eb-a860daad9ef1,d95611e2-f59d-4bdf-9cc3-67417117f372,MEMBER_OF -53a27727-aa31-4a48-9a68-cbea2c80cbfa,814efa81-10cb-4012-b040-ee33f1e6b156,MEMBER_OF -b85b4937-56ba-40e4-9c25-e55175eb1594,d84d8a63-2f4c-4cda-84a2-1c5ef09de68c,MEMBER_OF -6f3c6495-2924-49bc-9b1d-f841c577dd36,eec5a289-f51e-43ef-83f9-de27fbe2525b,MEMBER_OF -9c0e69af-b45a-4124-b956-9aa260dd981f,361e1137-b81b-4658-8e63-233f215b8087,MEMBER_OF -f97f8444-a86e-46cf-bf17-5ba07a9b0026,ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2,MEMBER_OF -847f12f2-c843-485d-9550-fc98d6250af2,bc369128-c50f-4a05-ad37-37a8c2adcb9c,MEMBER_OF -a4e4fb1f-617a-4fd5-9d29-bfbb86121c03,5823848e-b7b8-4be4-bc6b-92546a7324f2,MEMBER_OF -27b9710f-f06d-4a50-8120-f0952767968b,0ca56830-c077-47eb-9d08-bf16439aa81c,MEMBER_OF -2c6ab2e4-4ed4-40a8-bc16-6b6d9eb7fba9,21a4b527-ff93-49d5-9c4a-922e5837f99e,MEMBER_OF -fbf08649-bf3f-41aa-b662-2c29ec1bb613,5fadd584-8af3-49e7-b518-f8bc9543aa4b,MEMBER_OF -5d589232-36ca-495c-9345-d0b96a340557,27d663fa-1559-4437-8827-7dabba59fdb0,MEMBER_OF -b4f34b82-5fde-4609-8547-248b1a928390,08b87dde-06a0-4a00-85fc-4b290750d185,MEMBER_OF -4273e025-6029-4199-812c-1a26c8697f69,43c67b64-aa19-4d3c-bd4e-c18799854e93,MEMBER_OF -e5fecd2d-dcf2-4de6-9093-243f7e8c2f9e,803dea68-563c-4f52-ad85-616523b60788,MEMBER_OF -fb8b2e14-f608-4aa5-b6c2-26cf3dae3c33,d55f08cc-5a12-4a6e-86bd-cfd1fa971c6a,MEMBER_OF -bc5e77d1-92a0-45a3-9593-2b75dcda035d,2400a836-b97a-46ca-8333-28c2e780ee3d,MEMBER_OF -24e92960-ca93-403d-9af3-a7d1f614713f,e4c645ab-b670-44c3-8ea2-f13dd0870bf5,MEMBER_OF -de174a94-5785-4518-8c6b-041cbabd8a91,a3497e7c-ec38-428a-bdb8-2ef76ae83d44,MEMBER_OF -87ab0897-5e42-44ee-abaa-25dc0d674ba0,fe897059-b023-400b-b94e-7cf3447456c7,MEMBER_OF -c63cc47d-5967-43ee-9129-113a79df667f,dd93b349-8a58-4ae5-8ffc-4be1d7d8e146,MEMBER_OF -d1155f64-96c3-469b-8218-5a6412737676,6a75b28a-db14-4422-90ca-84c6624d6f44,MEMBER_OF -225e81c1-3175-4304-ae15-506f07cf113a,ad9a0664-8bf1-4916-b5d3-ca796916e0a5,MEMBER_OF -62013b97-e9d7-40a7-8895-44b1a529bfce,91d80ee0-86be-4a80-90f6-b48f7656cf4d,MEMBER_OF -0874ee01-74a7-44d6-b0c7-9e816d2247dc,47ecfc8e-62ef-4eb8-93c7-008b6008cc16,MEMBER_OF -41f2fa7c-c7d6-4271-a413-3e7d873c6b71,c4b728a4-8c84-4abb-acd1-d8952768fbf3,MEMBER_OF -64b54640-71a4-4c39-a6c9-7b816f9f741f,8968fdf0-d411-4899-9aaf-632d1ff2ca1c,MEMBER_OF -08d8fe91-092e-4fac-b016-885050d383f8,9384f475-5183-4a60-bfc5-53102d9f4d56,MEMBER_OF -947a90a9-9267-4fcd-a808-c19eed49334f,6dfa800d-540a-443e-a2df-87336994f592,MEMBER_OF -05678f2e-cb12-4d00-acd5-ff74740c3540,b50447d8-6d95-4cab-a7e5-228cd42efebd,MEMBER_OF -7e8e604d-cdca-4677-86c2-96e5dc3b3f28,e04aeb81-fae7-466f-8911-791a353ee3f4,MEMBER_OF -914b4af9-b5e3-4272-ae20-3c040441bcc9,09f9160d-e91c-472b-aee9-251881a2d1e6,MEMBER_OF -d3d94919-6f71-4adb-8662-3c99bd1c24f5,8676e40c-bf96-41ec-903d-cffc999b853e,MEMBER_OF -2f78265f-e085-480b-a236-a53e347a519f,7df1ce76-3403-42ff-9a89-99d9650e53f4,MEMBER_OF -a82177eb-2674-4018-bcd1-08d90a20bd41,b5a5dfe5-4015-439f-954b-8af9b2be2a09,MEMBER_OF -cd626314-abb1-4cdb-b7c1-ff0e36c28c6a,d36e4525-9cc4-41fd-9ca9-178f03398250,MEMBER_OF -a9cf6742-5027-40b1-beac-3266eddb8ffb,a742f2e3-2094-4cbb-b0bd-cbe161f8103b,MEMBER_OF -b62be4ba-cac3-4547-b14c-743835c5e623,dab5ce35-eacc-4dc0-8b7e-6a6d211e1ce7,MEMBER_OF -57175095-7371-433f-ade4-b08ae1c4e4e4,2105468b-1c9d-4fc5-a238-00bde2262266,MEMBER_OF -d1a0f47f-dbe4-41e5-86d9-e23ba86320c6,53cca285-682a-474f-b563-284ed4d288c1,MEMBER_OF -e1e27ac9-9d39-4366-bc38-e01509a43e07,7747fcc1-0f07-4288-a19f-abc06417eb6b,MEMBER_OF -0f69de5f-e566-4980-b487-3884742c2bc9,722b3236-0c08-4ae6-aa84-f917399cc077,MEMBER_OF -53b8582d-1813-4e40-a5dc-c83b8453fb77,133e9d7e-7d4f-4286-a393-b0a4446ce4f2,MEMBER_OF -9aa7a320-37ca-43d6-aa2d-c74fb845e9e9,09f9160d-e91c-472b-aee9-251881a2d1e6,MEMBER_OF -0f076115-d840-4d1b-a97f-7b523d6a7fc1,f09252d6-3449-4028-9039-9bc5c617606d,MEMBER_OF -9b6b092a-145a-4e5e-843a-f0f1466844b1,919bfebb-e7f4-4813-b154-dc28601e9f71,MEMBER_OF -4fb3225b-dafd-456f-a9f6-1d068be49a02,9ca185c4-2ab6-46d9-a059-e7720899647c,MEMBER_OF -392fdcde-899b-47c3-bb9d-67b48027a03b,ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2,MEMBER_OF -f61bbf7c-6e79-48d3-a252-977e24826f26,b5a5dfe5-4015-439f-954b-8af9b2be2a09,MEMBER_OF -b2d6f8a8-43aa-4699-856c-313274a6c616,a8231999-aba4-4c22-93fb-470237ef3a98,MEMBER_OF -5b43129b-b7fe-4684-9850-193d086389ef,707406f0-991f-4392-828c-4a42b6520e72,MEMBER_OF -9f1ca26f-812f-43cc-8322-f8803a93f35c,60610e12-fa4b-4aac-90b7-9db286dcba5e,MEMBER_OF -2b98d112-710c-4cc7-91d2-1804b0e14522,7f67a44b-ea78-4a7e-93f5-4547ff11131a,MEMBER_OF -3cd6eca5-49fa-4fb9-9781-cfe42738ac55,19d83148-d992-4592-8d90-26593b22b373,MEMBER_OF -66ef4c49-a57b-415b-ad16-e3acdea4b979,c3764610-9b72-46b7-81fa-2f7d5876ac89,MEMBER_OF -4466bd67-3f73-468a-9316-fa45fffc040d,4d21411d-a062-4659-9d06-c1f051ab864c,MEMBER_OF -096721f2-5c91-4452-b01a-51bb8cc5be52,2a650b10-6518-4b6f-882a-fc4d0a4596ff,MEMBER_OF -ba901c96-281c-4635-ad12-93bcc6a84eba,5a3edf14-ae01-4654-b562-669cf1ed8ddf,MEMBER_OF -b1921723-f516-4170-937c-0b6801eba218,24342cfe-2bf4-4072-85a1-baa31f4d0572,MEMBER_OF -3554930e-c78d-4711-b916-c9e5d5cf9bd6,1b7e81f4-86ee-42fa-a98a-2fec2152c9d9,MEMBER_OF -d4d4a8ee-94b5-41fc-af67-6c0af68b0e23,a187f582-4978-4706-afe3-9bd37b2468c8,MEMBER_OF -4fa484e6-bc31-4ec7-94a8-992f1b4a8fa7,c220a934-4ad4-495a-bfeb-221372e9720a,MEMBER_OF -a6f3e043-dc39-4cb8-94e8-49ec29c56111,57ba8002-3c69-43da-8c14-9bfa47eab4d2,MEMBER_OF -a5dd9c9c-1a04-484b-ba7e-0046234df345,6dfa800d-540a-443e-a2df-87336994f592,MEMBER_OF -c6ac6476-d6d5-48ca-ab6c-8e80ee15ccd4,c5d3fad5-6062-453d-a7b5-20d44d892745,MEMBER_OF -57a684f3-1cba-49e8-a5ca-1dbc3460deb6,a34c9b30-182f-42c0-a8a5-258083109556,MEMBER_OF -15bc62ac-f7fa-430c-84e0-28a1ea7c2b88,1367e775-79ba-40d6-98d8-dbcb40140055,MEMBER_OF -ac3aed7f-2751-4fa9-ab81-7d0b1e88358f,b7615efb-5b5f-4732-9f7c-c7c9f00e3fd9,MEMBER_OF -9b2f83b1-3a35-45a5-9278-36fb5f245709,963b02b1-fa0d-450c-afe9-ccac1e53db59,MEMBER_OF -51ca34f7-b78e-4bf5-a10e-0433568fe7b5,19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9,MEMBER_OF -2767d39c-0d6d-4c3d-8244-70b00ee8b213,eedf3fa0-c63b-495b-90df-9e99eaf3e271,MEMBER_OF -9377da52-3069-4cf4-9d9f-035a0a1c8bf4,5d6b4504-ce14-49a1-a1ab-0b8147f15e26,MEMBER_OF -886f30fd-e20f-455f-8bdf-d93f83b3a367,7d8634f9-d608-4589-a06c-cf0be4d539bc,MEMBER_OF -7101de72-c9ef-4563-9119-0302c64409e0,d99e6edc-f0db-4c16-a36c-2f4fd0a28283,MEMBER_OF -361fcb92-7f3c-4882-9e51-9f17fec04e11,1d2a73c1-b52e-495c-9b8f-fe505b85bea1,MEMBER_OF -2615e1e7-49b2-40d2-955f-941b68429ee1,f114a0ec-738b-4e50-8f19-57e30f908f20,MEMBER_OF -f2ef0075-8b8e-4c2f-beec-1e4eaf5050f8,a15835e7-83fe-43ad-959f-423cd21aed7b,MEMBER_OF -ff56e68e-9ddc-4aae-8724-efc79fa6a28e,b6d4a8ed-7001-476d-8207-c9272216f10f,MEMBER_OF -034c4e38-ee17-4309-a17f-a7300ab71ccc,81bfb4e9-02c5-41eb-9fbe-1aff93df64a3,MEMBER_OF -97e38a4e-9f84-45c9-aff3-2445e76babed,790c095e-49b2-4d58-9e8c-559d77a6b931,MEMBER_OF -29993259-0422-46a7-9691-ff6c09f47a5d,cfea1941-d200-4d5b-9710-8fcf08cfd02d,MEMBER_OF -8c8bcfd8-7700-4721-bd0f-8592aed08c9d,432532ef-de67-4373-bf0d-f4608266f555,MEMBER_OF -6c747132-3f9a-43f0-a6a3-2f3a22eabda3,ca6d549d-ee2c-44fa-aea6-9756596982a1,MEMBER_OF -040ec43e-5e86-469e-9ee9-b28f61264cb0,8e462fa7-4301-4ff5-abdb-13f2e42b1735,MEMBER_OF -6556b62b-327a-4064-a310-863754bef3b0,3e1b2231-8fa4-4abc-938f-7c09f30b37fc,MEMBER_OF -5e7b14cf-ff63-4c17-adbf-a3cb441a989d,9b748d0a-b684-462a-9731-d5d0141a0d06,MEMBER_OF -07777560-ab3f-4665-ad2e-1aa8ef112aab,fd0f4a51-00f4-43bc-9e72-38a882537ea7,MEMBER_OF -8b0b0312-75d3-4a24-b572-4bc465e030db,3d40d597-6ecb-451f-ac63-3516c5862d1f,MEMBER_OF -01f532a9-4c86-4997-9739-e46df1c471fa,78924e81-6889-4b7f-817e-38dcfd040ec7,MEMBER_OF -ee85a997-97ec-441a-a924-fb10f6e68a3f,eee2e97f-1d1f-4552-abbf-c615e64f8377,MEMBER_OF -c2b1f760-0140-44e2-9625-8e826bde0cb9,194f5fc9-99ed-4c7d-8c0e-d1e5bf00fca2,MEMBER_OF -9c7a1fd5-ea25-4470-b21e-3a9855c179e2,7084ad06-71a2-474b-90da-6d4d73a464f6,MEMBER_OF -1ac21bf4-840b-49d2-9d02-868029140c78,b10f5432-4dd0-4a27-a4c9-e15a68753edf,MEMBER_OF -e384d153-8144-4840-975d-a94fed6c341b,c888853d-5055-438c-99f8-9a9904fd76a8,MEMBER_OF -45f2303a-c3ea-48ac-8d8c-e59d71494bf9,e2bd186c-6620-406e-943d-d0eee22078bb,MEMBER_OF -24788069-218f-4d56-9b4b-5fc32a1ccd5c,1b03a988-18e7-4ea5-9c89-34060083eaea,MEMBER_OF -f43583ce-86c5-4d27-a920-40ddaa1be984,5cb997b6-0b71-405b-8f77-9bb3e30b05bb,MEMBER_OF -11a77e70-af19-44b0-aad4-95d21ccc8e1f,65d8fb43-cd35-4835-887e-80ae2010337b,MEMBER_OF -f5738a92-1f55-4c9d-be16-2af04dab3e5c,3b0873d4-3bf9-4d1b-8ae8-666a17d7b988,MEMBER_OF -d754141f-88a3-40b5-ac7e-b7a4178907ac,5df15f36-f0c3-4279-b2f1-4bbb6eb6342c,MEMBER_OF -3d5fa983-b2e4-4751-a8eb-216c67e4e898,de7e2c76-771b-4042-8a27-29070b65022a,MEMBER_OF -d4a4b425-1a5a-437a-b736-169da3d4dbbb,6f9118c5-41aa-47dc-8e6c-8da98577521c,MEMBER_OF -bfdbcac1-8c8a-4d97-998a-a21af50ec851,1d8a9355-cc45-49c5-a3f4-35be92f8f263,MEMBER_OF -f5591ba3-afee-418e-8e4e-93695397cfaa,97bf71f0-276c-4169-8f77-a5a3e0cd98c4,MEMBER_OF -85fc9dfa-c80e-4632-af91-c8064e60a6ab,4d21411d-a062-4659-9d06-c1f051ab864c,MEMBER_OF -f57da831-c626-4ee8-9620-1af5c1e86b9c,604a9fae-f09d-4da2-af38-438179acb910,MEMBER_OF -6bd4d16f-acda-4f57-a743-b4065e4c15ad,8968fdf0-d411-4899-9aaf-632d1ff2ca1c,MEMBER_OF -9cd65549-d115-4a32-9b7a-43fbd473690c,5c4c4328-fea5-48b8-af04-dcf245dbed24,MEMBER_OF -29adc9c6-3f37-47b4-afb7-3871d0f9d4d5,e1a357d9-a7f1-4711-9d5b-fd15e9172330,MEMBER_OF -dca3745d-0533-44d0-a31a-a0e6ecbd66b7,5fadd584-8af3-49e7-b518-f8bc9543aa4b,MEMBER_OF -6f4c7cb1-93aa-4101-b038-360b92b256ab,d84d8a63-2f4c-4cda-84a2-1c5ef09de68c,MEMBER_OF -b561708f-d128-4d02-91bc-d136bce6c318,fff9028c-4504-47c1-8b12-c4b23391d782,MEMBER_OF -03ce5ed0-2f03-4054-a6ec-99a65a1a5f78,722b3236-0c08-4ae6-aa84-f917399cc077,MEMBER_OF -90f6775d-7758-4862-9303-1bb34cc092a1,82cd3ac8-2db0-493f-beff-5db479afe620,MEMBER_OF -570bf8a1-4995-4d85-b75d-eba4429309b8,78924e81-6889-4b7f-817e-38dcfd040ec7,MEMBER_OF -3729d9ff-4fb1-4385-94f2-98effe4b66ed,278e71b3-2e69-4ee2-a7a3-9f78fee839ea,MEMBER_OF -b1f6c271-386a-4bf5-90e7-6b9f570ee181,f8a5299d-77bd-414e-acad-c6ad306d4ce2,MEMBER_OF -029456ab-7994-42cb-b448-49620a5180db,d95611e2-f59d-4bdf-9cc3-67417117f372,MEMBER_OF -8f4fb3a0-c70b-4503-804d-5f2d099d6c34,bdfda1af-97ad-4ce2-ba84-76824add8445,MEMBER_OF -bded6d94-0f27-4110-a368-5851a20d82b0,6dfa800d-540a-443e-a2df-87336994f592,MEMBER_OF -500979a0-546c-4dc2-9695-ac4527248303,ede4a3ad-bdf2-4782-91c6-faf8fae89a2f,MEMBER_OF -8deb0a7e-68ac-4ecb-acf2-3433c8b17eca,790c095e-49b2-4d58-9e8c-559d77a6b931,MEMBER_OF -d3530f39-4246-42ed-8a91-4fc9754f8bd7,794f2ed1-b82f-4fb8-9bd4-fa69c4e9695d,MEMBER_OF -7d3bff67-156e-4413-9e8d-69adb980dd17,5c577d0d-45c5-4c98-963f-6599ca2eb587,MEMBER_OF -ec944b4c-7856-48d2-9cab-ae7ec302d57f,4df8603b-757c-4cb8-b476-72e4c2a343da,MEMBER_OF -b09a20c3-518e-4fd5-b4eb-4ec6e801d910,c8ffeb37-4dce-4610-bea3-1e848b34c034,MEMBER_OF -a6dba549-897a-4dd0-8271-b7977a64ce87,65d8fb43-cd35-4835-887e-80ae2010337b,MEMBER_OF -0f567b5a-01a5-41e7-a833-49fb1c222bea,de7e2c76-771b-4042-8a27-29070b65022a,MEMBER_OF -d0ee19c7-b33f-4b6e-80ff-12154d6f4867,ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2,MEMBER_OF -158ef98f-4577-4ad2-bb31-a5bd606bdbdf,803dea68-563c-4f52-ad85-616523b60788,MEMBER_OF -74d73345-30f6-4092-b8de-90aa22e3de27,5ebfd5fb-bbf0-4701-b6d8-223b240c8d28,MEMBER_OF -4e61e43e-9612-4e82-b123-882d6af335c0,e588d2c2-b68f-4d33-be95-0b72f0a682b2,MEMBER_OF -c8e7b4bc-8e94-4fcd-b24d-8f4c17b2cc31,24342cfe-2bf4-4072-85a1-baa31f4d0572,MEMBER_OF -56c07353-5691-4d3e-9090-b2387b2f1858,79dc1fdb-a80c-4571-ac0c-91804b40f886,MEMBER_OF -d2835291-e496-4084-a1db-8a415f8918f6,0a6d4071-14d2-4297-aee8-fe0706cb4cf6,MEMBER_OF -8f17ade8-5bf9-4172-80c9-c74220da278d,3d40d597-6ecb-451f-ac63-3516c5862d1f,MEMBER_OF -7b9e64d8-9465-4706-9c90-733873cc5d09,2d719e75-080c-4044-872a-3ec473b1ff42,MEMBER_OF -80ea6ee0-576c-431c-b5ba-4b7291ca6cfa,ac244352-e9fb-4c4f-b0ef-ce93f5f39df0,MEMBER_OF -533ee574-a2fc-4e36-ad29-0d83496e8625,f0202075-a64b-47e6-bddb-ef41452ab80d,MEMBER_OF -2200e73c-87e6-4719-bbd4-83585624cb75,2f4b05d8-d3ec-4afb-a854-d7818899afe4,MEMBER_OF -97251da2-e480-4a78-adf6-8a905de29e50,91d80ee0-86be-4a80-90f6-b48f7656cf4d,MEMBER_OF -45955ae1-2574-49f5-97b1-8a99830c8ea5,6dfa800d-540a-443e-a2df-87336994f592,MEMBER_OF -1d45a1ec-7e45-46b1-8236-4482be15f4aa,f4b92962-24e0-4706-b62c-21d60f3a9055,MEMBER_OF -94019e49-1e2e-40c8-ada1-6c5276ee473e,7d8634f9-d608-4589-a06c-cf0be4d539bc,MEMBER_OF -ac83305d-f12b-4ff0-8758-0bf8ea4b0255,cd737922-c027-40d2-a322-f81f17c69e0f,MEMBER_OF -c576f17c-5f0c-4b0f-b23d-050a3b9b6484,151fbf5f-baa0-4d13-bb7d-6f9484355e78,MEMBER_OF -1be063d7-6bcc-4811-984c-6050683034b1,7af32566-8905-4685-8cda-46c53238a9ce,MEMBER_OF -fa0b31f0-018d-49d0-8cac-598636f72604,c3163f08-1d11-4e32-9bc5-494d7869935a,MEMBER_OF -d9278ea4-25ee-4005-8914-e89746af2fae,34488741-278c-4e4f-8bf0-ac45936f4fb4,MEMBER_OF -20c21003-b2a0-4aa1-ab63-e6915f9ddaf8,84a95dd1-6640-4a78-937a-acb9dab23601,MEMBER_OF -b9fc4436-1779-4d33-85ff-04ebf7ee82fc,1cc22c4c-07af-424d-b869-3b5fd1d7d35b,MEMBER_OF -56ef5664-6ccf-440a-ac42-6bcf1cbcaf3c,5ebfd5fb-bbf0-4701-b6d8-223b240c8d28,MEMBER_OF -1a96f0ac-d903-4b4d-874d-965153a7fc75,9ca185c4-2ab6-46d9-a059-e7720899647c,MEMBER_OF -a76dd7ca-b79c-4842-b94b-3bd09a2299af,858b5895-efd8-4ea4-9a11-e852dc4e8e89,MEMBER_OF -40e23f74-24c5-4c37-a4e1-12d6527334d2,756f1c00-e01c-4363-b610-0714cdfc68c2,MEMBER_OF -1e996a69-39a2-4f32-a282-702b89277ebf,3e509642-808b-4900-bbe9-528c62bd7555,MEMBER_OF -c9e04ce3-61b4-41d4-9af7-0babcd61710a,2f4b05d8-d3ec-4afb-a854-d7818899afe4,MEMBER_OF -24cbd292-22b9-4953-8450-d1cb69fb3e10,d225d3bf-a3ff-46b0-a33c-85d1287c1495,MEMBER_OF -75e6e29d-5d1a-4a3c-8572-78a01a37e82c,5ce4cb87-dc34-4ac7-afc8-7825cf6993b0,MEMBER_OF -05bbcfd7-9fa5-4f33-9c7c-63021b288b8f,3545d9f1-cf47-4f11-b415-5ad73aef7a4a,MEMBER_OF -871bd9be-4e77-43c6-97f2-cc02e499547f,989b87b0-7bf5-40f9-82a1-7f6829696f39,MEMBER_OF -93bbcdd1-0e4c-4879-bae0-a19bb2c6c6ec,bdfda1af-97ad-4ce2-ba84-76824add8445,MEMBER_OF -5d4d4638-ac17-49a4-bfea-febda9e4b6d6,b10f5432-4dd0-4a27-a4c9-e15a68753edf,MEMBER_OF -c79ecf39-4cf3-4c98-9e4a-77a68c6a3d3e,e1caa71e-07e4-4d99-9c2d-e12064b1af58,MEMBER_OF -56c2e885-fa66-48a0-ac2e-3d887d00b367,c8ffeb37-4dce-4610-bea3-1e848b34c034,MEMBER_OF -51b64d7c-22a8-4940-aaac-c93ffbca72d6,75539787-79ff-423d-8de4-53b030861d69,MEMBER_OF -d7ca5d7e-6f23-4f6a-9aec-965ea1e015e6,d9f16b96-42fe-4712-a4a4-10d700b7e4bc,MEMBER_OF -b661ae21-ddea-4413-b82f-a1e52421427f,8df81a3b-afb7-454c-a504-d190da845e0b,MEMBER_OF -a6d7d43e-4c25-433d-8973-8e940b6699b5,793b2d4e-9ad4-495e-bf5e-f84dd09aedf9,MEMBER_OF -9085eebb-7f16-4d75-8d9e-b32e6a06cdc5,ae6d4193-5ba7-41e3-80e3-d67ba38c6dd1,MEMBER_OF -4995bbd0-ed72-4277-a423-e969a5910022,97bf71f0-276c-4169-8f77-a5a3e0cd98c4,MEMBER_OF -7a39f9d8-9c86-4024-baad-59739d23fc76,989b87b0-7bf5-40f9-82a1-7f6829696f39,MEMBER_OF -4f0a9703-b62a-4984-b3d1-8f10e35e02f8,bfabecc2-aeb2-4ce6-85c2-27c2cc044f21,MEMBER_OF -464cdbad-a5eb-46e8-ad85-7e7922253183,ee9360bb-fe33-4514-8dac-270ea7d42539,MEMBER_OF -b96ec745-711f-471d-9001-9e56901baf75,6a75b28a-db14-4422-90ca-84c6624d6f44,MEMBER_OF -6c6f9608-ced4-4d09-b7da-bebd127ecb2e,8a0ad20d-1074-47df-bb78-7dfd008619af,MEMBER_OF -8ed5ed16-fd0f-420c-a96f-1d068ac1a61f,ca4820aa-5a1c-4777-9a8e-49d229544c08,MEMBER_OF -a6caac37-8a0c-4a13-a234-ff52175bc6a5,793b2d4e-9ad4-495e-bf5e-f84dd09aedf9,MEMBER_OF -9c52a3a0-e7bc-41e9-a834-5108c425bef2,82cd3ac8-2db0-493f-beff-5db479afe620,MEMBER_OF -b00bf95b-abf9-42c6-aad4-46c0ca878abe,bc4fcf59-dcf6-42bf-ae74-c7a815569099,MEMBER_OF -8af2e9b2-c8f6-426d-9c56-5576bc7638ef,1a185320-fa73-49e9-905e-acffa1821454,MEMBER_OF -16c7bee2-a21c-4d6e-a139-77e21c340990,6ee93085-1711-4bbc-9d3a-cd894470c4bf,MEMBER_OF -0e157ea4-348a-4600-9cec-5de85f4692db,7a1980ac-ca6a-4b85-8478-a7fb23796fd3,MEMBER_OF -6a7d2559-ebb7-4c2d-a1ee-89a920677419,ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2,MEMBER_OF -3690ab14-9b22-425c-ad1f-4201622c2d49,fd20c2d2-5ad3-41bf-8882-1f2f4d7872ac,MEMBER_OF -ee78a35c-f0a1-4b70-a5f2-02b29913deab,205540c2-8a52-40ff-8de0-5ecb5603eba2,MEMBER_OF -6353479d-eb69-4301-bb14-4c2ebb1c2ac5,bfe07d0d-ca15-400a-aa7d-febdb72f5e51,MEMBER_OF -224fcad2-741d-4ea0-9b34-cd4d0a7c45d7,0028bcf2-b18f-43c8-bb7c-06b214b4b37f,MEMBER_OF -785c6e38-c701-48ba-973e-371873d5c8ee,756f1c00-e01c-4363-b610-0714cdfc68c2,MEMBER_OF -401ebb9b-b976-48fd-beb0-1411739d76b4,daacbcbf-ae02-4057-bd41-555bf8dc954d,MEMBER_OF -571f7c3a-74bc-4fb9-9c0a-405f1946dc3f,60e842f0-2b00-4259-8690-865ea9639ab7,MEMBER_OF -259a831e-dfdd-4578-835b-f983f679b4e0,a742f2e3-2094-4cbb-b0bd-cbe161f8103b,MEMBER_OF -2620c809-1abc-44b3-933b-b42459a03670,eec5a289-f51e-43ef-83f9-de27fbe2525b,MEMBER_OF -c0422a6e-e1d2-4950-95db-d6fc17a9d03c,814efa81-10cb-4012-b040-ee33f1e6b156,MEMBER_OF -1a7be3a7-98b0-470e-a6fd-58b53e93b43d,96c86314-45fc-4e05-a2d5-c2a840cba21d,MEMBER_OF -39629518-e7d0-48c1-9db8-f528e2faf7a9,33431983-0ac8-446b-859d-5e914de5e39c,MEMBER_OF -f41c6f38-a2ab-4bfe-983f-a1ec5b88f4a0,d0f56140-45f2-4009-8b4e-aa50ea8c177a,MEMBER_OF -36e41cd2-6174-4e81-b333-14fe3c029a32,8848f4d4-58ab-47ae-8f91-11c5947b2501,MEMBER_OF -19759ffe-0f9c-4016-a152-4b37639f3d9d,ccfd888f-3eae-4aa5-b532-a93cc157945f,MEMBER_OF -4d9cfd72-40e3-4986-8186-a92339222972,fd0f4a51-00f4-43bc-9e72-38a882537ea7,MEMBER_OF -0de5590c-c602-4934-b621-f69f057a5b8b,cb00caa7-48f7-41db-bd55-a6f1ca740ba5,MEMBER_OF -bb60fd0d-1b7f-445c-9206-36bb4503efc7,3a3e2b88-2f04-4094-a58d-8681775b625f,MEMBER_OF -073f491b-100a-49c3-ae84-a3934d87ad34,6a75b28a-db14-4422-90ca-84c6624d6f44,MEMBER_OF -50734cf2-b843-4f0f-85c0-04c8342a7fa1,daacbcbf-ae02-4057-bd41-555bf8dc954d,MEMBER_OF -146df195-f157-4318-ae71-2b88330072eb,01d43858-67f3-4c95-b6ca-81a75b33a75c,MEMBER_OF -f06350c8-b4fa-4aea-97d0-12cf641c9546,429e6376-361c-46fb-88f2-459de5eaec25,MEMBER_OF -6be35d44-5091-47f3-ac20-a6e47880cc5c,a61907c4-11c0-4f84-9273-443043ef9a48,MEMBER_OF -77364dcb-556d-43b3-b05d-b3f408d64841,fff9028c-4504-47c1-8b12-c4b23391d782,MEMBER_OF -44d291b6-1c8e-4b86-be29-f0e8a008e39a,d9f16b96-42fe-4712-a4a4-10d700b7e4bc,MEMBER_OF -e69abff4-5066-488f-b5d9-57242c4c9f20,07c46b33-d48c-4dee-b35b-ff3bec33eef1,MEMBER_OF -8ec4f473-115b-46b1-8738-57a5e141bc07,d84d8a63-2f4c-4cda-84a2-1c5ef09de68c,MEMBER_OF -6288eaf6-a09a-4007-a4f3-68f82dad68cb,1367e775-79ba-40d6-98d8-dbcb40140055,MEMBER_OF -bbee1f77-c658-4b7e-b512-96953f8ba20d,c700e245-1664-4459-8f89-f26b2548d901,MEMBER_OF -1b6be727-3888-4920-89f8-a6fda5c7eaeb,f7aa0747-360e-4661-9393-14a6c6969517,MEMBER_OF -79272909-bc3e-4f26-a1c1-d193645e563e,4a75fa22-38c9-4d95-8e19-0e0d24eba4ef,MEMBER_OF -896c37a7-1ea8-4566-8574-2c94ae889b9e,bd8a91b8-935c-430e-9383-e1e8f512a395,MEMBER_OF -28890023-4fdb-4c2b-acdd-d0d55120d56c,ed28bf67-9fa8-4583-b4bd-a4beaefdd3cb,MEMBER_OF -fa795d4a-e0f9-4d82-a7d8-271a7f123fc1,793b2d4e-9ad4-495e-bf5e-f84dd09aedf9,MEMBER_OF -3cc49a27-6f39-4507-bbb5-8d4f219db4ff,b107099e-c089-4591-a9a9-9af1a86cfde1,MEMBER_OF -390420ac-522e-468e-b245-51c14950230d,0f046820-2a39-4b2d-9925-cec153cbe8cb,MEMBER_OF -21959320-b5b7-4983-9d0d-78338d138b25,f97f0dba-9e72-4676-ae77-e316f15490aa,MEMBER_OF -2bc72c56-4523-48c8-9195-69c4c6d4463a,46a3ddfb-ed32-48e2-80b0-479a662e0b2c,MEMBER_OF -f42c494e-9e50-4ea4-bea2-fe9106479b4c,75539787-79ff-423d-8de4-53b030861d69,MEMBER_OF -afd6abe2-56b1-4070-8107-d633730bcffc,8f14f922-9f58-4ad6-9ec9-327e95011837,MEMBER_OF -ed827b0b-8a09-416f-8a79-4ced681de03c,0662b3d3-db2f-4818-a674-b8e4d170eb82,MEMBER_OF -1dd907ff-de1f-4258-9159-e903a9fa3a5b,153e3594-3d15-42e5-a856-f4c406c6af79,MEMBER_OF -327b0222-c8c7-4802-868c-24060695cedd,756f1c00-e01c-4363-b610-0714cdfc68c2,MEMBER_OF -e87bbba9-15d0-4788-a948-81f42c5298bf,6080ae1d-807f-4993-825f-a30efba9a4eb,MEMBER_OF -cac1f513-7327-4dfc-8ffa-525c38c3a09e,1f6566d0-b6a6-47ef-a8e9-9d1b224cc080,MEMBER_OF -41ed3143-038b-401b-a2fd-b0de38157d84,1b03a988-18e7-4ea5-9c89-34060083eaea,MEMBER_OF -a0bef539-7338-4421-b61a-df49d62f7d8c,19d83148-d992-4592-8d90-26593b22b373,MEMBER_OF -363bb9ad-dbf6-4322-8f95-55c6fa37322d,d2991982-2da9-48d1-978b-665a9cd38eb3,MEMBER_OF -105a5045-3622-46d8-974c-f4505986afe0,c86453f6-0155-4458-9a26-e211aa2b8e33,MEMBER_OF -e94f853c-83d6-4376-b245-38e656a2799c,429e6376-361c-46fb-88f2-459de5eaec25,MEMBER_OF -489ea454-9207-4a40-b529-d89b2da26d0b,6c8cd651-9f25-436d-abf4-b32fb74b78e3,MEMBER_OF -3eb70906-36dc-49ed-a910-af35d44b1057,a742f2e3-2094-4cbb-b0bd-cbe161f8103b,MEMBER_OF -01440099-9979-4418-8a6c-480f73aa42ee,5c4c4328-fea5-48b8-af04-dcf245dbed24,MEMBER_OF -6373de64-596b-49a9-96c2-8681b95e0b55,e3933806-db81-4f2d-8886-8662f020919b,MEMBER_OF -28b59442-791d-4d0c-93fb-1b116851f52e,3d40d597-6ecb-451f-ac63-3516c5862d1f,MEMBER_OF -86f46656-3559-4006-ab27-fbc63d9edb4e,4a253d76-a16b-40bf-aefe-61f1140f69e8,MEMBER_OF -cca91dfd-2f00-40d7-bcc4-444a8895a3e4,12515d58-5699-416d-8ab9-627632f46e65,MEMBER_OF -9dfa6fc3-764a-49ee-97ca-9c203d433e7b,1a185320-fa73-49e9-905e-acffa1821454,MEMBER_OF -f2e04e62-15c0-4712-873e-123653f8c89c,b49d9c5d-2d71-40d7-8f15-e83e4eb10a48,MEMBER_OF -770ef8bd-2894-425b-ba89-4747ec64f508,7d8634f9-d608-4589-a06c-cf0be4d539bc,MEMBER_OF -e1b703b9-190b-4555-88f5-1b9732192fb0,eedf3fa0-c63b-495b-90df-9e99eaf3e271,MEMBER_OF -7f9e917f-39b2-4b84-b6d1-95edc34b06dc,05d42a68-33f9-4c51-be80-33fd14c50c8b,MEMBER_OF -cf4ea7cc-3a9a-4667-a541-595e48600500,6847f646-5383-4226-bcf1-4059695eba82,MEMBER_OF -04820739-00fa-40d6-b5d4-6781fc071c82,5bf41a27-5bd1-45eb-8bdf-816832371efc,MEMBER_OF -d8081da3-8b15-42d0-ba00-cfa0c9b5fc3f,ca6d549d-ee2c-44fa-aea6-9756596982a1,MEMBER_OF -f2f1bc6d-01eb-458e-8949-070a448e9b3f,429e6376-361c-46fb-88f2-459de5eaec25,MEMBER_OF -4f9a6887-31cb-4eda-901d-0ddf7f409eaf,722b3236-0c08-4ae6-aa84-f917399cc077,MEMBER_OF -f7c00b5d-f112-4ad5-91ee-5c20f3629fe9,ec208909-5357-48a2-8750-4063c4a7bd2e,MEMBER_OF -c4e67ccc-2065-4ce1-8dee-09f734d0e1e1,2d719e75-080c-4044-872a-3ec473b1ff42,MEMBER_OF -4c9b426f-b4e4-4578-a806-a4acfbf08e25,f114a0ec-738b-4e50-8f19-57e30f908f20,MEMBER_OF -34450822-2227-4ef4-a2ac-707012ef8120,d3002991-05db-4ad1-9b34-00653f41daa7,MEMBER_OF -7e3781cf-3d3c-41e5-9c82-4bfff6ca663f,9ff1a8da-a565-4e98-a33e-9fe617c7ad79,MEMBER_OF -c7c44ec7-7809-4d8c-a8ee-2f2489520671,31438176-2075-4285-b76d-e19ddf0d95e2,MEMBER_OF -3172afe2-fab3-448e-8e05-17ea29dda61a,0d2e48b3-fb33-463f-a7ee-e4013f782b0e,MEMBER_OF -7f199f76-019d-463f-911f-b4fb72cb44d9,fe897059-b023-400b-b94e-7cf3447456c7,MEMBER_OF -d195d879-20a7-420c-8de7-3d6b034ba944,60e842f0-2b00-4259-8690-865ea9639ab7,MEMBER_OF -b6f5b696-96c9-412d-a8b4-a8165e7995b4,1c77028e-b7a9-4842-b79a-c6a63b2a0061,MEMBER_OF -7a51f112-7fb5-4189-a3d6-6241647f1fd8,d09046d4-bdfa-41b1-ab4b-b0b159f555bb,MEMBER_OF -028d9156-5687-4d66-bfb8-8034c01c7104,1b03a988-18e7-4ea5-9c89-34060083eaea,MEMBER_OF -48fec94f-c58a-4497-832b-4d1bc8920ae0,56657395-bdb0-4536-9a50-eb97ee18fe5c,MEMBER_OF -e2da77b2-2eed-49e7-ac0a-e303786d6af3,6a75b28a-db14-4422-90ca-84c6624d6f44,MEMBER_OF -c63e03dd-bcf5-4541-bfda-488bb5ff75d8,1cfc9512-821c-4168-96dc-dd6fe3664fa7,MEMBER_OF -4aa5121c-d8a6-4148-a8c9-95f228d40b42,a742f2e3-2094-4cbb-b0bd-cbe161f8103b,MEMBER_OF -0f4e3ac6-705d-405c-95f2-dad84a94f78d,88cb20a4-fc5e-4f79-a469-0079e0c8495b,MEMBER_OF -ac6ee8a8-a7ce-48a7-b341-0c61ac886e15,60e842f0-2b00-4259-8690-865ea9639ab7,MEMBER_OF -eb48ec07-1660-4b2d-b422-7d83ee6fe416,3dda0bcb-6039-4f6e-91a7-5f010e930e8f,MEMBER_OF -bfaea632-3100-475c-bb6b-f59808529131,a187f582-4978-4706-afe3-9bd37b2468c8,MEMBER_OF -ea11683b-eb38-4979-9607-089550f443f0,b9f042ca-3f4c-4398-abc0-8dd37a4d6c8c,MEMBER_OF -8917a103-95c9-468c-8e11-6ea4dc9b8819,e1a357d9-a7f1-4711-9d5b-fd15e9172330,MEMBER_OF -02ce5382-fc7d-47a7-9666-fbbb53fb6d03,7ffab46c-8924-4c74-af34-159a02364b2f,MEMBER_OF -3dbbc1ed-ee5a-4c50-a2ef-dd5395dcc5aa,eedf3fa0-c63b-495b-90df-9e99eaf3e271,MEMBER_OF -c4daa06f-59ce-4e06-8364-9d0abe54be57,58b91f02-40a4-4557-bb45-2c68f2218951,MEMBER_OF -1cdb66b6-b992-409f-9fb9-933329cd0f87,23166e6c-bf72-4fc7-910e-db0904350dbb,MEMBER_OF -3db8e509-6944-4301-8fd7-174516d0945e,e94f718f-d099-477d-bdbd-40d267f92a93,MEMBER_OF -50542df4-9d95-4059-9bdd-fbff4338033d,0260e343-0aaf-47a5-9a99-ae53cb3c2747,MEMBER_OF -5cd8a452-f58b-4ed4-b257-4fac84a068f2,de7e2c76-771b-4042-8a27-29070b65022a,MEMBER_OF -f00928b1-962e-4365-a53c-5e95b0e7b4f6,cfea1941-d200-4d5b-9710-8fcf08cfd02d,MEMBER_OF -adff8f30-3f7e-41d2-ab58-a469d7f15684,e96fb986-f0bb-43aa-a992-f84eea493308,MEMBER_OF -d62cc1d9-8c57-46a1-af20-660ebf5ff99f,722b3236-0c08-4ae6-aa84-f917399cc077,MEMBER_OF -691dd4c8-a54c-4e4c-adb4-07de80fde394,d225d3bf-a3ff-46b0-a33c-85d1287c1495,MEMBER_OF -eb699554-c076-49cc-a28f-6ad2f42252f7,07c46b33-d48c-4dee-b35b-ff3bec33eef1,MEMBER_OF -bb516205-7f06-427d-b3db-9225f197529c,cb00caa7-48f7-41db-bd55-a6f1ca740ba5,MEMBER_OF -15ed9722-93da-4623-9866-e841dc533e24,4b00c24d-c714-4727-bc8a-c2a9f81392e1,MEMBER_OF -0e5e8fe2-3c65-4b65-b98c-132be0e3b9c5,c3163f08-1d11-4e32-9bc5-494d7869935a,MEMBER_OF -45c4a1f3-9046-40a4-a052-356cf401556b,eec5a289-f51e-43ef-83f9-de27fbe2525b,MEMBER_OF -a1248943-db9e-4b4e-bb0f-8c286cb414b7,5d6b4504-ce14-49a1-a1ab-0b8147f15e26,MEMBER_OF -a8382771-9bca-4afd-a9f1-86766ff00be7,8df81a3b-afb7-454c-a504-d190da845e0b,MEMBER_OF -83321857-4305-4b86-a335-08cf2998967c,2d719e75-080c-4044-872a-3ec473b1ff42,MEMBER_OF -7140c810-773e-451b-8ca0-23dd97b07c77,db07fa7b-d0f9-44b4-981b-358558b30f4c,MEMBER_OF -86738787-f120-4c74-9105-e60a573b5d40,4df8603b-757c-4cb8-b476-72e4c2a343da,MEMBER_OF -60ba90a7-0994-4ac0-8041-4781cb2bbf97,d84f87ab-abaa-4f1a-86bf-8b9c1e828080,MEMBER_OF -4035471b-9296-43d6-a9fb-ae09d2c98ae7,c888853d-5055-438c-99f8-9a9904fd76a8,MEMBER_OF -538af5c0-a833-4336-bdb7-94c070aee746,19d647db-7014-4236-9060-7967b62f30cd,MEMBER_OF -989e7601-4265-4f07-8e40-542b9aa75a58,0260e343-0aaf-47a5-9a99-ae53cb3c2747,MEMBER_OF -0f241223-cf46-4bed-a7e2-5a459e2da56d,0ca56830-c077-47eb-9d08-bf16439aa81c,MEMBER_OF -eda1cac5-f941-4826-9b6e-0cfdfd33d2bc,0662b3d3-db2f-4818-a674-b8e4d170eb82,MEMBER_OF -f18307c7-95a3-4e39-8394-56eb96a588f8,6080ae1d-807f-4993-825f-a30efba9a4eb,MEMBER_OF -16ef94dc-0de0-442f-9b53-0c9cbaea65df,c9767f63-b044-409a-96ef-16be4cb3dc9f,MEMBER_OF -e979ed85-a862-4395-97ff-73c4065376c0,ad9a0664-8bf1-4916-b5d3-ca796916e0a5,MEMBER_OF -99e39920-31c3-4eca-8026-ebdb1823b1b1,429e6376-361c-46fb-88f2-459de5eaec25,MEMBER_OF -a0d07410-86e4-4817-a21a-5e2fe7d071a5,82cd3ac8-2db0-493f-beff-5db479afe620,MEMBER_OF -7e6142f9-0e80-4092-be10-d06d3c30a38e,0ca56830-c077-47eb-9d08-bf16439aa81c,MEMBER_OF -551d9932-ab1a-444e-9e9b-45c90d9934a7,40693c50-8e07-4fb8-a0bc-ecf3383ce195,MEMBER_OF -aacfab42-3d60-420a-9ef8-aedbe028198d,3dda0bcb-6039-4f6e-91a7-5f010e930e8f,MEMBER_OF -7b191a19-50cf-4d27-ac79-2a49df2fe84b,e240475b-f90b-471d-b73d-9f1b331ad9bd,MEMBER_OF -f3583c27-569d-48de-92e3-85cd3388bbeb,55bc2d2d-a3b7-4afc-a7a4-651f85c84c0f,MEMBER_OF -57529b6b-9f57-484a-8d2f-7d9bedd117bf,b63253fb-6099-4b92-9b87-399ee88f27e5,MEMBER_OF -56ba5f7b-b7cf-4e6a-b662-021657926302,a187f582-4978-4706-afe3-9bd37b2468c8,MEMBER_OF -fb8ef49a-2c36-447c-adb9-17387cee5e73,d84d8a63-2f4c-4cda-84a2-1c5ef09de68c,MEMBER_OF -36031edc-54b1-4bdf-aea4-cc2ca772ca78,43c67b64-aa19-4d3c-bd4e-c18799854e93,MEMBER_OF -f33ec40f-aea4-42f6-88cf-056a3f3c3b22,56657395-bdb0-4536-9a50-eb97ee18fe5c,MEMBER_OF -6abd18d6-aa9a-461b-9165-1bba98d9bd0e,34488741-278c-4e4f-8bf0-ac45936f4fb4,MEMBER_OF -42a32257-930c-489a-b0f4-99d5db81ce8b,8e462fa7-4301-4ff5-abdb-13f2e42b1735,MEMBER_OF -c5dc5cbc-2dd3-43e1-a48c-6cfc6a98a27a,43c67b64-aa19-4d3c-bd4e-c18799854e93,MEMBER_OF -f3ae00a6-c875-49b0-9eb4-946afe90ff48,78995f96-9862-40e7-9286-680115ec4afa,MEMBER_OF -4ae1d7f9-9e8a-4257-87e3-03321266f9d0,4a253d76-a16b-40bf-aefe-61f1140f69e8,MEMBER_OF -bfd4c011-315f-46b2-94a7-10fe0f1478cc,94cf7a13-54e9-4f3f-9727-ce07107552f2,MEMBER_OF -685a1334-c7cd-4597-a5bc-7c53d93aa731,18faedc7-eba5-4224-85ac-124672b7f0c3,MEMBER_OF -13482013-d0a6-4f1b-afce-0f1ef0d1b1bf,d225d3bf-a3ff-46b0-a33c-85d1287c1495,MEMBER_OF -e576c284-979b-4904-ae6e-606b28afa0b8,8968fdf0-d411-4899-9aaf-632d1ff2ca1c,MEMBER_OF -3baac898-8b67-4706-8d07-8ea60c025862,5a3edf14-ae01-4654-b562-669cf1ed8ddf,MEMBER_OF -90e7421f-29bc-418d-b07b-38da82a671b8,bd8a91b8-935c-430e-9383-e1e8f512a395,MEMBER_OF -a49827d4-77ae-4ff4-ad22-157fb762ad41,d0ceeb91-609f-4cb2-acc1-15de88158b28,MEMBER_OF -c13901ab-fd23-4919-b189-784d1f736a87,9601d7a6-6282-4247-8ae3-2ea160bc757f,MEMBER_OF -91fbe4b8-d81a-4347-9f2f-0d6cc77ed400,1c77028e-b7a9-4842-b79a-c6a63b2a0061,MEMBER_OF -09a9337e-2384-44c9-84e3-cfb43933fefc,432532ef-de67-4373-bf0d-f4608266f555,MEMBER_OF -5a980e23-592b-4c85-a8c4-8848177a676e,c3f4ca5a-ba09-41d3-9ed0-36027c2b3523,MEMBER_OF -c9de287d-420f-4036-83b4-dc4bf4cb1bda,45249454-edef-4d93-a5d2-f6f14e123707,MEMBER_OF -a11c9930-b64e-4f10-a48f-fee7f159f79b,6ea27b5d-1542-454f-8653-e48fccb7238b,MEMBER_OF -0a490cbf-8eb5-4d35-aa14-8b3ae824ed47,78924e81-6889-4b7f-817e-38dcfd040ec7,MEMBER_OF -c3119cdf-02cb-48e2-8352-e28330efd70f,fce88bd9-e2a3-481e-bedc-dbebd5343f08,MEMBER_OF -a37efc6b-b2f0-47f2-b629-3d22455bfe42,aaafb4f5-408a-43cb-90c5-451db488af94,MEMBER_OF -b5320398-96b7-4311-8972-3f304129bfc1,dacdda72-9a15-437c-8b69-7c0cb67998e5,MEMBER_OF -57d54594-3ec7-432d-a7a3-90601546a82d,5b0d64d5-2e5f-4173-b359-c4355e1ce861,MEMBER_OF -21ddd287-cd24-4a9f-b5c6-1b17e18974c8,bfe07d0d-ca15-400a-aa7d-febdb72f5e51,MEMBER_OF -f5140fbe-af6c-4671-9eb2-58c825ff341b,f7feddb7-c9cc-4e58-85ec-44e947a9f370,MEMBER_OF -4d5f6209-9f72-4ad2-b7d5-c07c94bba2af,78924e81-6889-4b7f-817e-38dcfd040ec7,MEMBER_OF -3dff0216-ed41-431e-9e71-657f2b6325cc,bec7f13a-7ae7-4ad7-a5c5-ca2b3728785c,MEMBER_OF -541e2634-2bdd-44fd-a00a-de536da46439,f835cf7a-025e-40e8-b549-3be781938f19,MEMBER_OF -538448d0-7b58-4d61-8ec0-e4e5ae04ab15,f7feddb7-c9cc-4e58-85ec-44e947a9f370,MEMBER_OF -26730282-94de-45ef-bac3-0fb7ef7e2f0f,6a6c69b0-a778-4411-8f63-268d28c48062,MEMBER_OF -de3068a7-edc8-40ca-beee-3e6bfde740dc,f15012b6-ca9c-40af-9e72-f26f48e2e3d2,MEMBER_OF -bdc01d2c-e15d-40c8-9d18-40c7b437a066,55bc2d2d-a3b7-4afc-a7a4-651f85c84c0f,MEMBER_OF -49da1082-e09d-47e3-921c-e787e3bc30e1,9471e78e-099c-46b1-87da-4d8f71d8e7c3,MEMBER_OF -b0d70afb-4222-47d1-998a-b06294d7b478,e6d2eca5-915f-4875-a9c7-99c3fe33e44d,MEMBER_OF -874d71f4-18cc-4cf5-b03f-9b193da2e082,5c4c4328-fea5-48b8-af04-dcf245dbed24,MEMBER_OF -7171b16b-90ca-4bc9-8c12-bbbf90c1823f,5fadd584-8af3-49e7-b518-f8bc9543aa4b,MEMBER_OF -02d5cece-6db8-4b40-8c31-e6453ae2d813,3c7dad3a-d69a-409f-91ff-6b6856a1b73d,MEMBER_OF -2b306ae6-073c-4ae2-8b4e-e6bfe21bd577,dcbb58a3-91a8-4b6b-a7d1-fcfcb4b5c5ba,MEMBER_OF -b2bda5c7-fac3-44a4-b823-a485a662d2a6,f15012b6-ca9c-40af-9e72-f26f48e2e3d2,MEMBER_OF -0505cd43-5f1a-414b-8350-919410cf0e02,67232110-4863-40da-be01-a95147537a9c,MEMBER_OF -f777edf6-d31b-41d5-9cc7-6a25c0fc4d55,b62c31fd-d06e-4e38-b6da-5c9f4259a588,MEMBER_OF -981c7910-834c-4a80-a75e-f4f0b45a7438,24342cfe-2bf4-4072-85a1-baa31f4d0572,MEMBER_OF -d19562ea-705d-4968-8ff4-17841890e808,5b0d64d5-2e5f-4173-b359-c4355e1ce861,MEMBER_OF -b4c07e54-9a66-460a-8934-4cd26ef0423c,b90b0461-013f-4970-9097-1b15f9708b3c,MEMBER_OF -a2a6fb03-73fb-4520-9c3d-9d4673c03e1e,361e1137-b81b-4658-8e63-233f215b8087,MEMBER_OF -5534c5b8-d862-4072-88cf-615caab53742,6c8cd651-9f25-436d-abf4-b32fb74b78e3,MEMBER_OF -2660791a-cf39-480f-8eb5-66de1ebe9ee4,a15835e7-83fe-43ad-959f-423cd21aed7b,MEMBER_OF -08a8fcb9-bfc3-4787-af3a-b7ed92417189,1d8a9355-cc45-49c5-a3f4-35be92f8f263,MEMBER_OF -a6917d0d-e2b8-40f9-ab2f-c85dd463df4d,faf65b89-6f63-4e09-b90e-fb6d570845e8,MEMBER_OF -231db967-1725-48bd-89d7-d714eba57cb8,d08f2811-4f8c-4db3-af53-defe5fe3b9cf,MEMBER_OF -cd930851-c662-4d9a-9ba7-e7fa3320e4bb,d4ddc730-0f2c-48df-8619-b836dd3fff4b,MEMBER_OF -1387d35e-2cc6-4a81-9a82-34bc3e748d19,52d1de92-c675-4381-b931-2de6bb638966,MEMBER_OF -5c57aa01-1c13-437b-92e1-e70d0df94ea0,52686405-7db2-48bd-a10c-2b98b58451dd,MEMBER_OF -bc4727ee-6b08-4324-b8e4-b384acae36cd,a35c5604-774c-4820-ba3e-159aca1cd047,MEMBER_OF -29703920-b933-4c63-8d6e-e791be03e87c,55bc2d2d-a3b7-4afc-a7a4-651f85c84c0f,MEMBER_OF -2b9c215c-30af-4d58-8af3-8be155ead498,d1b0fea8-9de5-405a-b4c3-fecb6802f4a2,MEMBER_OF -7c4a90b7-4ad0-4e71-a560-1b23939fecfc,278e71b3-2e69-4ee2-a7a3-9f78fee839ea,MEMBER_OF -ea52d1f0-b787-4a8f-a187-580932e85f6d,bc0c7169-ca42-4d7b-ac37-9e42b54ef161,MEMBER_OF -a3a571e3-2a93-499c-87d9-489d968a8d47,b6d4a8ed-7001-476d-8207-c9272216f10f,MEMBER_OF -88e71f96-015f-46c4-9db1-3150bb221663,1d8a9355-cc45-49c5-a3f4-35be92f8f263,MEMBER_OF -f928d289-f7f5-4c18-b332-c8e95ef54b06,75539787-79ff-423d-8de4-53b030861d69,MEMBER_OF -e57179d8-ca41-4072-aa00-e2cb4d42d2ae,83a7cb36-feee-4e71-9dea-afa5b17fbe7c,MEMBER_OF -5487bc7d-69e3-439b-b71d-6b6eaaa3b759,7a1980ac-ca6a-4b85-8478-a7fb23796fd3,MEMBER_OF -46572fcd-d239-4b8d-9122-b6297a2164e0,d84f87ab-abaa-4f1a-86bf-8b9c1e828080,MEMBER_OF -db5260e2-4003-422f-8c11-a8c917f1d3dc,d9f16b96-42fe-4712-a4a4-10d700b7e4bc,MEMBER_OF -b90871e2-2b36-44c2-9385-0b5e3221df97,4d21411d-a062-4659-9d06-c1f051ab864c,MEMBER_OF -98978f7c-337e-49e3-99bb-387a417d3225,756f1c00-e01c-4363-b610-0714cdfc68c2,MEMBER_OF -f8fc8d5c-9563-45be-b137-098d55fa08ec,5df15f36-f0c3-4279-b2f1-4bbb6eb6342c,MEMBER_OF -7b6fc367-8ae2-4447-a2b7-9cce9a1a2dfb,c8ffeb37-4dce-4610-bea3-1e848b34c034,MEMBER_OF -dae7f037-546c-427e-8a8a-7131ee23c97e,daacbcbf-ae02-4057-bd41-555bf8dc954d,MEMBER_OF -4c3481d4-f82a-453e-a0b8-4f24a9ed81e7,2f4b05d8-d3ec-4afb-a854-d7818899afe4,MEMBER_OF -f825779d-4f28-4ef9-9987-16a4004f3343,a04e732d-8850-4b55-9354-cbc5a3167e14,MEMBER_OF -3b7c1a6d-4908-4c3f-baad-a4307184b78c,dcbb58a3-91a8-4b6b-a7d1-fcfcb4b5c5ba,MEMBER_OF -d4a7838a-0774-4769-ab0a-6de42c354fe2,ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2,MEMBER_OF -50b37691-6f4a-4980-9a4d-5fd63bac4228,901ca5e1-26d1-4743-83b3-6b2a6a25658b,MEMBER_OF -15748186-5784-4436-9f0d-20c4622d3e4d,16ae7f7d-c1bc-46ab-a959-a60c49587218,MEMBER_OF -c688b58f-e477-4bb1-87a7-fc39e24b0359,3c7dad3a-d69a-409f-91ff-6b6856a1b73d,MEMBER_OF -2f99144d-67b5-4ff2-835c-b57a2221f5e6,7a1980ac-ca6a-4b85-8478-a7fb23796fd3,MEMBER_OF -399d1108-f25d-4cec-9220-f51c40a9343e,49c67b4a-95bb-43df-86d6-89e322259c73,MEMBER_OF -2483bd13-3c34-45d1-80d3-9e92c882efda,3df1dadb-be6b-411f-b455-f954efaf227c,MEMBER_OF -647241d3-28dc-4720-96d3-f47796eaec74,0662b3d3-db2f-4818-a674-b8e4d170eb82,MEMBER_OF -6ce5ffcc-65d5-4c1c-b5be-ca273e0f4e74,2d719e75-080c-4044-872a-3ec473b1ff42,MEMBER_OF -af34b0ac-63c2-4ee5-bf94-ee988a397127,fe144e07-945e-4c66-a148-781275800599,MEMBER_OF -bf93e6f8-52e3-49d9-9f6d-7b80b9dad94d,58b91f02-40a4-4557-bb45-2c68f2218951,MEMBER_OF -8a771a08-8df8-4bba-b3a1-ad9480f98674,3053cc3e-569a-45b7-88bc-71976c4cc078,MEMBER_OF -18cd4022-89bf-466e-8aa5-1775fe4c5539,d4ac6052-9179-41e0-aa32-272586a32b25,MEMBER_OF -73a35346-f462-4491-8eb8-dafb4f1e0387,0c0ac4aa-5abe-48bd-8045-4f8b45ed8fb9,MEMBER_OF -a8d084d9-05ed-4a7b-9c50-e41392c0a6b8,151fbf5f-baa0-4d13-bb7d-6f9484355e78,MEMBER_OF -5c69c65c-370c-403a-9df0-4e3e9a667092,1cfc9512-821c-4168-96dc-dd6fe3664fa7,MEMBER_OF -79f9b304-1dc4-4673-87f9-d68a69074f9b,477c7c87-6dd8-4cf6-8331-3f25ba1db67b,MEMBER_OF -38373e44-a1fc-41b4-80c8-31e2d98bed80,fcd8cd95-35da-4d85-82db-40fcd48929ec,MEMBER_OF -f5ac6c9b-3c17-4927-9021-a41f122b4bdc,d212a0be-515c-4895-b0c1-0612b401f380,MEMBER_OF -30c7931c-5096-4806-b02b-9f0e92ced412,31438176-2075-4285-b76d-e19ddf0d95e2,MEMBER_OF -4e5553c2-2486-4061-9154-247186a648e5,d4ddc730-0f2c-48df-8619-b836dd3fff4b,MEMBER_OF -9668bd19-59a2-4631-971e-f7692a5dd8e4,d36e4525-9cc4-41fd-9ca9-178f03398250,MEMBER_OF -7e0663fe-2f60-44c0-a972-bb4ca1726b1b,db07fa7b-d0f9-44b4-981b-358558b30f4c,MEMBER_OF -d90251a3-0b26-48b9-baa8-7c18a70c9ead,0e8229f9-4ec0-4c6e-bd50-c7f385f092f8,MEMBER_OF -622f314c-4688-463f-adff-6ad354eed7e5,8bcc18e7-f352-486d-93ca-535eafd7b0b3,MEMBER_OF -24c21015-7f36-4e64-955d-75a5bc4094fe,9b2adc0a-add8-4de7-bd74-0c20ecbd74df,MEMBER_OF -0f874e94-8f92-4d51-8cbc-b1701ee5756c,832beeda-9378-4e28-8f27-25f275214e63,MEMBER_OF -47bd1aa5-dfab-4de8-9c54-a5944e87cc91,c3764610-9b72-46b7-81fa-2f7d5876ac89,MEMBER_OF -2947d473-144d-4471-96ae-db89e772f5b2,618bbb9b-7bee-49cf-a459-377aa5ff7b86,MEMBER_OF -4b73e385-5480-401f-aa1e-cf5e28b3111e,0028bcf2-b18f-43c8-bb7c-06b214b4b37f,MEMBER_OF -0098f9f6-9dfd-49de-a4a8-16c58de795f7,43c67b64-aa19-4d3c-bd4e-c18799854e93,MEMBER_OF -ba959d43-d7af-4f6b-8020-ba9a4733c3f3,dd827169-d413-4ef9-b9e3-38e612db449a,MEMBER_OF -b987ab19-7a14-4d93-b580-4a695102c2f4,6a75b28a-db14-4422-90ca-84c6624d6f44,MEMBER_OF -9f3cc835-adf6-494e-a175-90ff2079420e,d4ddc730-0f2c-48df-8619-b836dd3fff4b,MEMBER_OF -b9424b2a-98de-422d-ad6d-cf2e28fa2463,803dea68-563c-4f52-ad85-616523b60788,MEMBER_OF -ee42d264-cc2c-4038-873c-e5e3f717bd6f,3e509642-808b-4900-bbe9-528c62bd7555,MEMBER_OF -89a97074-01f5-4aaa-8189-68e7788aeb69,ee9360bb-fe33-4514-8dac-270ea7d42539,MEMBER_OF -479d19c2-43d7-4056-bae4-e7485760c95d,7a78bff4-77a2-4643-ac32-4512cc4ce4b0,MEMBER_OF -ff9d4e88-d78b-4062-a24c-a25ef10dcf6b,ad1580de-5b95-44a5-8d08-50326e67d89e,MEMBER_OF -acdbfded-0ad8-46a9-b64f-96b10572d5c5,89a50680-7982-421d-961c-80fc04a84c4b,MEMBER_OF -67292e44-0a14-426f-9ddb-f08ed9dd494c,5823848e-b7b8-4be4-bc6b-92546a7324f2,MEMBER_OF -8f53d633-4474-4b72-bdf8-1ab5454d9793,e240475b-f90b-471d-b73d-9f1b331ad9bd,MEMBER_OF -3d9f58d7-8019-40cd-b7a1-a0c8222fc5cc,46e02390-6910-4f24-8281-a327e5472f73,MEMBER_OF -acbc8456-e855-4b43-adb6-6ecf8d6b4336,1d2a73c1-b52e-495c-9b8f-fe505b85bea1,MEMBER_OF -43f0fee6-678a-4f3e-b4d5-f8e0911c68e2,cb00caa7-48f7-41db-bd55-a6f1ca740ba5,MEMBER_OF -4d6225be-8671-43d7-b62b-6f995992b87c,d7a360ca-83b2-442a-ae2a-3079163febff,MEMBER_OF -b3f8334b-f576-4a72-945a-02d62752df0d,60610e12-fa4b-4aac-90b7-9db286dcba5e,MEMBER_OF -c2b39158-036b-43fe-a425-a05759687322,b5a5dfe5-4015-439f-954b-8af9b2be2a09,MEMBER_OF -10a99208-4615-4120-8ad6-ba7d268a81b0,d08f2811-4f8c-4db3-af53-defe5fe3b9cf,MEMBER_OF -73d3155b-71ed-4864-8418-aaac18b1e680,92abbcf2-007c-4a82-ba94-c714408b3209,MEMBER_OF -68aef6a1-f7f9-4b48-aad3-1a5683f1df0e,47ecfc8e-62ef-4eb8-93c7-008b6008cc16,MEMBER_OF -633b8c6d-ef1b-46b7-9521-0ac8e9a49f7b,5a3edf14-ae01-4654-b562-669cf1ed8ddf,MEMBER_OF -b4b555e6-7c9f-48a6-a043-84493003a8f4,919bfebb-e7f4-4813-b154-dc28601e9f71,MEMBER_OF -5a10532f-fedf-4300-be10-dc2af1892fa5,19d83148-d992-4592-8d90-26593b22b373,MEMBER_OF -bebaff98-27e6-48c3-a77c-aca330ef99b8,fff9028c-4504-47c1-8b12-c4b23391d782,MEMBER_OF -1fafe7fa-1b71-42ed-9baa-b60212d2bfc9,7a78bff4-77a2-4643-ac32-4512cc4ce4b0,MEMBER_OF -8eb763a0-f5ce-42ed-9885-79fd926e892b,c4b728a4-8c84-4abb-acd1-d8952768fbf3,MEMBER_OF -8c553da6-0785-4529-bffa-e923b9cb5a01,e0822b86-9589-4d0d-a8b0-8c7eaafa5967,MEMBER_OF -2c5cb582-5bf0-4558-a930-e84282e4a15e,153e3594-3d15-42e5-a856-f4c406c6af79,MEMBER_OF -205fb198-67b6-4cfe-8e9c-9a0b9c81c742,604f8e2e-8859-4c5e-bb15-bee673282554,MEMBER_OF -aecfc63b-1de8-4d7d-abd4-698ea5f1a0b5,3545d9f1-cf47-4f11-b415-5ad73aef7a4a,MEMBER_OF -301250cc-d5c6-4a65-bf36-28bc02a65564,bd0657d5-8de9-47d3-a690-57824c2f2fbb,MEMBER_OF -a7c2f9d7-c1d4-4e50-8f4e-1eb830af83f5,2966907f-4bbd-4c39-ad05-ea710abc7a3d,MEMBER_OF -832852df-b29f-4f50-9484-ef1eeb88de25,707406f0-991f-4392-828c-4a42b6520e72,MEMBER_OF -701bbee3-c908-4d41-9ec3-5a169311200d,19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9,MEMBER_OF -bce6da5d-b1c8-499a-b4e5-de701a33bc58,18dba8cf-ce28-40e3-995a-ee7b871d943b,MEMBER_OF -160b648e-777a-4aa0-b741-cac74c79f325,bec7f13a-7ae7-4ad7-a5c5-ca2b3728785c,MEMBER_OF -40f3b456-4059-44df-be2f-f4ecb246b87e,8dc91968-9d5b-4e1e-82e1-507f51b67802,MEMBER_OF -59d92e73-b888-4564-8a15-be55410a157e,2ca51d2d-6d15-4b84-9e66-98cff363ae64,MEMBER_OF -2f01e2e2-c7e8-43bc-9e79-ce9de3176654,81e7066a-e9e2-41cb-814c-fc579fe33401,MEMBER_OF -e58cb996-6f06-406d-947c-9eb4f0540efd,a8231999-aba4-4c22-93fb-470237ef3a98,MEMBER_OF -ade408c9-bb4e-4399-984c-9389c48322a9,02a2745f-ff6d-45ce-8bfe-6be369c3fb50,MEMBER_OF -8a3a8f86-c25b-4419-be35-75a1b7697881,84a95dd1-6640-4a78-937a-acb9dab23601,MEMBER_OF -2f884b3a-27e3-4d0e-9099-32b82bc7995e,db07fa7b-d0f9-44b4-981b-358558b30f4c,MEMBER_OF -61dfa6de-a4ce-4bca-963d-18b25f7ebdfe,3053cc3e-569a-45b7-88bc-71976c4cc078,MEMBER_OF -cc568905-fcb8-4831-aa25-a5785a9a2014,133e9d7e-7d4f-4286-a393-b0a4446ce4f2,MEMBER_OF -85ee81b6-3806-41f4-93b9-1faaa3119dce,71687e97-c1cc-4dd0-8c2c-5bee50ab8b80,MEMBER_OF -ed7be0cc-0770-46b9-9602-7a26a24b4a27,31438176-2075-4285-b76d-e19ddf0d95e2,MEMBER_OF -b7e11a8c-4b99-4ff8-ae9f-50abf09939bd,f0202075-a64b-47e6-bddb-ef41452ab80d,MEMBER_OF -4b6111e7-e42b-4b2a-a85d-8fdca3fed827,d84d8a63-2f4c-4cda-84a2-1c5ef09de68c,MEMBER_OF -5bd0b3e4-81eb-40c1-bdde-2a38a27a426b,16ae7f7d-c1bc-46ab-a959-a60c49587218,MEMBER_OF -b32d53d5-a6af-4d7f-a2d1-592df5783ae3,33431983-0ac8-446b-859d-5e914de5e39c,MEMBER_OF -fbfd373b-454e-43d4-b960-2a158c8a82a4,4df8603b-757c-4cb8-b476-72e4c2a343da,MEMBER_OF -8ce3006a-df85-4d6c-8287-252e8add092f,9ff1a8da-a565-4e98-a33e-9fe617c7ad79,MEMBER_OF -d036e246-20ed-4f61-8f65-153de97da0ec,a5990335-b063-4f4a-896a-7959e2e559ed,MEMBER_OF -ae36eb9d-b5b1-47e7-8892-e5573dc49441,2ca51d2d-6d15-4b84-9e66-98cff363ae64,MEMBER_OF -9ebc14ae-cbad-4e6e-9850-70c50e43706a,2400a836-b97a-46ca-8333-28c2e780ee3d,MEMBER_OF -31c962b6-04aa-447b-b765-574f59caeb82,5c2b13a8-60d9-4cef-b757-97a6b0b988e4,MEMBER_OF -29149591-7de4-48e1-b559-72d03aaff924,d5af1ee6-11a8-42e5-8f8e-08e77ee097e9,MEMBER_OF -1adf28c2-ee2b-4fe0-83cd-15b619f3b962,67232110-4863-40da-be01-a95147537a9c,MEMBER_OF -744aa7ab-c028-45a8-b358-b6ed8137975b,57ef2b36-fb70-4cc1-8565-9210919e4650,MEMBER_OF -1b43a673-8566-4bb4-a397-b0935170ea2e,6ee93085-1711-4bbc-9d3a-cd894470c4bf,MEMBER_OF -7ec0cff3-b490-4ab9-95b0-b8ff66e34def,429e6376-361c-46fb-88f2-459de5eaec25,MEMBER_OF -2a9b3624-6551-4ccf-99a7-6c90b5d297b1,3d40d597-6ecb-451f-ac63-3516c5862d1f,MEMBER_OF -efb2f03e-b290-45ec-ab63-18106c95b7c0,8df81a3b-afb7-454c-a504-d190da845e0b,MEMBER_OF -ba506733-ab4d-4906-9c7f-493cc1ae7df7,151fbf5f-baa0-4d13-bb7d-6f9484355e78,MEMBER_OF -c0dfcf19-274c-45b4-b44f-3684a15633cc,c700e245-1664-4459-8f89-f26b2548d901,MEMBER_OF -746c22d6-3c3d-4c9f-81ea-ebe372a2758a,8f14f922-9f58-4ad6-9ec9-327e95011837,MEMBER_OF -0b90d4d0-be62-47b0-ba1c-faa3d1a0b2f1,fe144e07-945e-4c66-a148-781275800599,MEMBER_OF -544a7411-099f-4fd0-a1ce-ec02a1621698,23166e6c-bf72-4fc7-910e-db0904350dbb,MEMBER_OF -9fd159b5-abc7-404e-9f01-c2dee958cac0,a5990335-b063-4f4a-896a-7959e2e559ed,MEMBER_OF -1823efd8-af86-4aed-a418-da9027854eda,0028bcf2-b18f-43c8-bb7c-06b214b4b37f,MEMBER_OF -2c2413b2-a2fc-44b0-9bb6-f999ca10e394,fe22a382-f319-410e-8d77-54919bc2f132,MEMBER_OF -c60f385d-2918-4fe2-8b9e-09e4232370e8,858b5895-efd8-4ea4-9a11-e852dc4e8e89,MEMBER_OF -3ce01145-5711-4724-8409-fa83f7c721a0,56e577b7-e42b-4381-9caa-905f9fcc08e5,MEMBER_OF -e89af8ec-6bf7-4fea-8f5b-6a87f28684dd,d5af1ee6-11a8-42e5-8f8e-08e77ee097e9,MEMBER_OF -17debb07-89ed-4f7f-87ff-949f7c9e38e7,19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9,MEMBER_OF -b18955c6-5f8d-4741-ba78-70b335fa964b,597ab710-aa67-41fe-abc7-183eb5215960,MEMBER_OF -c5f4b56f-f40d-4602-8e1d-92e4c7fea598,5fadd584-8af3-49e7-b518-f8bc9543aa4b,MEMBER_OF -de21fd53-3afe-43cb-aba5-0b70f6014b3c,e3933806-db81-4f2d-8886-8662f020919b,MEMBER_OF -28245430-1a81-4923-9364-3b9c9d049005,f7feddb7-c9cc-4e58-85ec-44e947a9f370,MEMBER_OF -d1cca693-4f8a-4feb-a089-780c9ee8c964,cb00caa7-48f7-41db-bd55-a6f1ca740ba5,MEMBER_OF -afb98514-101d-44a1-83f6-83d5132fdc92,d9f16b96-42fe-4712-a4a4-10d700b7e4bc,MEMBER_OF -ba2e841b-7923-43b5-b7b0-c28b6172606c,b5a5dfe5-4015-439f-954b-8af9b2be2a09,MEMBER_OF -752913e2-990e-4680-aecf-a774d9eb9777,9ff1a8da-a565-4e98-a33e-9fe617c7ad79,MEMBER_OF -d8090ba7-49e6-4fab-a5ac-3d39bb62fddc,d458ca78-3784-4c95-863b-02141f054063,MEMBER_OF -6cfaf27b-e74f-4072-95a2-d83c6d1e3dae,60610e12-fa4b-4aac-90b7-9db286dcba5e,MEMBER_OF -934f98aa-86c2-4ee9-91a3-344140819732,fd20c2d2-5ad3-41bf-8882-1f2f4d7872ac,MEMBER_OF -3da180a4-2e51-4511-bd82-d970fb7954be,46a3ddfb-ed32-48e2-80b0-479a662e0b2c,MEMBER_OF -13fdef4a-c42b-47a1-a05d-ac76968bae41,65d8fb43-cd35-4835-887e-80ae2010337b,MEMBER_OF -8a6a8d56-dd6e-4555-bee2-649c2bcf6d82,a35c5604-774c-4820-ba3e-159aca1cd047,MEMBER_OF -8703fad1-7936-410d-b076-563ce6225459,5d6b4504-ce14-49a1-a1ab-0b8147f15e26,MEMBER_OF -685dcb7b-3dc1-4ec7-b32c-cbd175675210,25a08c6b-414c-430f-891b-86aacac98010,MEMBER_OF -0fe3f2d3-b8b6-4295-b571-16a600feb414,5fadd584-8af3-49e7-b518-f8bc9543aa4b,MEMBER_OF -172c9784-928d-4ff6-8d0e-a4ba40654edf,b6d4a8ed-7001-476d-8207-c9272216f10f,MEMBER_OF -319eb65d-16c3-477d-bf26-ce6ce6b4d7ea,a187f582-4978-4706-afe3-9bd37b2468c8,MEMBER_OF -4621b77f-4309-4b36-8634-5aed824ba41a,90ad117c-76c2-4be3-acb7-c5ccaa2159e8,MEMBER_OF -d021f1e3-a4e0-4f7d-9385-e08c2049676d,1367e775-79ba-40d6-98d8-dbcb40140055,MEMBER_OF -ccda97dd-8e38-47e8-9c99-119434ca65c8,3d65bb01-ff6b-4762-b55f-f59d5d63e057,MEMBER_OF -c3b45195-facb-49d6-9f62-e5bb56a934fd,22877d8e-e1fb-4433-8fe6-1165ead973be,MEMBER_OF -b64c4c56-5338-40bf-813a-faeaaa72b728,40693c50-8e07-4fb8-a0bc-ecf3383ce195,MEMBER_OF -e97a0171-5708-42f4-9fcc-c0767800b912,7084ad06-71a2-474b-90da-6d4d73a464f6,MEMBER_OF -5f924836-ad87-439b-a806-dd3baaddfecf,46a3ddfb-ed32-48e2-80b0-479a662e0b2c,MEMBER_OF -076a757b-05e4-41df-b087-fe43382a6cb9,bec7f13a-7ae7-4ad7-a5c5-ca2b3728785c,MEMBER_OF -b0e72e26-4b44-4745-a23e-7c3a329cb8a1,caacd0f1-bf97-40b2-bcb0-f329c33b3946,MEMBER_OF -671ed340-12e4-4aa2-abac-efa7b17aea7e,3545d9f1-cf47-4f11-b415-5ad73aef7a4a,MEMBER_OF -ec70b483-3201-4d21-99c6-83bd69be8138,8968fdf0-d411-4899-9aaf-632d1ff2ca1c,MEMBER_OF -2760bdc7-004b-453d-b6a4-6ea473863702,0c0ac4aa-5abe-48bd-8045-4f8b45ed8fb9,MEMBER_OF -4151f623-0f20-4ee1-84ee-e4f3f12c9870,d84f87ab-abaa-4f1a-86bf-8b9c1e828080,MEMBER_OF -feb059ad-cf2e-4647-a2c2-5579d1fb0df6,b49d9c5d-2d71-40d7-8f15-e83e4eb10a48,MEMBER_OF -88e2f489-8290-4168-8b2b-e7ee83254760,bc500cec-4845-4282-897d-ffe1080962ff,MEMBER_OF -174da4a6-7828-46aa-b0ea-e1b3a3353b58,4a75fa22-38c9-4d95-8e19-0e0d24eba4ef,MEMBER_OF -313eef3b-6653-4284-b712-c665313e7362,dc830ca3-fe01-43bb-aa7e-d5bb75247b56,MEMBER_OF -b8a17518-4186-4a5a-b7d1-49de3bc0c949,07c46b33-d48c-4dee-b35b-ff3bec33eef1,MEMBER_OF -c0260289-801c-4c0a-a925-205ae14c7a0e,4e7ff31a-312b-4994-a72a-0d09ac27730a,MEMBER_OF -cabcf30c-5803-4660-a925-c2073402341c,20807c32-7f81-4d4e-8e04-0e9a3a3b1eca,MEMBER_OF -69c2a303-d9c7-4c7f-a242-53d1846a38e9,a3497e7c-ec38-428a-bdb8-2ef76ae83d44,MEMBER_OF -9f8eba47-dc35-4032-a7cc-4c3d922214e5,43c67b64-aa19-4d3c-bd4e-c18799854e93,MEMBER_OF -bb9721d2-ea5b-448b-b1a1-97e21f9da14a,e96fb986-f0bb-43aa-a992-f84eea493308,MEMBER_OF -fa80ebff-9233-40b7-97c2-469afdccc35a,d458ca78-3784-4c95-863b-02141f054063,MEMBER_OF -5f87cee6-cd89-4147-8e17-78b25b5e8cf6,faf65b89-6f63-4e09-b90e-fb6d570845e8,MEMBER_OF -017674dd-7725-4985-aede-0f39f81cc867,ca6d549d-ee2c-44fa-aea6-9756596982a1,MEMBER_OF -c3c41c17-5dc2-4ab1-9ed7-dd90b6f6c15b,6dfa800d-540a-443e-a2df-87336994f592,MEMBER_OF -d34f6890-57f2-4971-881b-e6f9ded4b576,b5a5dfe5-4015-439f-954b-8af9b2be2a09,MEMBER_OF -36f01ab8-7c44-4d77-ae04-b0f75a0374f3,c888853d-5055-438c-99f8-9a9904fd76a8,MEMBER_OF -3e767a9b-7784-4396-8c59-699b6d643452,a900674a-7b19-4726-ad29-6f76b4a62bc1,MEMBER_OF -76af36fd-f360-4db1-8fb5-82c517df8f5c,e1eab1f1-0342-487c-ba7e-ff062a1d0f93,MEMBER_OF -375e8838-bc0b-475f-9915-377d2442d92a,fce88bd9-e2a3-481e-bedc-dbebd5343f08,MEMBER_OF -b8551dbf-1bee-48b9-b745-23ad5977ee5f,9601d7a6-6282-4247-8ae3-2ea160bc757f,MEMBER_OF -e95fa7d2-3a30-4252-a78c-dd34a10f1e00,0260e343-0aaf-47a5-9a99-ae53cb3c2747,MEMBER_OF -1bcd01c0-8657-46c3-8284-d5623b04916a,7084ad06-71a2-474b-90da-6d4d73a464f6,MEMBER_OF -9281b20a-874a-4146-b429-e27513153e92,1ec79271-8c21-4966-8bae-d0ca12e84974,MEMBER_OF -692b94d5-eda3-4ea6-8cf8-776e326cf9d6,9384f475-5183-4a60-bfc5-53102d9f4d56,MEMBER_OF -d42b8f04-9557-47a5-9f0d-1492e29ed9f3,d458ca78-3784-4c95-863b-02141f054063,MEMBER_OF -3c80c617-a158-436d-bfeb-cc250f3e5550,75539787-79ff-423d-8de4-53b030861d69,MEMBER_OF -afcd1f05-228f-4b7b-8652-3def28d6c131,5df15f36-f0c3-4279-b2f1-4bbb6eb6342c,MEMBER_OF -718d2a1d-e1a2-4bf3-80c3-4d5a1594a384,83a7cb36-feee-4e71-9dea-afa5b17fbe7c,MEMBER_OF -4921ebef-238f-4014-b98c-81918dd1ec43,d5af1ee6-11a8-42e5-8f8e-08e77ee097e9,MEMBER_OF -5ad88fa2-100b-4e87-95a8-49978fc00940,ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2,MEMBER_OF -9b334383-0f9e-422c-882d-afaa609e0a23,743983ca-55ad-40a7-93c2-9051bf14e946,MEMBER_OF -6cb2e6a9-0244-472d-9f26-b0fd9707a22a,011a93a0-8166-4f24-9bb0-613fb7084acf,MEMBER_OF -de5eb87a-1ebb-47d5-bc04-232f7c76bfff,27d663fa-1559-4437-8827-7dabba59fdb0,MEMBER_OF -c9b610ff-d8f9-4503-be09-746d75c8698a,84a95dd1-6640-4a78-937a-acb9dab23601,MEMBER_OF -c1eb7438-4659-4166-8d18-36e8785330d6,5c4c4328-fea5-48b8-af04-dcf245dbed24,MEMBER_OF -67a9265f-2dc0-4846-a4a2-557665f26643,06036f2c-3694-4d8c-a275-2f201ae299d2,MEMBER_OF -8d03e61e-c800-4c13-bb99-df7ddff8b86e,9ec7d2ef-2b5b-4192-911c-b293479d9a17,MEMBER_OF -ad000b75-9670-4d12-bbaf-45faed52a769,6ee93085-1711-4bbc-9d3a-cd894470c4bf,MEMBER_OF -f2c9708f-d331-4b06-a7fc-c24991ecc236,46a3ddfb-ed32-48e2-80b0-479a662e0b2c,MEMBER_OF -075a1588-d622-4b6b-8f44-3d3d98a4d4e9,60610e12-fa4b-4aac-90b7-9db286dcba5e,MEMBER_OF -25248c59-4e36-43ad-94e6-8c2e0e7bfca4,618bbb9b-7bee-49cf-a459-377aa5ff7b86,MEMBER_OF -6271907c-5ce9-4c5b-a4fc-599da0e07a36,dd93b349-8a58-4ae5-8ffc-4be1d7d8e146,MEMBER_OF -fae90e28-332c-4ea8-adf2-172366a8eb12,24d15539-70b6-40c3-9370-d44429270273,MEMBER_OF -8b01cf0a-4b2d-48d6-aea0-26386c559656,c8ffeb37-4dce-4610-bea3-1e848b34c034,MEMBER_OF -e365d855-70f9-4cce-92e2-b40dadfc1f00,f835cf7a-025e-40e8-b549-3be781938f19,MEMBER_OF -fbb5c60c-be13-4b83-8600-7c1fda813859,756f1c00-e01c-4363-b610-0714cdfc68c2,MEMBER_OF -04cffb19-1597-44ec-ba3e-e9777540541b,d7a360ca-83b2-442a-ae2a-3079163febff,MEMBER_OF -242080d8-cdde-451e-a005-fd41f0d1d3f0,3b3f7978-53e0-4a0c-b044-be05cb7fad97,MEMBER_OF -3533472f-5751-49d0-b6d8-8f9d1f976968,93f1f74c-134d-456d-8f49-968d930c3ad7,MEMBER_OF -7acf470e-2be6-48a0-827c-a5a75f67c358,23166e6c-bf72-4fc7-910e-db0904350dbb,MEMBER_OF -7eb8343b-24a9-465e-80f6-b24f0fff3ec8,4ab054e6-6653-4770-bcdb-f448ac2a07f5,MEMBER_OF -937a6f0c-0cd9-4b7f-aeaf-aadb897be5d5,08b87dde-06a0-4a00-85fc-4b290750d185,MEMBER_OF -eeeb402a-b990-445f-a82f-cda3bc9e64a7,7d8634f9-d608-4589-a06c-cf0be4d539bc,MEMBER_OF -d4417703-f1d4-47e2-8634-d66add79e478,3e23d466-e305-42d8-9599-c6a931b7e827,MEMBER_OF -a0da74c1-b61c-4b62-9353-1cbcd018ae3f,f7feddb7-c9cc-4e58-85ec-44e947a9f370,MEMBER_OF -0218f57c-ac4f-4f13-84f7-8c2f6c06bacb,43c67b64-aa19-4d3c-bd4e-c18799854e93,MEMBER_OF -3845eb11-ca3b-477c-be72-2880b4b48edd,bcd28f5c-8785-447e-903c-d829768bb4d7,MEMBER_OF -af38dc0f-a610-42d5-82cf-eb5d7266b730,a34c9b30-182f-42c0-a8a5-258083109556,MEMBER_OF -3d1b1023-48cd-43d3-a414-34fbda5981d7,5d6b4504-ce14-49a1-a1ab-0b8147f15e26,MEMBER_OF -b864cb77-3f69-4ed9-9cf4-691f92eb0539,92abbcf2-007c-4a82-ba94-c714408b3209,MEMBER_OF -7c1c674c-9208-41e3-bb40-22d2beec195d,b90b0461-013f-4970-9097-1b15f9708b3c,MEMBER_OF -90dc190b-2e2c-4b79-a382-ae4fab10205a,45249454-edef-4d93-a5d2-f6f14e123707,MEMBER_OF -b22f7fe8-4789-497d-b1e8-bde5efc9b4db,f15012b6-ca9c-40af-9e72-f26f48e2e3d2,MEMBER_OF -690e91b3-4b7e-4a97-8a6c-dae2fa9b6537,fe897059-b023-400b-b94e-7cf3447456c7,MEMBER_OF -0d7f64d8-858b-41ad-8352-90c96e34cefa,793b2d4e-9ad4-495e-bf5e-f84dd09aedf9,MEMBER_OF -a4821e38-9771-42ee-8124-b37d26cf48ad,c8a2f333-b375-4015-868d-0476c7fa7780,MEMBER_OF -6f52c4f5-8dad-4a19-a6e2-e680be25fb97,20807c32-7f81-4d4e-8e04-0e9a3a3b1eca,MEMBER_OF -e4f399e5-527c-48e3-a7fa-df653edecb36,278e71b3-2e69-4ee2-a7a3-9f78fee839ea,MEMBER_OF -9a1ea17d-5b92-47fb-976d-256073048178,cfea1941-d200-4d5b-9710-8fcf08cfd02d,MEMBER_OF -660ccbff-fcf3-460d-8e5f-3c1951a9581c,f835cf7a-025e-40e8-b549-3be781938f19,MEMBER_OF -6ed42ea4-524d-4f67-b6f6-f25505b484f5,9ff1a8da-a565-4e98-a33e-9fe617c7ad79,MEMBER_OF -bb2d4e6c-7b00-4bcd-9980-89fdc0c3d40e,ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2,MEMBER_OF -8d2f4c83-cfdd-4aac-a954-0172c2807c58,bc500cec-4845-4282-897d-ffe1080962ff,MEMBER_OF -58f8cac4-917e-4f0e-a2a9-f92a52fc8573,4a75fa22-38c9-4d95-8e19-0e0d24eba4ef,MEMBER_OF -8e345bba-5290-4da2-b60b-20da3d086b1e,bd0657d5-8de9-47d3-a690-57824c2f2fbb,MEMBER_OF -884a3115-2f02-4415-86d8-3f3667cc1548,07c46b33-d48c-4dee-b35b-ff3bec33eef1,MEMBER_OF -2838b035-a8d3-48fc-9a00-07e30536ce83,d99e6edc-f0db-4c16-a36c-2f4fd0a28283,MEMBER_OF -60f4e703-8451-453b-91d4-4ee78ebc6f89,0d2e48b3-fb33-463f-a7ee-e4013f782b0e,MEMBER_OF -2ec00925-b79f-45f8-abaf-7526cd4c4fe3,b107099e-c089-4591-a9a9-9af1a86cfde1,MEMBER_OF -56bd1cd7-8b16-4c60-86e9-95ad362fce77,1b03a988-18e7-4ea5-9c89-34060083eaea,MEMBER_OF -7477c7f6-6c83-40cd-af1e-aae069b62e54,722b3236-0c08-4ae6-aa84-f917399cc077,MEMBER_OF -6770337e-7713-4374-ba79-ac3f8a813de3,1e1b971b-7526-4a6c-8bd1-853e2032ba8e,MEMBER_OF -e9064201-7434-48c4-8244-edcc2339b0f8,a187f582-4978-4706-afe3-9bd37b2468c8,MEMBER_OF -55f06bb0-9036-4cc7-b6d4-a7a04acc5e38,ade1fdc7-d2b5-4276-8e34-4df3075e37a0,MEMBER_OF -49a72607-de36-43af-9934-f68739cb4449,0f046820-2a39-4b2d-9925-cec153cbe8cb,MEMBER_OF -51d99e54-b70c-42aa-a512-73e361361380,fb060075-4c05-4c05-9c1b-fc1531f548a5,MEMBER_OF -b782e50e-36a7-4a4d-a48a-30aaf1f228b0,c0edc149-153d-42e6-8520-aba4174b832d,MEMBER_OF -a169d3f3-2fc9-407a-9543-a875ac897146,72248fc0-155b-4ffe-ad5a-e95e236e24ed,MEMBER_OF -f1065099-9da3-4dac-9cad-26c2581fa1d2,bc4fcf59-dcf6-42bf-ae74-c7a815569099,MEMBER_OF -44a3478f-fe2f-4bfb-b178-724ee460eb2a,5c2b13a8-60d9-4cef-b757-97a6b0b988e4,MEMBER_OF -cc844911-a923-4194-a7bc-b1ad8f1f343b,387329b0-fc59-4ffd-97ba-258ed14d4185,MEMBER_OF -f6c35528-e39d-45bc-b074-80182eb9d372,6a75b28a-db14-4422-90ca-84c6624d6f44,MEMBER_OF -8d8a7b68-abe9-4218-b21c-a48e1fa356eb,989b87b0-7bf5-40f9-82a1-7f6829696f39,MEMBER_OF -ff5ed72d-fb24-4d0d-9fdc-d48772249efa,9154a687-9ea4-400e-92d4-1f8d6a4efd45,MEMBER_OF -517719ac-d656-4111-bb98-6403230c9ba8,7af32566-8905-4685-8cda-46c53238a9ce,MEMBER_OF -12a8d247-3579-4f93-aded-cab96e9a8b5e,1d8a9355-cc45-49c5-a3f4-35be92f8f263,MEMBER_OF -ba1be848-a547-42ab-903c-8f3affc2c162,19f191e8-2507-4ac7-b6d9-2ae5e06a7bf9,MEMBER_OF -b9b55ca6-5a44-433a-b6cc-c049cd84aa7a,ade1fdc7-d2b5-4276-8e34-4df3075e37a0,MEMBER_OF -3dfbbc06-0392-4bce-b793-2eedb448b577,1a185320-fa73-49e9-905e-acffa1821454,MEMBER_OF -48c0a791-6333-4a83-a819-49b59d8a89f2,604f8e2e-8859-4c5e-bb15-bee673282554,MEMBER_OF -ce7900ee-b1f9-486c-99c6-25396b3e442f,163ed53e-753a-40b9-aa4d-645c1e9dc673,MEMBER_OF -346c5933-8f40-4cdb-ae04-e8206a537ba3,4e074598-e19e-411f-b497-27544616e7aa,MEMBER_OF -bd32e50d-e658-448b-a0d3-f099c5eea79e,3545d9f1-cf47-4f11-b415-5ad73aef7a4a,MEMBER_OF -5b1692df-eb6a-4d64-b636-b61a46c54c12,5da5b69a-9c78-42c3-a5b5-97c12fe93f4b,MEMBER_OF -b3f3e210-4123-4b25-82fd-3221a2624d77,c8a2f333-b375-4015-868d-0476c7fa7780,MEMBER_OF -02e67d07-642f-4054-b082-c223e1f1c740,8df81a3b-afb7-454c-a504-d190da845e0b,MEMBER_OF -540126ec-cd29-4100-b386-b8f3b1532a8e,65d8fb43-cd35-4835-887e-80ae2010337b,MEMBER_OF -f37a5b78-5aee-4ae6-9756-8a01fc7d49e3,3053cc3e-569a-45b7-88bc-71976c4cc078,MEMBER_OF -2df83b44-a76c-4c6d-9fb0-b8d3503be17f,bfabecc2-aeb2-4ce6-85c2-27c2cc044f21,MEMBER_OF -552e5458-2a95-4f37-8275-300e615b6679,81e7066a-e9e2-41cb-814c-fc579fe33401,MEMBER_OF -595dad8a-55cc-4e58-83f4-543ee0fd5567,1cc22c4c-07af-424d-b869-3b5fd1d7d35b,MEMBER_OF -be0297c9-19bd-47ad-868c-a4c2455b0b84,bc500cec-4845-4282-897d-ffe1080962ff,MEMBER_OF -dc8927ed-414c-485a-9750-b1a97bfa3c98,e439a3a5-c585-4c44-93d6-4cb19ec536e2,MEMBER_OF -78fb6037-5e91-4a7d-9c57-c8d9448ebb28,24d15539-70b6-40c3-9370-d44429270273,MEMBER_OF -0daa5b9a-c951-4032-a1ef-47a0305260d4,31438176-2075-4285-b76d-e19ddf0d95e2,MEMBER_OF -92de6008-ade0-46b9-890b-ba8ca22b5a2d,46a3ddfb-ed32-48e2-80b0-479a662e0b2c,MEMBER_OF -f1f52d5a-a6a1-49fc-8be3-f1d0f724880c,db07fa7b-d0f9-44b4-981b-358558b30f4c,MEMBER_OF -bf312fe2-0066-470b-8660-9886e2e1fc50,e240475b-f90b-471d-b73d-9f1b331ad9bd,MEMBER_OF -c14b92a3-4477-412e-9243-f72730bb46e6,3e23d466-e305-42d8-9599-c6a931b7e827,MEMBER_OF -7c6ada7d-5d59-439c-a853-87f939ed151e,a742f2e3-2094-4cbb-b0bd-cbe161f8103b,MEMBER_OF -43532731-571d-4337-a6e4-a1883fedafe2,3dda0bcb-6039-4f6e-91a7-5f010e930e8f,MEMBER_OF -a5234055-0c90-443f-af78-acb6eee69f13,46e02390-6910-4f24-8281-a327e5472f73,MEMBER_OF -b11b0e79-480c-410b-b8c0-f5d92b945fc7,901ca5e1-26d1-4743-83b3-6b2a6a25658b,MEMBER_OF -d5681b2c-c769-41c3-b4d7-bf84d04a7699,05d42a68-33f9-4c51-be80-33fd14c50c8b,MEMBER_OF -601d8b21-45b6-4928-9980-5f8603ec0266,eee2e97f-1d1f-4552-abbf-c615e64f8377,MEMBER_OF -3980032e-93a5-4a36-96b5-2cd5ce946742,387329b0-fc59-4ffd-97ba-258ed14d4185,MEMBER_OF -19bb8034-4b23-479e-8a1c-3ce14ac8013d,1f6566d0-b6a6-47ef-a8e9-9d1b224cc080,MEMBER_OF -04c070aa-c93f-489a-ae97-cfbe8ab53e09,b9f042ca-3f4c-4398-abc0-8dd37a4d6c8c,MEMBER_OF -b3edb7e2-65b1-4870-9743-a18d19324a9e,707406f0-991f-4392-828c-4a42b6520e72,MEMBER_OF -83fe671f-defb-49a8-a4af-2876fb538ddd,c5c601cd-9301-4c5f-b543-c104bcb593cb,MEMBER_OF -5ae2435d-0c1a-44c5-b46b-8a7d6b264ff6,790c095e-49b2-4d58-9e8c-559d77a6b931,MEMBER_OF -aee633eb-8ee7-4c2d-952f-2a32499cab3f,e96fb986-f0bb-43aa-a992-f84eea493308,MEMBER_OF -f71ecbab-ca1a-45e6-8e9b-926c44d86384,45249454-edef-4d93-a5d2-f6f14e123707,MEMBER_OF -b7dcce92-0c6f-4415-951e-43909b4c3b50,278e71b3-2e69-4ee2-a7a3-9f78fee839ea,MEMBER_OF -b9fde3f0-70d1-49c4-965c-803c9dc0689b,daacbcbf-ae02-4057-bd41-555bf8dc954d,MEMBER_OF -c5ed9a8b-e116-4db2-83c8-81c099259b3b,fff9028c-4504-47c1-8b12-c4b23391d782,MEMBER_OF -a7d22045-19e8-4631-bac9-fcf1ba8ded6f,72248fc0-155b-4ffe-ad5a-e95e236e24ed,MEMBER_OF -02ac1f17-c31e-4aaa-bba7-b9a090fc1e1b,0c0ac4aa-5abe-48bd-8045-4f8b45ed8fb9,MEMBER_OF -9e897983-45a9-4157-b978-881543bbc7fd,e3933806-db81-4f2d-8886-8662f020919b,MEMBER_OF -d03da252-88f6-46b3-90c4-ae6c215900a8,a900674a-7b19-4726-ad29-6f76b4a62bc1,MEMBER_OF -a607fba4-e122-46b8-b49f-97ec3d224bdf,57ba8002-3c69-43da-8c14-9bfa47eab4d2,MEMBER_OF -30ab6984-db33-48a3-95fe-a1e7c257b05e,fe62c40c-2848-4765-8cdc-617cc17abd41,MEMBER_OF -f2786885-7663-42ba-b387-838d7999ff01,24d15539-70b6-40c3-9370-d44429270273,MEMBER_OF -056106f8-cbb1-4c3b-aabf-e0a8ddc4b57d,75539787-79ff-423d-8de4-53b030861d69,MEMBER_OF -3cb26040-9494-4ef4-bef7-eab2a3e9b9b7,3e1b2231-8fa4-4abc-938f-7c09f30b37fc,MEMBER_OF -b11d88a5-662e-4017-8724-6df6a7890435,6ea27b5d-1542-454f-8653-e48fccb7238b,MEMBER_OF -333838e9-1fda-47f3-9b48-50671d48c717,faf65b89-6f63-4e09-b90e-fb6d570845e8,MEMBER_OF -86334c4e-6dda-4743-a3ea-e8586906f46e,02a2745f-ff6d-45ce-8bfe-6be369c3fb50,MEMBER_OF -05901586-e3f8-41a3-9bf4-a81b546ed65d,ac7b5a8a-d4b1-4b7e-9810-78ee9fe73ba2,MEMBER_OF -7b806c4f-730c-4d20-8546-a7cc46cbd9cc,477c7c87-6dd8-4cf6-8331-3f25ba1db67b,MEMBER_OF -d1596596-f844-4179-9e7c-5704195aefe6,d5af1ee6-11a8-42e5-8f8e-08e77ee097e9,MEMBER_OF -60e46e8e-f41c-4cc8-875d-36253a58d197,451a785e-6805-4a2e-841b-ac6e5e648c7f,MEMBER_OF -ed02b64a-bf66-4383-bd26-78709e27b295,d9b5a320-d95a-49aa-8d11-acd754db9f39,MEMBER_OF -6d439c2b-8de7-48e9-bb10-a180ba51cdfc,e1a357d9-a7f1-4711-9d5b-fd15e9172330,MEMBER_OF -2ad16adc-c924-41b0-a98b-c2610e7f461b,477c7c87-6dd8-4cf6-8331-3f25ba1db67b,MEMBER_OF -e2a07ade-5ae3-4985-a49b-b337d12d40d3,3e1b2231-8fa4-4abc-938f-7c09f30b37fc,MEMBER_OF -efd974fa-3f0a-4a72-b9ad-ab95f349e3ac,17a33262-42cb-45a2-a05d-df3a56261411,MEMBER_OF -328c2121-de29-47fe-902d-7b07e94e8da6,3545d9f1-cf47-4f11-b415-5ad73aef7a4a,MEMBER_OF -922c9d10-b454-49e5-bfb2-d733b013ce5b,bc4fcf59-dcf6-42bf-ae74-c7a815569099,MEMBER_OF -c3f4a98b-6f90-4a15-b293-eaf5282e51cd,02a2745f-ff6d-45ce-8bfe-6be369c3fb50,MEMBER_OF -dce0b3d5-c851-4d1a-bc7b-2e24d0809c67,16ae7f7d-c1bc-46ab-a959-a60c49587218,MEMBER_OF -f7d11363-0573-4ff2-81b9-b75ce6736b74,c9767f63-b044-409a-96ef-16be4cb3dc9f,MEMBER_OF -ae9acdd2-cb21-4228-855b-798624afe569,bfabecc2-aeb2-4ce6-85c2-27c2cc044f21,MEMBER_OF -6b748961-7c86-40b9-bc7a-c7aba1259d57,75539787-79ff-423d-8de4-53b030861d69,MEMBER_OF -a3a87e3f-d5b4-49f1-aa2f-5564405e44c1,2d719e75-080c-4044-872a-3ec473b1ff42,MEMBER_OF -aa6b2be2-dca5-4d02-a5cd-6d32e636ddf2,937ec6b6-ce55-4b49-b5c5-7602b8a81220,MEMBER_OF -bec166f7-b2e5-495b-a769-eca19ad62dbc,4df8603b-757c-4cb8-b476-72e4c2a343da,MEMBER_OF -88b6ed91-b054-4a5f-b016-7083a79c7b91,6ea27b5d-1542-454f-8653-e48fccb7238b,MEMBER_OF -56f56d74-330c-4336-9b19-22b3477b6904,09f575e9-9f5d-41ca-998f-bfa72a693b1a,MEMBER_OF -dc55416a-127c-4d24-b877-61f73e3ec9de,278e71b3-2e69-4ee2-a7a3-9f78fee839ea,MEMBER_OF -3b75f1d2-752f-47cc-9b81-a1910a7d366f,756f1c00-e01c-4363-b610-0714cdfc68c2,MEMBER_OF -01ae0f44-5908-4ac8-9a51-48866bd69e72,c9767f63-b044-409a-96ef-16be4cb3dc9f,MEMBER_OF -c31091c2-393c-4851-a26e-36ab6d9d5180,c02ab082-523d-4fa4-9ee6-ed56ca2b07b4,MEMBER_OF -64f964d2-d74c-4ea1-9158-60c855ecaaa3,432532ef-de67-4373-bf0d-f4608266f555,MEMBER_OF -dfa964c5-fbaf-46ec-9b99-dd0480e084a7,6f9118c5-41aa-47dc-8e6c-8da98577521c,MEMBER_OF -8b97c3bf-0393-43db-b22a-2a199aeaffec,d3002991-05db-4ad1-9b34-00653f41daa7,MEMBER_OF -b3a25557-7a82-44a0-907a-86471fd3e11a,ed28bf67-9fa8-4583-b4bd-a4beaefdd3cb,MEMBER_OF -fe133032-92dc-42da-a7f4-493956a1ed0d,c220a934-4ad4-495a-bfeb-221372e9720a,MEMBER_OF -23329d36-9993-4e61-b51d-4a96e4898bb9,cd737922-c027-40d2-a322-f81f17c69e0f,MEMBER_OF -40570f34-6d81-4f39-b067-26e9ecc6d9b2,937ec6b6-ce55-4b49-b5c5-7602b8a81220,MEMBER_OF -e55d1aba-8dba-4d53-9a3f-d9c8dfc4fb61,16ae7f7d-c1bc-46ab-a959-a60c49587218,MEMBER_OF -49abb7e7-da9c-45b8-89e0-21a6fc17f121,919bfebb-e7f4-4813-b154-dc28601e9f71,MEMBER_OF -2d52402b-294f-45ba-8eb4-48db48cab8b9,7ffab46c-8924-4c74-af34-159a02364b2f,MEMBER_OF -5dcc82f0-aacd-4c7c-b4bc-4682b864822a,e240475b-f90b-471d-b73d-9f1b331ad9bd,MEMBER_OF -8433d602-6b7f-4f17-9bf3-a8e2f63ad8ba,d3002991-05db-4ad1-9b34-00653f41daa7,MEMBER_OF -448657a9-6bb5-49f7-ae21-7067892864c8,963b02b1-fa0d-450c-afe9-ccac1e53db59,MEMBER_OF -20da5874-a917-4ed3-863f-15ad53d7249f,bfabecc2-aeb2-4ce6-85c2-27c2cc044f21,MEMBER_OF -2b36fb52-171d-443f-8ed7-585856cfd0b9,dd93b349-8a58-4ae5-8ffc-4be1d7d8e146,MEMBER_OF -ae5b02fe-71cc-4996-bbe2-f5939725c37c,81bfb4e9-02c5-41eb-9fbe-1aff93df64a3,MEMBER_OF -a2234560-1749-44d6-8db0-280cffff316e,47219f6e-b0c2-4dd4-9af6-935f2f731228,MEMBER_OF -730e12f4-6771-40fd-9225-5a0ddda5b6b7,5450bccf-e4f5-4837-82cf-92db58d34cf8,MEMBER_OF -832d46e1-7c49-406f-b183-4f5289bb6226,93f1f74c-134d-456d-8f49-968d930c3ad7,MEMBER_OF -132063b5-bca1-4772-af7b-fbe07d9bf89a,989b87b0-7bf5-40f9-82a1-7f6829696f39,MEMBER_OF -76778e07-06c8-451e-9250-d9c042cbf4f6,ccfd888f-3eae-4aa5-b532-a93cc157945f,MEMBER_OF -fda08281-e8d3-4778-b49b-d25b2448587b,a35c5604-774c-4820-ba3e-159aca1cd047,MEMBER_OF -1e2f52dc-be5e-4f60-90df-215c95872b75,5ce4cb87-dc34-4ac7-afc8-7825cf6993b0,MEMBER_OF -b77a01cc-62d1-4d8a-93ba-5a34d0643460,bc500cec-4845-4282-897d-ffe1080962ff,MEMBER_OF -14de3fe2-0a5a-4d7f-be29-efc0c1debc30,46a3ddfb-ed32-48e2-80b0-479a662e0b2c,MEMBER_OF -ac8af993-5a6a-4ad2-b37a-11c58eaba5b4,91dd0e08-1fd4-41a5-8280-ff2e74a49b42,MEMBER_OF -ef2bca43-d5f6-4bab-af51-bf69070c594f,ac244352-e9fb-4c4f-b0ef-ce93f5f39df0,MEMBER_OF -49ce29dd-a7d3-41dd-9d8a-5e78f225d6c2,faf65b89-6f63-4e09-b90e-fb6d570845e8,MEMBER_OF -eef30bb5-472b-45af-835b-e45f38215753,56e577b7-e42b-4381-9caa-905f9fcc08e5,MEMBER_OF -e0e2f2fe-a08a-4a3d-8135-9c3b12c6aa25,832beeda-9378-4e28-8f27-25f275214e63,MEMBER_OF -5e34cf9d-6b9e-4630-9c58-d4a5972cac80,ca6d549d-ee2c-44fa-aea6-9756596982a1,MEMBER_OF -3f3be2eb-552c-4646-93ea-bb1366f3abc6,2f4b05d8-d3ec-4afb-a854-d7818899afe4,MEMBER_OF -2953daff-3c58-4baa-b140-ec0e8f9d2953,60e842f0-2b00-4259-8690-865ea9639ab7,MEMBER_OF -6bec9301-8d62-4cf9-94fe-2e8f2d97ee73,c220a934-4ad4-495a-bfeb-221372e9720a,MEMBER_OF -4386e677-e092-46eb-a79c-8ee258e91da5,1a185320-fa73-49e9-905e-acffa1821454,MEMBER_OF -701f1599-fcbd-4753-b75f-498883c7900b,c0edc149-153d-42e6-8520-aba4174b832d,MEMBER_OF -d4b65285-68e4-4870-82ad-b733e034d9e5,18dba8cf-ce28-40e3-995a-ee7b871d943b,MEMBER_OF -05db8c85-ae12-46fa-aebe-ccf0ef9be26c,9ec7d2ef-2b5b-4192-911c-b293479d9a17,MEMBER_OF -3e0791a4-cda5-4953-9848-8817ece91242,d4ddc730-0f2c-48df-8619-b836dd3fff4b,MEMBER_OF -4ad905c6-49ce-4b30-8cc7-463416f4f021,278e71b3-2e69-4ee2-a7a3-9f78fee839ea,MEMBER_OF -202abedb-2821-4155-8980-ba9e2d9c7e8a,4a253d76-a16b-40bf-aefe-61f1140f69e8,MEMBER_OF -e88ed74b-0ce6-4176-88ca-4fcdca0fdcc5,4df8603b-757c-4cb8-b476-72e4c2a343da,MEMBER_OF -989e2b58-4cde-4727-8fac-674a97b84be6,9b2adc0a-add8-4de7-bd74-0c20ecbd74df,MEMBER_OF -0eb26845-18f4-4bb2-85fb-9b2068f92395,23166e6c-bf72-4fc7-910e-db0904350dbb,MEMBER_OF -ca98dd39-aca5-45c1-92f2-b9c576e0159e,b50447d8-6d95-4cab-a7e5-228cd42efebd,MEMBER_OF -2bff7d75-141b-4c75-956b-695e92d6dae4,ca6d549d-ee2c-44fa-aea6-9756596982a1,MEMBER_OF -8f5ad32e-6eb8-4caa-99df-7197af941145,a3497e7c-ec38-428a-bdb8-2ef76ae83d44,MEMBER_OF -18970d37-8b76-42a6-ba2a-6f25a52f5adf,57ba8002-3c69-43da-8c14-9bfa47eab4d2,MEMBER_OF -e92dfb93-424f-416e-9405-9159a025529b,79cfd643-4de5-46b2-8459-f1f6b8d87583,MEMBER_OF -50187d8d-65e9-4e73-913a-78118fa8c07b,278e71b3-2e69-4ee2-a7a3-9f78fee839ea,MEMBER_OF -53d735f1-5116-418e-8a19-b61c797c3a81,bcd28f5c-8785-447e-903c-d829768bb4d7,MEMBER_OF -0e1c6bee-a73a-457f-93b8-3c210cbdd1cf,3545d9f1-cf47-4f11-b415-5ad73aef7a4a,MEMBER_OF -d575ff50-16bb-43c2-9b4a-389f7a95defa,b107099e-c089-4591-a9a9-9af1a86cfde1,MEMBER_OF -f2c5c3c3-542a-473a-ab71-4413e89b207f,d84f87ab-abaa-4f1a-86bf-8b9c1e828080,MEMBER_OF -f066d430-6bb9-4b1e-bf10-9d3e0094b4de,83a7cb36-feee-4e71-9dea-afa5b17fbe7c,MEMBER_OF -1191e020-8e90-41ee-b499-e1b542e7f4a9,3c7dad3a-d69a-409f-91ff-6b6856a1b73d,MEMBER_OF -74cc5700-641a-40c8-95df-92750df5d1cc,05d42a68-33f9-4c51-be80-33fd14c50c8b,MEMBER_OF -82e5cf3b-7f79-47bc-acaa-c7d70ddc6afe,a5990335-b063-4f4a-896a-7959e2e559ed,MEMBER_OF -35f7ffb8-e48f-4d31-aa09-7290844dd028,1a185320-fa73-49e9-905e-acffa1821454,MEMBER_OF -a4065c0e-cff6-4aa6-b793-42a3a8bfe656,b10f5432-4dd0-4a27-a4c9-e15a68753edf,MEMBER_OF -e2335028-1b10-4a7a-8cc7-49e75e0c0ca2,5c2b13a8-60d9-4cef-b757-97a6b0b988e4,MEMBER_OF -e9d6345e-2aa0-4201-8428-64d459b7b7ef,2584743f-fb25-4926-b229-2468e4684fc7,MEMBER_OF -9e45fef6-a66e-4239-8bec-a3482a4f2a2a,9ff1a8da-a565-4e98-a33e-9fe617c7ad79,MEMBER_OF -674f21bb-612e-489f-bd7a-04047e89c2aa,fe897059-b023-400b-b94e-7cf3447456c7,MEMBER_OF -1b8bb294-3c32-4f90-b6e5-bd08c5e24198,f0202075-a64b-47e6-bddb-ef41452ab80d,MEMBER_OF -1cd48d19-fc7d-4140-b001-9ff74c61b3c4,5ce4cb87-dc34-4ac7-afc8-7825cf6993b0,MEMBER_OF -eeb45222-5c6a-4e85-b7c2-f553eaaaf5f8,1b03a988-18e7-4ea5-9c89-34060083eaea,MEMBER_OF -82a2da28-f000-4177-8595-fa7cca3065a7,0260e343-0aaf-47a5-9a99-ae53cb3c2747,MEMBER_OF -f1e6bfe4-f3bc-4c9b-b61b-7642a61e2b49,57a66cd4-f355-4c30-849f-a6c84f7528ae,MEMBER_OF -e658dade-c630-4d23-a7dc-76c37d4266bd,7df1ce76-3403-42ff-9a89-99d9650e53f4,MEMBER_OF -49c162af-5610-4ba5-904f-5f43a62616d2,cbba3ff2-3599-457b-ab09-728f11ff636d,MEMBER_OF -c3e347c3-8180-4b3e-bae7-cf2d3ad94863,a8231999-aba4-4c22-93fb-470237ef3a98,MEMBER_OF -7f38dc26-2a4c-40de-897a-e88bd291c77c,f15012b6-ca9c-40af-9e72-f26f48e2e3d2,MEMBER_OF -3c41fbc0-e98e-456c-bbdf-5a373b05a4eb,ee9360bb-fe33-4514-8dac-270ea7d42539,MEMBER_OF -4dd0098b-ab88-4dda-aafd-308ad0456c38,7ffab46c-8924-4c74-af34-159a02364b2f,MEMBER_OF -1087c2c3-affd-4fce-a791-742bdcb01878,dd93b349-8a58-4ae5-8ffc-4be1d7d8e146,MEMBER_OF -27076c94-cc27-4b6f-bc1d-6c2fdd1f1458,b5a5dfe5-4015-439f-954b-8af9b2be2a09,MEMBER_OF -cb760ace-a606-4836-91d1-58bae4d14f01,d0f56140-45f2-4009-8b4e-aa50ea8c177a,MEMBER_OF -941e35d9-74dc-4c1a-b8d1-e1b6d2b5efe3,d7a360ca-83b2-442a-ae2a-3079163febff,MEMBER_OF -60818647-e7ec-41de-8c47-2d8c76f63b50,b36619e5-9316-4c17-9779-b9c363443178,MEMBER_OF -bea008d8-e16b-405b-8c72-34305ce239eb,fe897059-b023-400b-b94e-7cf3447456c7,MEMBER_OF -6381d23b-429b-4343-b47b-43e188034de2,18faedc7-eba5-4224-85ac-124672b7f0c3,MEMBER_OF -092e8987-9410-4d4c-8d49-ae8b2f432b55,153e3594-3d15-42e5-a856-f4c406c6af79,MEMBER_OF -31307cf7-2acc-4e6b-9791-fc995119f739,5da5b69a-9c78-42c3-a5b5-97c12fe93f4b,MEMBER_OF -1f6122c6-dc9e-465c-a3ca-53806b01b4bb,153e3594-3d15-42e5-a856-f4c406c6af79,MEMBER_OF -74002db9-b909-4580-b352-f1478c09e6d1,4df8603b-757c-4cb8-b476-72e4c2a343da,MEMBER_OF -2fe0a01a-9935-420b-9169-efa34bfcb9f3,d84d8a63-2f4c-4cda-84a2-1c5ef09de68c,MEMBER_OF -34c33af0-995e-4cb7-87d3-cec4704a1729,c3f4ca5a-ba09-41d3-9ed0-36027c2b3523,MEMBER_OF -234f0289-52ee-4060-ad9f-22f60d0f1d47,ef756711-1e5b-43d7-bd85-751f5b5126e2,MEMBER_OF -ed72292a-41e9-48ef-be2d-731fcb85055f,20807c32-7f81-4d4e-8e04-0e9a3a3b1eca,MEMBER_OF -fcd76b72-2400-4a8e-a560-64053558a1c6,d225d3bf-a3ff-46b0-a33c-85d1287c1495,MEMBER_OF -4285853d-e4f4-4f00-a8f3-fac4f870032f,011a93a0-8166-4f24-9bb0-613fb7084acf,MEMBER_OF -86e2ecac-a12b-46e7-b89e-ee2653f7ead8,4e0bba17-56d7-466b-8391-4000245ed73a,MEMBER_OF -0147a158-d8f2-4ef9-a2ca-3704562e341a,8a6912ea-1ef2-4a99-b9b5-1cc6de5e6d3d,MEMBER_OF -1f62d401-2452-40fe-b1ae-02ca974943e2,9b2adc0a-add8-4de7-bd74-0c20ecbd74df,MEMBER_OF -3d0d97d1-eedb-425e-a5a8-d3dd5f183ce5,ed28bf67-9fa8-4583-b4bd-a4beaefdd3cb,MEMBER_OF -96597791-6929-46e5-8736-26d5a5805115,78924e81-6889-4b7f-817e-38dcfd040ec7,MEMBER_OF -36bf5844-8114-412f-add3-43f9de129dc3,5a3593c9-b29b-4e06-b60f-fe67588ac4ef,MEMBER_OF -dec83a35-e440-4521-b95d-37d3f8bcfcf6,bc4fcf59-dcf6-42bf-ae74-c7a815569099,MEMBER_OF -db5205a6-dd3b-4050-b6c4-7d83e78e60f5,13506992-672a-4788-abd2-1461816063e4,MEMBER_OF -ddcf795b-7d57-4840-9b0c-83576cc3462e,429e6376-361c-46fb-88f2-459de5eaec25,MEMBER_OF -c520be73-345a-45ae-8d0c-4afd04fbd273,3e509642-808b-4900-bbe9-528c62bd7555,MEMBER_OF -14680984-c44c-4fff-9562-fd812dc4e28a,93f1f74c-134d-456d-8f49-968d930c3ad7,MEMBER_OF -2dbbe1af-5720-48bf-aac5-8ebb060a65b5,3c7dad3a-d69a-409f-91ff-6b6856a1b73d,MEMBER_OF -641a5bc4-7f92-4848-a1db-0efb24d8f08e,a5990335-b063-4f4a-896a-7959e2e559ed,MEMBER_OF -8e229e5a-b2a8-4743-b8b9-538796520b98,779256ad-df3f-4159-ae6a-c3e0dd536502,MEMBER_OF -c8e72fbb-154f-4189-a375-ce31ad448485,80099d97-0d21-46e1-8403-69c87f3bebd2,MEMBER_OF -a99a6b6b-fdbe-4c01-a7eb-91710fa3816f,d7a360ca-83b2-442a-ae2a-3079163febff,MEMBER_OF -d45c8319-f647-4a9d-b6ad-1fbd296e07b8,18faedc7-eba5-4224-85ac-124672b7f0c3,MEMBER_OF -6d2d9d4c-6078-4f23-aa8e-a1bb7510cda3,d36e4525-9cc4-41fd-9ca9-178f03398250,MEMBER_OF -8c820b86-1122-4f9a-96d2-42478d2a06a8,e1eab1f1-0342-487c-ba7e-ff062a1d0f93,MEMBER_OF -495c19a4-9f61-4884-bc78-7120f4c82657,e0da3bfc-c3dc-4576-9d0a-88c90a3f39ec,MEMBER_OF -01c16ab6-7874-4d7d-88f6-43529536b63b,79dc1fdb-a80c-4571-ac0c-91804b40f886,MEMBER_OF -2a1a75dd-9d2b-4f13-892d-e82f38bdf0d6,1d8a9355-cc45-49c5-a3f4-35be92f8f263,MEMBER_OF -77be89f1-02bd-4436-ad28-d8dfed2dd360,604f8e2e-8859-4c5e-bb15-bee673282554,MEMBER_OF -418f436b-ca0f-48cc-aed0-3da4e0c308b6,597ab710-aa67-41fe-abc7-183eb5215960,MEMBER_OF -1424d898-5eed-4ff3-bd54-9ec2e1fbb081,bdfda1af-97ad-4ce2-ba84-76824add8445,MEMBER_OF -6a99d992-bb6f-45dd-8515-80c50bb69c6e,5fadd584-8af3-49e7-b518-f8bc9543aa4b,MEMBER_OF -42431492-7452-4904-9f50-436e4e464ea5,c4b728a4-8c84-4abb-acd1-d8952768fbf3,MEMBER_OF -4e770f4b-edde-4a50-8351-622ce5e8770e,194f5fc9-99ed-4c7d-8c0e-d1e5bf00fca2,MEMBER_OF -a42d55ac-3dbc-4c84-9b69-87b7c4bb980e,ad9a0664-8bf1-4916-b5d3-ca796916e0a5,MEMBER_OF -d88549ce-f198-4e19-bc7d-9cf62b154f7a,7f67a44b-ea78-4a7e-93f5-4547ff11131a,MEMBER_OF -d6d93756-85c2-4b08-98c2-67936633db11,1511d62f-6ab4-4fcb-8e0e-21c1ff9f76f0,MEMBER_OF -874272a8-e81b-4b7b-8ee2-1954a6f0f3e7,1367e775-79ba-40d6-98d8-dbcb40140055,MEMBER_OF -46ac5667-8b14-4a6a-b347-f6d33db7e349,279042a3-3681-41c1-bed1-68c8a111c458,MEMBER_OF -a6859562-e979-4665-842a-5834bb8d1464,3545d9f1-cf47-4f11-b415-5ad73aef7a4a,MEMBER_OF -240733d2-dfe0-4ee3-8227-6af2454a397d,f4650f32-069d-4dcf-a62b-7a932bf764f5,MEMBER_OF -cf662999-aaf7-4bf7-8b73-c97edfcf750c,c220a934-4ad4-495a-bfeb-221372e9720a,MEMBER_OF -c4d47cb9-5369-4fae-83b8-e7a1fca2bc21,d99e6edc-f0db-4c16-a36c-2f4fd0a28283,MEMBER_OF -df504a07-e880-4f42-80da-427ca3ea93da,89a50680-7982-421d-961c-80fc04a84c4b,MEMBER_OF -80ab8a01-3a1e-4b2c-b702-e27a503a6f72,ede4a3ad-bdf2-4782-91c6-faf8fae89a2f,MEMBER_OF -46ba0df0-76cd-4cbc-9f9f-a85b838ad38f,b63253fb-6099-4b92-9b87-399ee88f27e5,MEMBER_OF -856f1d20-2f98-4727-bb69-f3394f42d82f,dc830ca3-fe01-43bb-aa7e-d5bb75247b56,MEMBER_OF -ff8ccb14-9dc3-49fe-9c1d-8986b944c757,790c095e-49b2-4d58-9e8c-559d77a6b931,MEMBER_OF -315e7b76-1f71-44b3-9e9e-7c908efa81d8,76e56a22-d4e7-46c5-8d75-7c2a73eac973,MEMBER_OF -01131bfb-5e3a-404b-a8b2-150560f2cca4,f835cf7a-025e-40e8-b549-3be781938f19,MEMBER_OF -c35d87bb-bc46-4720-af59-45ef3b7e2a9f,9b2adc0a-add8-4de7-bd74-0c20ecbd74df,MEMBER_OF -e1889bf9-8883-41ae-a764-0b0ca424d2c1,7747fcc1-0f07-4288-a19f-abc06417eb6b,MEMBER_OF -10d329d8-5b8b-45e0-a903-d20ae9675faf,08b87dde-06a0-4a00-85fc-4b290750d185,MEMBER_OF -4a9b5030-3b57-4cb1-9d09-4b60cfd99445,7ffab46c-8924-4c74-af34-159a02364b2f,MEMBER_OF -a8884005-db29-4da0-bcc2-82876575d823,a742f2e3-2094-4cbb-b0bd-cbe161f8103b,MEMBER_OF -5dd460e0-c320-4fc4-8601-d33c3342aead,3e509642-808b-4900-bbe9-528c62bd7555,MEMBER_OF -32e9661c-6770-43b3-a32e-32ddfd5d87fd,fb060075-4c05-4c05-9c1b-fc1531f548a5,MEMBER_OF -5d7de6e4-ed07-443e-b5dd-d313346727bc,24342cfe-2bf4-4072-85a1-baa31f4d0572,MEMBER_OF -312f259f-e3c1-421e-9708-c44011604b20,6f9118c5-41aa-47dc-8e6c-8da98577521c,MEMBER_OF -6e860149-0bdf-43b9-a312-411213c6ef7e,81e7066a-e9e2-41cb-814c-fc579fe33401,MEMBER_OF -f15a51ad-0260-44d2-8901-c4b6b14f6429,0ea1991e-ce7a-4816-88be-3d301d3577f9,MEMBER_OF -1d184270-fb3f-4439-8375-d906373b95f4,963b02b1-fa0d-450c-afe9-ccac1e53db59,MEMBER_OF -8fca6ff6-f5d4-4f57-85bf-541ade2c7b36,d458ca78-3784-4c95-863b-02141f054063,MEMBER_OF -a4264dae-d997-48da-91cd-d1401c59dbbf,80d1ffb6-f3ca-4ca1-b4f7-a373ea53573e,MEMBER_OF -57c718b4-0e67-42d3-a619-df06ccaa89cf,bc500cec-4845-4282-897d-ffe1080962ff,MEMBER_OF -12fb0e9f-6e98-4510-98df-3b72a7ef7ba5,3e23d466-e305-42d8-9599-c6a931b7e827,MEMBER_OF -270b2555-3bc1-4721-90a5-0ce2c52bc1a8,0e8229f9-4ec0-4c6e-bd50-c7f385f092f8,MEMBER_OF -480db6ce-9fbd-4e74-acc2-d6a403637fc5,fe62c40c-2848-4765-8cdc-617cc17abd41,MEMBER_OF -703ead76-6c18-46ea-b0ba-7072feea9c50,aaafb4f5-408a-43cb-90c5-451db488af94,MEMBER_OF -c4d6d1ab-18da-41db-8eb7-d743e7fb6340,e588d2c2-b68f-4d33-be95-0b72f0a682b2,MEMBER_OF -10095fbb-a73c-472c-a43f-6598f6f948a6,c5d3fad5-6062-453d-a7b5-20d44d892745,MEMBER_OF -4e986bfc-aa3b-4bec-9f40-41c12edafe78,c3764610-9b72-46b7-81fa-2f7d5876ac89,MEMBER_OF -4a974ac7-f653-4e9f-b44a-bd47a0d6f86d,387329b0-fc59-4ffd-97ba-258ed14d4185,MEMBER_OF -9dc50fc2-e337-4a73-aa27-18b124eed2b8,db07fa7b-d0f9-44b4-981b-358558b30f4c,MEMBER_OF -333d643d-4beb-4f3a-b85e-864091020429,22b5c95d-456e-4dea-a7d2-39cbdbaadda2,MEMBER_OF -09fd3061-e90b-4b0b-a21b-07c9ab664e41,f15012b6-ca9c-40af-9e72-f26f48e2e3d2,MEMBER_OF -ee9b3f96-a7e4-4276-9cda-e840997b57a2,ad9a0664-8bf1-4916-b5d3-ca796916e0a5,MEMBER_OF -33998a41-206b-415c-a332-bde00f70beb9,d08f2811-4f8c-4db3-af53-defe5fe3b9cf,MEMBER_OF -a2ad5611-198f-4add-98ba-9e63397b4aa6,56657395-bdb0-4536-9a50-eb97ee18fe5c,MEMBER_OF -9528f26e-5586-4b3a-9342-1504096ccc31,b107099e-c089-4591-a9a9-9af1a86cfde1,MEMBER_OF -6c6a59a9-da26-4f56-9e3b-ac591ffae733,3dda0bcb-6039-4f6e-91a7-5f010e930e8f,MEMBER_OF -a09cd84b-b01c-404c-8da0-0c95811e5aec,d36e4525-9cc4-41fd-9ca9-178f03398250,MEMBER_OF -0a9a00d2-05e5-493a-b31d-7813b35899d4,52d1de92-c675-4381-b931-2de6bb638966,MEMBER_OF diff --git a/data/relationship_csvs/fan_player_rels.csv b/data/relationship_csvs/fan_player_rels.csv deleted file mode 100644 index 2822172da1f38fbf0f9e161b070f20b842607e37..0000000000000000000000000000000000000000 --- a/data/relationship_csvs/fan_player_rels.csv +++ /dev/null @@ -1,4926 +0,0 @@ -start_id,end_id,relationship_type -8c7b0bc0-270f-4d32-b3c7-6b21403336f1,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -f78f965c-de40-46a6-b6b8-19abfb4ee692,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -268aa97d-ab1d-42dd-8cb7-1b5a6c3db352,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -f3e89711-c141-4aed-a69d-6afacf6c531b,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -f3e89711-c141-4aed-a69d-6afacf6c531b,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -6ab4700a-5cba-4f2c-a3e8-033d9b14dfcf,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -6ab4700a-5cba-4f2c-a3e8-033d9b14dfcf,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -d9a97054-3671-4dc3-a8e3-083910fe9a6d,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -deb57fea-56eb-4531-addb-cc83e05e6aa6,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -deb57fea-56eb-4531-addb-cc83e05e6aa6,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -f6bac2e7-eb9b-4e4e-9656-d2ce87d919c0,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -f6bac2e7-eb9b-4e4e-9656-d2ce87d919c0,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -f6bac2e7-eb9b-4e4e-9656-d2ce87d919c0,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -7700a3f6-791d-44d0-9721-136f4f0c6291,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -13ae2c2b-3969-4a70-b36e-75518e981724,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -13ae2c2b-3969-4a70-b36e-75518e981724,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -13ae2c2b-3969-4a70-b36e-75518e981724,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -781b7872-1794-43d0-8ecf-a717bc5fcb28,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -dfe4de2d-a94b-4f5a-be61-1a573776e26b,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -26da8620-6b24-44b0-8fb0-1b30205cdfe2,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -205ce9bb-7230-4ccc-8e3b-391e04ed54dc,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -bd053ebb-8967-46f1-a1a2-3fee960512da,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -bd053ebb-8967-46f1-a1a2-3fee960512da,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -bd053ebb-8967-46f1-a1a2-3fee960512da,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -5f78a64b-0b1d-4837-b0c1-583df888955f,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -79728ea0-6089-4790-9853-11a6d1fb3ce7,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -79728ea0-6089-4790-9853-11a6d1fb3ce7,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -79728ea0-6089-4790-9853-11a6d1fb3ce7,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -36381db1-4372-4d7b-bb3a-2c75924e14cf,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -36381db1-4372-4d7b-bb3a-2c75924e14cf,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -1ba69b52-f262-4772-8623-f1c0a21bbeef,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -7ef1a8b4-c06a-4084-9953-755311098b42,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -7ef1a8b4-c06a-4084-9953-755311098b42,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -7ef1a8b4-c06a-4084-9953-755311098b42,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -b35eee21-5d68-4120-9b15-414c03a11011,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -22d5af02-a97b-43d9-bdd6-cde3d820280e,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -22d5af02-a97b-43d9-bdd6-cde3d820280e,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -22d5af02-a97b-43d9-bdd6-cde3d820280e,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -1fd7761a-e486-4eba-9112-968f5cefe158,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -7de60654-6eb5-42fc-9faf-17431f8ce67a,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -7de60654-6eb5-42fc-9faf-17431f8ce67a,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -7de60654-6eb5-42fc-9faf-17431f8ce67a,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -fe1c9b6b-8f14-417a-8d3e-72c694eb2fd8,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -971d7bf3-a81e-467b-b6db-d76cf6258840,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -971d7bf3-a81e-467b-b6db-d76cf6258840,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -971d7bf3-a81e-467b-b6db-d76cf6258840,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -faca49ec-1fab-4ac0-b9e4-cdce8ef1b0e7,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -faca49ec-1fab-4ac0-b9e4-cdce8ef1b0e7,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -faca49ec-1fab-4ac0-b9e4-cdce8ef1b0e7,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -5e6f4823-c913-4fc7-8aa3-0354757977bb,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -5e6f4823-c913-4fc7-8aa3-0354757977bb,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -bd8dc818-560d-4d0e-b2da-0e8c5fd45848,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -bd8dc818-560d-4d0e-b2da-0e8c5fd45848,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -03495ade-4562-4325-8952-843160167dde,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -03495ade-4562-4325-8952-843160167dde,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -03495ade-4562-4325-8952-843160167dde,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -fb52f1b2-05a5-4b02-a931-655c13e93f54,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -fb52f1b2-05a5-4b02-a931-655c13e93f54,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -fb52f1b2-05a5-4b02-a931-655c13e93f54,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -21c4764c-a961-43d4-952d-6fe4dfdfefc4,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -21c4764c-a961-43d4-952d-6fe4dfdfefc4,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -21c4764c-a961-43d4-952d-6fe4dfdfefc4,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -9839cce5-65c0-4a0e-adfc-fdc63b3f582b,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -a9e6d922-37cc-46ba-8386-08771ccc5e2b,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -a9e6d922-37cc-46ba-8386-08771ccc5e2b,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -34ffda4c-ffbd-4429-8f31-e5da1cdf4d5c,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -7e8014b6-9c6a-41f7-a440-1d53cf9cda2d,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -7e8014b6-9c6a-41f7-a440-1d53cf9cda2d,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -e44a310b-22eb-4942-b41f-c4e881b52ee0,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -e44a310b-22eb-4942-b41f-c4e881b52ee0,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -e44a310b-22eb-4942-b41f-c4e881b52ee0,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -1ec8c158-68fb-49a2-b28b-7692df48a647,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -e766ef7f-97f0-478c-99a0-9a8625f3cd85,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -e766ef7f-97f0-478c-99a0-9a8625f3cd85,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -37cffdb4-73f4-4d48-9975-ab485b0175ba,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -37cffdb4-73f4-4d48-9975-ab485b0175ba,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -37cffdb4-73f4-4d48-9975-ab485b0175ba,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -49a67ed7-4a98-45d5-9227-2d357c1ebcc3,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -244197ea-2768-4218-ba93-2dbc644f9097,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -244197ea-2768-4218-ba93-2dbc644f9097,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -e807d8ce-01ad-4506-bfa8-ef6d648877b2,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -e807d8ce-01ad-4506-bfa8-ef6d648877b2,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -e807d8ce-01ad-4506-bfa8-ef6d648877b2,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -baccf6fe-a409-442f-9b52-c11d84b99472,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -b129e4c4-9ca1-4fd5-a066-e5551259d5cd,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -63c5a2c6-5cc0-4ae4-bc9d-bab2bd20bb0d,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -63c5a2c6-5cc0-4ae4-bc9d-bab2bd20bb0d,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -63c5a2c6-5cc0-4ae4-bc9d-bab2bd20bb0d,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -44c68674-cf35-407c-a8ab-6ef0d0e8d880,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -5775d4ab-7557-41b4-be3a-4b17eea9d937,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -5775d4ab-7557-41b4-be3a-4b17eea9d937,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -df5a276f-fa11-403a-9b30-9abc9ddecde9,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -df5a276f-fa11-403a-9b30-9abc9ddecde9,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -df5a276f-fa11-403a-9b30-9abc9ddecde9,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -a5250d92-b9ea-47ba-ae26-0ef964f4e62c,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -a0b659fe-7fdc-4018-ad2f-16602d34d81b,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -a0b659fe-7fdc-4018-ad2f-16602d34d81b,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -b1f36379-3e74-4638-b52d-c4f2a3737e65,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -cbef5cc7-ea90-4840-bc55-d541e40e99a5,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -cbef5cc7-ea90-4840-bc55-d541e40e99a5,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -cbef5cc7-ea90-4840-bc55-d541e40e99a5,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -93f51a44-ec34-4f81-b08e-850e4801b082,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -689dab15-9049-4b4e-a0d8-77095cd46220,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -689dab15-9049-4b4e-a0d8-77095cd46220,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -c59b0d68-a09e-4f3e-afff-9048da81095c,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -c59b0d68-a09e-4f3e-afff-9048da81095c,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -c59b0d68-a09e-4f3e-afff-9048da81095c,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -3916659f-3578-4d8a-bbfd-9692f41b2867,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -827cbfcb-d0a8-4f21-b1b0-c6311f907bd9,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -827cbfcb-d0a8-4f21-b1b0-c6311f907bd9,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -6b5ff985-3aae-4989-9893-9bb266452eb1,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -6b5ff985-3aae-4989-9893-9bb266452eb1,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -6b5ff985-3aae-4989-9893-9bb266452eb1,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -4a89ec5c-a04c-448f-80cd-93eb88fe3b2e,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -4a89ec5c-a04c-448f-80cd-93eb88fe3b2e,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -30033d4d-3d4a-4623-bd06-9f0eb095146d,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -30033d4d-3d4a-4623-bd06-9f0eb095146d,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -30033d4d-3d4a-4623-bd06-9f0eb095146d,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -504fa95b-7d16-4a9d-ad84-d9484dc8387b,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -ad6c1b01-fb5f-421e-95f9-798bc8aeeeba,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -ad6c1b01-fb5f-421e-95f9-798bc8aeeeba,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -0e87d64e-9a60-49a3-b241-f29108123567,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -0e87d64e-9a60-49a3-b241-f29108123567,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -0e87d64e-9a60-49a3-b241-f29108123567,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -10b8d319-be91-446e-83c3-f92d846c4e73,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -b6a7da90-1b27-4297-8182-f622d7957243,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -7bbf635f-ff0b-4ba4-85a0-f4447a4d75aa,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -7bbf635f-ff0b-4ba4-85a0-f4447a4d75aa,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -828fe84b-ca60-4bf7-bd87-9f40aa74b6dc,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -828fe84b-ca60-4bf7-bd87-9f40aa74b6dc,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -828fe84b-ca60-4bf7-bd87-9f40aa74b6dc,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -681f6a44-e763-4ba0-919f-5c614111dc01,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -681f6a44-e763-4ba0-919f-5c614111dc01,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -681f6a44-e763-4ba0-919f-5c614111dc01,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -b798582e-68e3-4506-9022-f60bfad47279,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -1bc3d7a5-e784-4c1b-af45-86a36470099d,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -1bc3d7a5-e784-4c1b-af45-86a36470099d,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -ee23ed60-ec54-47bb-b24f-6c020aac9a0f,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -ee23ed60-ec54-47bb-b24f-6c020aac9a0f,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -ee23ed60-ec54-47bb-b24f-6c020aac9a0f,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -a0ec8b42-d1c3-4111-9c8d-ed99cf517b4c,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -556efc66-2d5c-41ac-ab72-8943b65b9e5d,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -556efc66-2d5c-41ac-ab72-8943b65b9e5d,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -556efc66-2d5c-41ac-ab72-8943b65b9e5d,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -8a3b2c5f-eb94-4854-bdbc-abbf38ee5fae,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -8035f5fa-9884-4292-898a-83e32644107b,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -81a638aa-136b-44fe-8eec-1be96e2836f8,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -81a638aa-136b-44fe-8eec-1be96e2836f8,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -81a638aa-136b-44fe-8eec-1be96e2836f8,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -0b7355cb-0c72-4c3f-9a09-2b8d88b204fa,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -e45867a8-5bcf-466f-8562-f04d642c6ead,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -97f12b5e-5049-4ea6-91ef-2c157e112a54,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -0349c64f-859b-426a-9f51-5d85ed55d0c2,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -0349c64f-859b-426a-9f51-5d85ed55d0c2,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -0349c64f-859b-426a-9f51-5d85ed55d0c2,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -440998c1-d439-401c-9a2c-38eac56976f4,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -440998c1-d439-401c-9a2c-38eac56976f4,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -29054adc-8aee-46ae-a325-672b6ddb6405,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -29054adc-8aee-46ae-a325-672b6ddb6405,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -29054adc-8aee-46ae-a325-672b6ddb6405,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -60c8611c-1f34-40ce-bd6c-194ccebcbdb4,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -bb4762f2-d361-45f4-b3c5-4445fef87014,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -56e9ec7f-a778-4cb9-8049-6947ab010894,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -56e9ec7f-a778-4cb9-8049-6947ab010894,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -7410c1d5-72c0-445b-a570-19ed1399163d,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -623af756-7dd2-40c7-a7d5-451de5306ded,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -a48673a7-6e4c-4576-ab56-f480f5d8aae4,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -a48673a7-6e4c-4576-ab56-f480f5d8aae4,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -a48673a7-6e4c-4576-ab56-f480f5d8aae4,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -76b53641-9528-41b6-9553-0fe9f3b0e413,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -455b051e-5e74-4e08-8c42-0f08496ec372,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -455b051e-5e74-4e08-8c42-0f08496ec372,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -455b051e-5e74-4e08-8c42-0f08496ec372,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -5764c76c-92e9-4287-809f-83eb870e0412,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -5764c76c-92e9-4287-809f-83eb870e0412,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -5764c76c-92e9-4287-809f-83eb870e0412,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -fbcf4664-3297-4f6b-98d1-ac6405acd427,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -fbcf4664-3297-4f6b-98d1-ac6405acd427,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -fbcf4664-3297-4f6b-98d1-ac6405acd427,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -7d3488dd-91db-4fe6-b7df-99f85c898a91,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -fdd426f1-9601-4255-822f-4c82e0e85416,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -fdd426f1-9601-4255-822f-4c82e0e85416,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -f7b23757-15fa-45b2-b9f2-6128286f3d4d,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -aded980a-bcf3-482f-b1d0-4191146d5f33,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -aded980a-bcf3-482f-b1d0-4191146d5f33,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -5603b74b-b35b-404e-bccb-d757d35def35,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -5603b74b-b35b-404e-bccb-d757d35def35,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -5603b74b-b35b-404e-bccb-d757d35def35,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -c998ef2e-86a9-43e8-bf4c-1413b97e9d3a,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -c998ef2e-86a9-43e8-bf4c-1413b97e9d3a,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -c998ef2e-86a9-43e8-bf4c-1413b97e9d3a,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -5bddf2c9-9950-4361-a2ab-2b4583b130be,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -5bddf2c9-9950-4361-a2ab-2b4583b130be,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -c8afc73e-bfad-4690-be64-ba8335f4ffe0,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -c8afc73e-bfad-4690-be64-ba8335f4ffe0,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -dfabbdf8-35af-4645-96d5-d719e12ab42e,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -dfabbdf8-35af-4645-96d5-d719e12ab42e,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -74117240-8f29-46fd-af99-df603507c660,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -74117240-8f29-46fd-af99-df603507c660,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -74117240-8f29-46fd-af99-df603507c660,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -9e0640c4-0cd1-4a4c-a1fa-2fe4a4823477,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -8493b20b-041c-4327-90f4-6cb70ef49612,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -e794fac9-df6a-452a-8096-7ec31dd4dfdd,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -b5153ef2-16f1-4a9d-8840-05653c5fb201,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -b5153ef2-16f1-4a9d-8840-05653c5fb201,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -fe8a0388-066c-479d-be71-af33dd75c123,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -fe8a0388-066c-479d-be71-af33dd75c123,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -390602ca-8cc4-429a-9ffb-b51ee86189f6,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -40f3aaaa-c61e-4786-911b-2bc98eecdb7f,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -b2462c1e-e9f8-4194-810b-6b5a3307005d,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -b2462c1e-e9f8-4194-810b-6b5a3307005d,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -b5450bc9-a419-45da-b361-791ed331f104,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -b5450bc9-a419-45da-b361-791ed331f104,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -b5450bc9-a419-45da-b361-791ed331f104,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -91a29529-37e2-4aec-b7ed-8244977b4e8f,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -91a29529-37e2-4aec-b7ed-8244977b4e8f,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -42cbb581-83cf-4a1d-88b3-97d955b95fd9,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -42cbb581-83cf-4a1d-88b3-97d955b95fd9,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -711aaf38-a654-42ae-8d14-743f44aca879,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -ab4637cc-e580-40ab-9cd4-fd6a5502bc9e,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -ab4637cc-e580-40ab-9cd4-fd6a5502bc9e,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -87a17ea1-da8a-4617-ac93-68945da3bcb5,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -87a17ea1-da8a-4617-ac93-68945da3bcb5,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -c70fb667-610b-4f92-9b1c-63b6127eaf5a,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -c70fb667-610b-4f92-9b1c-63b6127eaf5a,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -c70fb667-610b-4f92-9b1c-63b6127eaf5a,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -46afee18-9ab6-40e3-a376-33c96cb24dc0,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -a3688307-2040-4c51-9391-e5912d15dad4,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -a3688307-2040-4c51-9391-e5912d15dad4,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -a3688307-2040-4c51-9391-e5912d15dad4,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -83c69cd2-32aa-4eef-a023-ff31b39d50c5,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -83c69cd2-32aa-4eef-a023-ff31b39d50c5,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -fe5642ad-ea12-4a9f-ab8a-d2deef9a4b4f,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -fe5642ad-ea12-4a9f-ab8a-d2deef9a4b4f,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -68b45430-d802-42d2-ae37-9339f3ba69fd,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -68b45430-d802-42d2-ae37-9339f3ba69fd,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -decb6d1d-d386-4233-86af-2fcccf8712e5,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -decb6d1d-d386-4233-86af-2fcccf8712e5,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -decb6d1d-d386-4233-86af-2fcccf8712e5,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -a043d28b-0dda-43f4-aa4e-0017759b7465,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -35eea3bf-5420-448d-8ae8-e08a68379e4e,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -35eea3bf-5420-448d-8ae8-e08a68379e4e,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -35eea3bf-5420-448d-8ae8-e08a68379e4e,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -936ed69f-dcd1-4025-9100-ee8f5c3fcfdf,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -504ce107-91b0-48a7-8794-05223f9160b4,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -504ce107-91b0-48a7-8794-05223f9160b4,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -508efba5-b30b-49ae-a6bc-9ad48cf3ec9f,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -508efba5-b30b-49ae-a6bc-9ad48cf3ec9f,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -36be6f97-7b0b-4b6b-acaa-82f963d2526c,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -36be6f97-7b0b-4b6b-acaa-82f963d2526c,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -36be6f97-7b0b-4b6b-acaa-82f963d2526c,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -f9226c0e-72da-4f96-8b85-fc0b2d7629e0,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -f9226c0e-72da-4f96-8b85-fc0b2d7629e0,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -a954c15d-b42a-453a-b2df-35ed54f205f9,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -a954c15d-b42a-453a-b2df-35ed54f205f9,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -fd0262ab-a640-4148-b74d-35a99e51eb58,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -fd0262ab-a640-4148-b74d-35a99e51eb58,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -fd0262ab-a640-4148-b74d-35a99e51eb58,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -c47a51b0-190c-4a19-9557-7f3de2caa07b,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -c47a51b0-190c-4a19-9557-7f3de2caa07b,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -c47a51b0-190c-4a19-9557-7f3de2caa07b,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -914ca114-585f-4e49-b54f-b0b02f4fc153,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -914ca114-585f-4e49-b54f-b0b02f4fc153,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -914ca114-585f-4e49-b54f-b0b02f4fc153,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -a6f8ad61-fdba-46db-aecd-86d54e308d6f,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -a6f8ad61-fdba-46db-aecd-86d54e308d6f,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -a543cefb-dbd1-499e-b597-cecc08d811f9,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -a543cefb-dbd1-499e-b597-cecc08d811f9,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -a543cefb-dbd1-499e-b597-cecc08d811f9,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -c880f6c7-bd14-44cc-9157-6c0f6b035727,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -c880f6c7-bd14-44cc-9157-6c0f6b035727,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -47586019-9439-4a5a-81be-cb1758af61b3,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -47586019-9439-4a5a-81be-cb1758af61b3,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -47586019-9439-4a5a-81be-cb1758af61b3,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -5a611b9d-893f-408f-aef0-eba2eab4ea2c,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -5a611b9d-893f-408f-aef0-eba2eab4ea2c,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -5a611b9d-893f-408f-aef0-eba2eab4ea2c,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -5c00c399-b4c3-477e-9191-d2b724ce29c4,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -57760d7d-665e-4c6c-9c9f-a15ce83858af,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -57760d7d-665e-4c6c-9c9f-a15ce83858af,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -18d611fa-ca90-4832-845e-e44a59efebd5,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -18d611fa-ca90-4832-845e-e44a59efebd5,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -5ec6665a-50a5-4b29-a7d3-2a77e5b66820,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -5ec6665a-50a5-4b29-a7d3-2a77e5b66820,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -409976ca-ec94-4edf-9cea-f1a7bb91ffa9,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -409976ca-ec94-4edf-9cea-f1a7bb91ffa9,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -409976ca-ec94-4edf-9cea-f1a7bb91ffa9,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -8e7d8f57-9a79-47bb-b645-c8935e30fe8e,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -b3706c7f-af87-42dd-bd06-004981db0026,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -8e95aa85-e811-4394-9966-8692d916a142,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -795f4707-0cb8-4c59-921a-5d3bbbacfb8b,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -795f4707-0cb8-4c59-921a-5d3bbbacfb8b,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -6e663b05-c118-4724-92b8-ab9ed5518cc9,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -6e663b05-c118-4724-92b8-ab9ed5518cc9,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -6330268b-c2d3-4952-9688-3c040f184ea2,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -6330268b-c2d3-4952-9688-3c040f184ea2,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -6330268b-c2d3-4952-9688-3c040f184ea2,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -b5e9bf35-89f9-48a7-955a-9457b58565be,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -b5e9bf35-89f9-48a7-955a-9457b58565be,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -b5e9bf35-89f9-48a7-955a-9457b58565be,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -5587642a-242e-4af6-a53d-c508a829c58e,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -0787a733-7de4-4b7a-9eb3-04392c359c35,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -06975717-69f5-4ef1-bcee-488b40438e1a,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -06975717-69f5-4ef1-bcee-488b40438e1a,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -06975717-69f5-4ef1-bcee-488b40438e1a,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -72ddf6f5-308b-477f-b858-08086256063f,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -72ddf6f5-308b-477f-b858-08086256063f,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -72ddf6f5-308b-477f-b858-08086256063f,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -7452fbe2-44a3-4ac6-a1c3-304a89116602,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -7452fbe2-44a3-4ac6-a1c3-304a89116602,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -352bc64c-2528-41d3-b06a-5a12e2c6ee60,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -352bc64c-2528-41d3-b06a-5a12e2c6ee60,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -1ab55db9-e8bd-4b42-bfa3-24aa16f7274f,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -1ab55db9-e8bd-4b42-bfa3-24aa16f7274f,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -5b3d1d58-7d63-459c-8451-6af1e1bab94c,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -994a7731-6b20-43c4-8393-dc160381264b,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -994a7731-6b20-43c4-8393-dc160381264b,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -994a7731-6b20-43c4-8393-dc160381264b,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -333857c1-dc52-4c06-90a4-9a1c998f8855,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -333857c1-dc52-4c06-90a4-9a1c998f8855,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -333857c1-dc52-4c06-90a4-9a1c998f8855,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -927a611a-9563-457d-b5cb-29bdaa4b5d66,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -927a611a-9563-457d-b5cb-29bdaa4b5d66,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -9536515f-9960-4b02-8f0c-2362615c91d9,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -9536515f-9960-4b02-8f0c-2362615c91d9,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -9536515f-9960-4b02-8f0c-2362615c91d9,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -0f3eaa7b-7aa3-44d9-8816-4a5c3324f263,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -0f3eaa7b-7aa3-44d9-8816-4a5c3324f263,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -f7a5df44-680f-4216-88ea-c65a5ac599e1,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -f7a5df44-680f-4216-88ea-c65a5ac599e1,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -82a7f09c-06cf-4cbc-bb32-65424bd31873,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -82a7f09c-06cf-4cbc-bb32-65424bd31873,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -a14e93fa-2a2f-4cd5-87ba-72c18c9b9fd6,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -a14e93fa-2a2f-4cd5-87ba-72c18c9b9fd6,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -a14e93fa-2a2f-4cd5-87ba-72c18c9b9fd6,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -00baeab7-24d3-4bf9-9399-d5652b97fe4e,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -a747bd60-879e-478a-9605-ac4c211b0e63,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -defa764d-a957-47a3-9240-1d25be7167c8,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -defa764d-a957-47a3-9240-1d25be7167c8,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -defa764d-a957-47a3-9240-1d25be7167c8,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -30932afd-ddc9-4e7c-8231-6afc4eac1c90,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -30932afd-ddc9-4e7c-8231-6afc4eac1c90,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -ffa63895-4bdc-464c-b18e-1fed274bbe90,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -c275f3b5-d344-4a83-b344-732b58b1c3a0,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -e3fec8bf-6ad6-44a6-a32b-e70bbbccee80,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -e4ec891c-2a4b-4e63-be45-f74c81332ed2,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -e4ec891c-2a4b-4e63-be45-f74c81332ed2,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -52351fa3-114e-400a-992b-8068cf62f0f0,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -3d8231ef-c1a7-41a3-b099-29ec3bcbc9d7,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -3d8231ef-c1a7-41a3-b099-29ec3bcbc9d7,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -5105aa85-632a-4bb8-811d-1ee35553c394,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -e8a44dac-3ee3-4162-911b-91f5325b3a8c,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -d89cc996-6d7b-4380-a8a2-00eb6a4e3a4d,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -d89cc996-6d7b-4380-a8a2-00eb6a4e3a4d,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -d89cc996-6d7b-4380-a8a2-00eb6a4e3a4d,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -c2ef280f-c7e0-4c93-8796-0f3e6d9e035c,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -9ac27bdd-cf3a-433f-9028-1acaa4f6506d,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -fc741b44-f4c5-481f-b2d4-308aae1204b5,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -9fb2c83e-cada-448a-8636-90be58d79278,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -ebe7ab93-89d8-4328-8b2b-4946c38e148a,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -ebe7ab93-89d8-4328-8b2b-4946c38e148a,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -ebe7ab93-89d8-4328-8b2b-4946c38e148a,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -957a5a6c-932e-4c58-9210-e73ef7f90b7b,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -0f35ab88-f9d2-4cb3-b0ed-ce782bae1106,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -0f35ab88-f9d2-4cb3-b0ed-ce782bae1106,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -0f35ab88-f9d2-4cb3-b0ed-ce782bae1106,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -d4164cee-8cf8-43ba-838e-be40342caed1,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -d4164cee-8cf8-43ba-838e-be40342caed1,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -8485e630-4c23-4699-b02a-4fe440c3a2fd,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -8485e630-4c23-4699-b02a-4fe440c3a2fd,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -8485e630-4c23-4699-b02a-4fe440c3a2fd,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -28e00bc4-6e29-41bf-b517-20ee7d8f27d7,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -28e00bc4-6e29-41bf-b517-20ee7d8f27d7,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -bf70bf1f-4ebe-40ab-9e55-eac3f10e4ab1,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -bf70bf1f-4ebe-40ab-9e55-eac3f10e4ab1,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -bf70bf1f-4ebe-40ab-9e55-eac3f10e4ab1,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -043b82d2-d4f2-4dde-9e23-5ff3d4c97cd0,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -a7267801-b125-4660-b5a6-df133872a98d,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -a7267801-b125-4660-b5a6-df133872a98d,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -a7267801-b125-4660-b5a6-df133872a98d,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -6a9d96c1-efd4-4834-a6b1-f5ecde3a4415,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -be5139b3-0169-4f2e-8f51-c1aeb587225f,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -8e782a5a-b4ff-4e43-9219-ff1951643802,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -e2c00e69-d751-4b4a-9aed-ea52ad0b3cf0,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -e2c00e69-d751-4b4a-9aed-ea52ad0b3cf0,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -e2c00e69-d751-4b4a-9aed-ea52ad0b3cf0,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -df4d39a8-e70b-4129-b5e7-bbeee39b2bbb,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -df4d39a8-e70b-4129-b5e7-bbeee39b2bbb,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -f54dea02-b6d0-4764-ae10-dc3d69a0e252,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -f54dea02-b6d0-4764-ae10-dc3d69a0e252,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -fd218632-004f-482c-afee-1909becb92d4,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -fd218632-004f-482c-afee-1909becb92d4,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -97a4ea16-9b6e-4459-996c-4d3af1c78399,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -6ed40bda-6e1b-4f14-91d9-5113a987791e,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -6534060d-7b1f-43a0-b10d-1b0c1ee0fac1,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -431169d9-defc-410d-bfe3-b6d032217092,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -416daf1b-13e1-4d74-b101-3f0ba101ab11,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -416daf1b-13e1-4d74-b101-3f0ba101ab11,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -416daf1b-13e1-4d74-b101-3f0ba101ab11,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -fce024a3-426e-4974-a8f5-c97793a0dd38,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -4d5c6f5d-14da-4aa3-b22c-47acca934f12,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -9facabeb-533a-4ec1-a62f-3b596a0753d9,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -9facabeb-533a-4ec1-a62f-3b596a0753d9,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -c02ae71d-e586-4988-82f4-1ea3407731f8,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -c02ae71d-e586-4988-82f4-1ea3407731f8,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -c02ae71d-e586-4988-82f4-1ea3407731f8,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -f8a68457-4b60-423c-b16f-8a46ada3998e,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -6e8d9238-d17e-4096-b4b8-3344529914a3,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -6e8d9238-d17e-4096-b4b8-3344529914a3,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -761ea81c-4202-4176-b7fb-b7052234eb89,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -761ea81c-4202-4176-b7fb-b7052234eb89,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -5e32b8cd-c8f8-4e4e-9b7d-eba3a9282b82,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -dc422fa4-6ab5-475a-8781-472b86a53b12,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -dc422fa4-6ab5-475a-8781-472b86a53b12,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -dc422fa4-6ab5-475a-8781-472b86a53b12,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -0d2b7e90-4307-43a5-9d0a-f7eb361ea63f,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -0d2b7e90-4307-43a5-9d0a-f7eb361ea63f,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -f6a9ac22-799b-4fd3-88ad-7c0cf011e752,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -f6a9ac22-799b-4fd3-88ad-7c0cf011e752,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -d6bcfdb7-26be-40e6-b1d1-401912c74915,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -d6bcfdb7-26be-40e6-b1d1-401912c74915,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -ac4940ee-e68c-4776-804d-75c0e3c37a85,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -ac4940ee-e68c-4776-804d-75c0e3c37a85,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -ac4940ee-e68c-4776-804d-75c0e3c37a85,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -9e2358bf-701c-4152-9d64-f3fdfc2fde45,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -9e2358bf-701c-4152-9d64-f3fdfc2fde45,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -9e2358bf-701c-4152-9d64-f3fdfc2fde45,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -000be14b-f3cf-4f92-a311-7e4ca083ec30,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -ee58e7e8-6de2-4e77-8829-ed8a36850995,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -ee58e7e8-6de2-4e77-8829-ed8a36850995,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -ee58e7e8-6de2-4e77-8829-ed8a36850995,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -f3ec7451-6cd8-440d-a573-79e872f3fbc3,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -f3ec7451-6cd8-440d-a573-79e872f3fbc3,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -cac8820a-e969-4b98-bedd-2a3bab83fc50,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -cac8820a-e969-4b98-bedd-2a3bab83fc50,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -7b8f43f6-de62-48ef-8ceb-7502166e185b,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -ca4cfd73-2e18-4967-a2e1-5731ace08c54,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -0f8a70f1-1ca1-4c80-9aea-d5325c881aab,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -0f8a70f1-1ca1-4c80-9aea-d5325c881aab,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -f39065c6-a5ff-45cb-bf91-4dbb96648cd0,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -f39065c6-a5ff-45cb-bf91-4dbb96648cd0,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -1f5487ae-1ef3-4f0f-bbdc-e1eae18a0fce,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -48b667d6-fea8-4b77-84da-af169de963e4,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -48b667d6-fea8-4b77-84da-af169de963e4,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -48b667d6-fea8-4b77-84da-af169de963e4,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -5014437d-2769-49cf-a691-e9f91f32ff62,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -5014437d-2769-49cf-a691-e9f91f32ff62,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -5014437d-2769-49cf-a691-e9f91f32ff62,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -afff51dd-e60d-4337-9b95-a34ce0ab0185,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -afff51dd-e60d-4337-9b95-a34ce0ab0185,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -ace3a3d1-210f-40e2-90cc-99c2ba3902d3,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -ace3a3d1-210f-40e2-90cc-99c2ba3902d3,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -eced64e3-8622-4111-9e59-d9e2dd300a3a,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -eced64e3-8622-4111-9e59-d9e2dd300a3a,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -eced64e3-8622-4111-9e59-d9e2dd300a3a,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -3b2194a7-f843-42d1-90b4-7d7e32ad6364,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -3b2194a7-f843-42d1-90b4-7d7e32ad6364,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -3b2194a7-f843-42d1-90b4-7d7e32ad6364,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -80838a86-a88e-454c-8eec-3f76f8c37fbd,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -39485f40-98e1-446a-bb4d-1de5ad063a04,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -39485f40-98e1-446a-bb4d-1de5ad063a04,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -8bdd8264-f90b-40a5-9f3c-a8525bdd8490,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -4630422a-2fa6-4915-98c8-8f91afa2fe66,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -4630422a-2fa6-4915-98c8-8f91afa2fe66,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -88b107ab-43d5-43fc-9f58-04e9d7c8191a,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -88b107ab-43d5-43fc-9f58-04e9d7c8191a,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -a274eb9a-80f3-48bb-b8c5-ebf102babcd7,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -a274eb9a-80f3-48bb-b8c5-ebf102babcd7,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -68bdee65-371b-4493-a88b-ea96ca9cbc37,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -68bdee65-371b-4493-a88b-ea96ca9cbc37,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -0f8f84af-d473-4a16-a76e-7d005ec0b7d2,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -0f8f84af-d473-4a16-a76e-7d005ec0b7d2,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -cb128ca4-6a44-48e3-a982-9fe521b9c9f1,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -cb128ca4-6a44-48e3-a982-9fe521b9c9f1,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -6050becf-d90d-4278-a6d0-878979097ee4,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -6050becf-d90d-4278-a6d0-878979097ee4,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -7a491805-23d1-4537-a059-6c5ddae77533,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -7a491805-23d1-4537-a059-6c5ddae77533,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -7a491805-23d1-4537-a059-6c5ddae77533,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -26d3302b-3c33-4c70-bb38-8c06a224e80f,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -26d3302b-3c33-4c70-bb38-8c06a224e80f,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -885dda9a-bbd5-4fdc-b731-575fa28cb122,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -885dda9a-bbd5-4fdc-b731-575fa28cb122,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -4031b364-c10f-4031-a981-337460f0cf10,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -ec3e2019-5323-49de-bd98-a034dc6c5dea,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -ec3e2019-5323-49de-bd98-a034dc6c5dea,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -ec3e2019-5323-49de-bd98-a034dc6c5dea,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -2e6b5f1d-60b2-413f-8b61-7093e2df26e4,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -2e6b5f1d-60b2-413f-8b61-7093e2df26e4,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -2e6b5f1d-60b2-413f-8b61-7093e2df26e4,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -85dc464a-1aff-4715-a91b-651b92ba3979,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -9b0dfad6-3883-4e28-a2b9-38ccac2918a1,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -d7cf6416-b205-40c0-876a-1bfa2cf32057,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -d7cf6416-b205-40c0-876a-1bfa2cf32057,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -d7cf6416-b205-40c0-876a-1bfa2cf32057,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -5089b1d0-1f20-44f5-84b2-fa2a6f7f8888,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -5089b1d0-1f20-44f5-84b2-fa2a6f7f8888,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -399b90c9-a114-48df-b62f-c3b5f9d11af3,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -cedafb14-47f7-46b6-a8ac-9cf2651745ac,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -cedafb14-47f7-46b6-a8ac-9cf2651745ac,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -cedafb14-47f7-46b6-a8ac-9cf2651745ac,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -86aba6e4-04f1-4ad2-a0d5-5f8c6cd2d139,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -86aba6e4-04f1-4ad2-a0d5-5f8c6cd2d139,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -0f1f2505-49e6-46b6-8a48-617cd93c3bb5,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -0f1f2505-49e6-46b6-8a48-617cd93c3bb5,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -0f1f2505-49e6-46b6-8a48-617cd93c3bb5,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -1da63df2-dd57-4eed-87ed-1ebb3f6849dc,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -7c59ea27-afa2-4143-8e2a-08ee00ed9957,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -7c59ea27-afa2-4143-8e2a-08ee00ed9957,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -7c59ea27-afa2-4143-8e2a-08ee00ed9957,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -d8b17d11-0a9e-44c7-af49-8019c34d7ee4,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -d8b17d11-0a9e-44c7-af49-8019c34d7ee4,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -37bb1fde-9c89-4438-b28d-e9cf3f4b2ed9,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -37bb1fde-9c89-4438-b28d-e9cf3f4b2ed9,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -835bebd6-6fcd-4419-b9fb-ff738110c519,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -835bebd6-6fcd-4419-b9fb-ff738110c519,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -835bebd6-6fcd-4419-b9fb-ff738110c519,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -7c58723d-7935-4b0a-9857-62d65a9fd01c,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -c5d598dd-453a-4ea7-a69b-8c1c82941132,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -c5d598dd-453a-4ea7-a69b-8c1c82941132,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -88e5e9f8-9d86-4fcc-8239-55ee2d56def3,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -b0f5ac64-2f95-44ea-ad51-bcc869823117,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -b0f5ac64-2f95-44ea-ad51-bcc869823117,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -b0f5ac64-2f95-44ea-ad51-bcc869823117,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -d06881e5-40d5-49c4-bbcc-8a88f19f79fe,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -1402d262-79bf-4486-aee3-fd370adbe734,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -1402d262-79bf-4486-aee3-fd370adbe734,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -1402d262-79bf-4486-aee3-fd370adbe734,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -6aafa6b0-d420-4a10-bb5c-b240da9eadbb,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -6aafa6b0-d420-4a10-bb5c-b240da9eadbb,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -520f07e1-d286-437b-a57b-73cca582b378,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -520f07e1-d286-437b-a57b-73cca582b378,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -520f07e1-d286-437b-a57b-73cca582b378,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -91c74def-c5f2-4586-92e9-421dfb36f358,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -9ff91315-41a1-44f7-8156-7619d01cc301,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -9ff91315-41a1-44f7-8156-7619d01cc301,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -554a2c67-8c1f-48d0-afac-dff9e9619ab4,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -483f82a6-db7c-4777-8efe-c6e3bfd69514,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -483f82a6-db7c-4777-8efe-c6e3bfd69514,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -c45cce52-e9e5-46ef-b603-a9fce1885d7e,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -6bd56821-5fbd-4151-919c-3f4023dce47b,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -6bd56821-5fbd-4151-919c-3f4023dce47b,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -6bd56821-5fbd-4151-919c-3f4023dce47b,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -37858ff5-73d6-4b70-a43d-45c83de04d96,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -37858ff5-73d6-4b70-a43d-45c83de04d96,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -37858ff5-73d6-4b70-a43d-45c83de04d96,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -6f11f706-af07-4b3e-8b0b-9adbb6b7cb10,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -6f11f706-af07-4b3e-8b0b-9adbb6b7cb10,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -d62efb20-ef72-4b41-a8e5-ee1b7852a464,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -782eeb49-5a61-479d-a08e-9fc3cb91ba04,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -782eeb49-5a61-479d-a08e-9fc3cb91ba04,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -b02433ec-23f9-465c-8ce5-88a78c41ba23,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -011b462a-b8da-41ff-a05a-cf306bdb0913,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -011b462a-b8da-41ff-a05a-cf306bdb0913,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -011b462a-b8da-41ff-a05a-cf306bdb0913,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -21af0d54-14d4-452b-99f0-8d5076063a6d,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -21af0d54-14d4-452b-99f0-8d5076063a6d,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -21af0d54-14d4-452b-99f0-8d5076063a6d,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -81a24a17-e295-4bc6-9fb1-7d9aaeaae0c3,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -81a24a17-e295-4bc6-9fb1-7d9aaeaae0c3,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -81a24a17-e295-4bc6-9fb1-7d9aaeaae0c3,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -6ab89439-afa9-4861-a5af-63e81ab1a84e,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -6ab89439-afa9-4861-a5af-63e81ab1a84e,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -74743241-9c63-4204-b236-40bb400b3a71,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -74743241-9c63-4204-b236-40bb400b3a71,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -74743241-9c63-4204-b236-40bb400b3a71,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -d0d834a5-551a-4b98-9b5f-cfd9bf3fa7ce,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -26f8717b-51a3-4157-8cab-66c878347c9c,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -fb6d1ea6-1de3-47ba-81a4-7eebf451111f,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -fb6d1ea6-1de3-47ba-81a4-7eebf451111f,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -00476883-a22b-4826-90bd-2e2cd1fe1ba1,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -00476883-a22b-4826-90bd-2e2cd1fe1ba1,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -00476883-a22b-4826-90bd-2e2cd1fe1ba1,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -8f6ca2f6-d754-4779-99ff-852af08e3fef,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -af18ec29-60d7-4e17-9809-33aeb8fe72b5,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -af18ec29-60d7-4e17-9809-33aeb8fe72b5,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -4b083616-6f27-4920-8bf8-4bf3cfc504f6,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -0e89624b-6cc3-4bd5-b0b9-1a90ce029eb2,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -0e89624b-6cc3-4bd5-b0b9-1a90ce029eb2,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -e96d2bcd-ea6e-4eee-9f39-13ec0c7192ad,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -1e41e538-af00-4b86-b805-5a792b6f23fa,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -1e41e538-af00-4b86-b805-5a792b6f23fa,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -e42fe6cf-753c-4840-bf02-51a7f3d6edb1,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -e42fe6cf-753c-4840-bf02-51a7f3d6edb1,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -7a4c7390-f09e-4fd7-8c5f-875107c4a54f,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -7a4c7390-f09e-4fd7-8c5f-875107c4a54f,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -fc32f2da-b13c-4bea-bcd1-6934af966018,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -3894bab7-ddf3-4f59-bffa-8f63fe5ca18d,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -3894bab7-ddf3-4f59-bffa-8f63fe5ca18d,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -3894bab7-ddf3-4f59-bffa-8f63fe5ca18d,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -dcd8ecde-924f-43e3-b2e0-44b2aa96ad21,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -dcd8ecde-924f-43e3-b2e0-44b2aa96ad21,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -a188ef33-b146-44bf-8982-4fbe8d06c927,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -6e8b0363-e59d-4ff0-91d4-32f93e8d686d,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -6e8b0363-e59d-4ff0-91d4-32f93e8d686d,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -473d0c3d-f929-484b-96c1-ebd110cd763d,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -473d0c3d-f929-484b-96c1-ebd110cd763d,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -473d0c3d-f929-484b-96c1-ebd110cd763d,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -7331ff6e-0bed-4649-9573-aa6c9715ce54,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -7331ff6e-0bed-4649-9573-aa6c9715ce54,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -4c728640-bd22-41ec-b95d-81ded26b704e,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -4c728640-bd22-41ec-b95d-81ded26b704e,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -4c728640-bd22-41ec-b95d-81ded26b704e,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -8e3ec900-8115-4ff9-bbfb-8418a07ad985,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -8e3ec900-8115-4ff9-bbfb-8418a07ad985,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -f8a2e4bf-7cc6-4280-96bf-e0d96397cda5,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -f8a2e4bf-7cc6-4280-96bf-e0d96397cda5,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -c21f8390-223e-4054-bfa4-30c4f4d08bd3,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -c21f8390-223e-4054-bfa4-30c4f4d08bd3,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -c21f8390-223e-4054-bfa4-30c4f4d08bd3,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -b3b1bc76-301a-4f67-b6db-66f3da42562d,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -a91d0e1c-de01-4b09-8e88-134fde046eb4,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -7892b748-65fc-4c5d-9412-29cbfec9e2e3,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -7892b748-65fc-4c5d-9412-29cbfec9e2e3,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -ddc0055f-2474-4a77-ac43-2b47d6dcc5fc,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -40392ce4-2f17-406c-884b-e1e19a072de2,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -40392ce4-2f17-406c-884b-e1e19a072de2,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -40392ce4-2f17-406c-884b-e1e19a072de2,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -5a46f0b0-4976-4894-9183-a47c121ddd9b,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -5a46f0b0-4976-4894-9183-a47c121ddd9b,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -a8a24d33-1683-47b5-96c5-3d6ec0e7b09d,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -4b2ca01c-dcc2-4477-9b62-6425e9565770,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -4b2ca01c-dcc2-4477-9b62-6425e9565770,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -1cc8679d-2641-436f-b5d0-18929e649565,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -fbfbb870-aba4-466c-8fff-c0ad51c021aa,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -fbfbb870-aba4-466c-8fff-c0ad51c021aa,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -fbfbb870-aba4-466c-8fff-c0ad51c021aa,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -91df72c9-3ba1-4c1c-aeef-1f0b9d614efe,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -312530b6-f9a5-4b87-abca-e8fbeb4d0403,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -312530b6-f9a5-4b87-abca-e8fbeb4d0403,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -312530b6-f9a5-4b87-abca-e8fbeb4d0403,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -2a80d92e-0f68-4d91-882c-d68ec44624c8,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -3ed833ff-2d75-4539-8472-3d0d3ab5d0ad,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -3ed833ff-2d75-4539-8472-3d0d3ab5d0ad,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -3ed833ff-2d75-4539-8472-3d0d3ab5d0ad,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -1cc29400-cbad-484f-ac10-d4dfccd4382d,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -800f5d99-5e52-410d-85fd-e3f73184334f,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -2441840e-a1c5-41c5-a679-1c68ca0a858e,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -e555dff9-a252-4429-806b-5d0a2850bb1f,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -e555dff9-a252-4429-806b-5d0a2850bb1f,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -473fd55f-5417-46f1-8aaf-934b7ff1aee3,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -12242a25-725a-418d-b46d-d751df85e6a1,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -12242a25-725a-418d-b46d-d751df85e6a1,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -f53aa98c-1eb6-4cbd-af84-cb931b1bec2f,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -07c26ff5-7732-4600-89e3-358b3f4162b7,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -b667e1fa-a364-4193-a3a8-0a639291eabd,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -b667e1fa-a364-4193-a3a8-0a639291eabd,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -b667e1fa-a364-4193-a3a8-0a639291eabd,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -d213aec8-769a-4724-8c6f-269c25b95721,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -0f5cc0d2-6198-4bb7-ac48-df5045a44c1b,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -0f5cc0d2-6198-4bb7-ac48-df5045a44c1b,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -0f5cc0d2-6198-4bb7-ac48-df5045a44c1b,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -66db3035-639d-4f18-a579-31519d56332f,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -20658c81-c3fb-4aee-bbd1-8b915a0e1e95,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -b261e2c5-82f5-4c16-b839-25d5ee8e4a6c,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -b261e2c5-82f5-4c16-b839-25d5ee8e4a6c,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -b261e2c5-82f5-4c16-b839-25d5ee8e4a6c,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -94a67c98-9f01-4319-8780-58b768a3b31c,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -94a67c98-9f01-4319-8780-58b768a3b31c,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -94a67c98-9f01-4319-8780-58b768a3b31c,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -9b34888d-7087-4741-a607-fd160276a403,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -328d906e-b858-4094-afae-f2b83c86acda,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -328d906e-b858-4094-afae-f2b83c86acda,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -328d906e-b858-4094-afae-f2b83c86acda,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -cff26f26-f4c3-4745-8fb6-b9f156c831bf,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -cff26f26-f4c3-4745-8fb6-b9f156c831bf,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -cff26f26-f4c3-4745-8fb6-b9f156c831bf,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -7509eb69-8ac9-41fd-80ad-097cf7c79719,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -bb3e5f7d-82be-4bdf-a222-8290d2f30d7a,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -bb3e5f7d-82be-4bdf-a222-8290d2f30d7a,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -4dc2efb4-24c7-4b29-830c-f9771af86eca,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -4dc2efb4-24c7-4b29-830c-f9771af86eca,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -4dc2efb4-24c7-4b29-830c-f9771af86eca,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -90fb7d64-4dc0-410f-b3e2-bddcf921c8e7,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -84c5fe5d-e787-43cf-aac6-80ffaeab8107,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -fdcdf8ce-ec47-492e-aa1e-6dff82ead6a4,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -14f19ce8-201f-474d-a71d-604176716e17,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -9da112c5-212d-4fe2-a323-8be6ecdcd789,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -9da112c5-212d-4fe2-a323-8be6ecdcd789,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -9da112c5-212d-4fe2-a323-8be6ecdcd789,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -023acb08-33e2-4386-bd55-e880396a59f4,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -7446fa16-64df-4983-843c-21524fdf00da,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -7446fa16-64df-4983-843c-21524fdf00da,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -7446fa16-64df-4983-843c-21524fdf00da,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -7b0c1c42-2caf-414b-8d4a-bc828a5c2839,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -7b0c1c42-2caf-414b-8d4a-bc828a5c2839,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -7b0c1c42-2caf-414b-8d4a-bc828a5c2839,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -76d4eb27-46df-4b8c-afe0-c6230376e8aa,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -76d4eb27-46df-4b8c-afe0-c6230376e8aa,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -45c3fd94-0d78-4256-af7b-64d7d83e19b7,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -45c3fd94-0d78-4256-af7b-64d7d83e19b7,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -cc1b720b-287f-496f-972e-2202d4a71461,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -cc1b720b-287f-496f-972e-2202d4a71461,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -cc1b720b-287f-496f-972e-2202d4a71461,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -79b28894-acf0-4f3f-9cf3-2125e808c253,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -79b28894-acf0-4f3f-9cf3-2125e808c253,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -d9422e61-14df-4f1c-a7c2-a597548f76b0,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -fc99a4db-a392-4ee5-9217-8e5f2caf2f49,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -5fb202cb-4097-4f88-83d8-27114f4aab54,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -0a8d459c-5a9d-482e-b03a-d83b17b953bd,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -0a8d459c-5a9d-482e-b03a-d83b17b953bd,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -0a8d459c-5a9d-482e-b03a-d83b17b953bd,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -302370ee-5c9e-45ba-93f0-ced1c2752d36,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -302370ee-5c9e-45ba-93f0-ced1c2752d36,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -66814bd4-a87f-4642-a349-86cac9168812,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -66814bd4-a87f-4642-a349-86cac9168812,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -66814bd4-a87f-4642-a349-86cac9168812,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -c8f8fc96-a28a-45ac-80c0-f53f82e544ad,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -c8f8fc96-a28a-45ac-80c0-f53f82e544ad,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -2b318fdc-fae1-480e-a820-793f8648603a,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -2b318fdc-fae1-480e-a820-793f8648603a,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -2b318fdc-fae1-480e-a820-793f8648603a,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -aa47de94-4a8b-47fe-8be4-5324a461349e,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -aa47de94-4a8b-47fe-8be4-5324a461349e,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -738b08fe-bb80-4dd1-9acb-3f82f45be034,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -497eb58a-93f3-4134-8d25-1e4c49c43f03,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -497eb58a-93f3-4134-8d25-1e4c49c43f03,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -d7d783e9-ad08-48ac-ad4a-eff46a2f3397,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -d7d783e9-ad08-48ac-ad4a-eff46a2f3397,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -d7d783e9-ad08-48ac-ad4a-eff46a2f3397,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -05e9ff12-d291-45ca-8951-16e076774518,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -05e9ff12-d291-45ca-8951-16e076774518,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -b33d0243-4dd7-4032-8edd-bec15c674a15,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -7357ef47-3dce-44cf-8e7f-c6fbd0a2ce95,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -7357ef47-3dce-44cf-8e7f-c6fbd0a2ce95,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -7357ef47-3dce-44cf-8e7f-c6fbd0a2ce95,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -902cafb0-f032-46c2-ae98-0938837ce546,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -902cafb0-f032-46c2-ae98-0938837ce546,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -1d7d9df3-aebb-4d3c-9cb0-1fae4b5c4185,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -1d7d9df3-aebb-4d3c-9cb0-1fae4b5c4185,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -1d7d9df3-aebb-4d3c-9cb0-1fae4b5c4185,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -2a410e39-a592-4fca-b1f0-084fde085bb3,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -48fefaf4-f1cb-42ae-a621-5d833e5eaee5,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -781fa153-ef9b-43f7-8abe-49ccd879f710,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -781fa153-ef9b-43f7-8abe-49ccd879f710,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -adc228a9-f724-4820-9137-493c4417589e,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -adc228a9-f724-4820-9137-493c4417589e,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -adc228a9-f724-4820-9137-493c4417589e,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -0c633319-95f9-43c2-b898-b4ac866d057d,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -e3f1b6bc-43f4-489a-9c25-0bc5b74df3cc,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -e3f1b6bc-43f4-489a-9c25-0bc5b74df3cc,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -e3f1b6bc-43f4-489a-9c25-0bc5b74df3cc,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -bb46b67d-0f45-4a78-9ecc-0037d72d4d51,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -07b15a71-5933-4213-9281-50537260e5dc,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -a8b9c181-08d9-4874-8c93-409d540f1b84,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -a8b9c181-08d9-4874-8c93-409d540f1b84,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -6acc9f2a-4d48-407c-83e3-401f49475e7d,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -6acc9f2a-4d48-407c-83e3-401f49475e7d,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -87475a77-dea2-4542-b6c1-b5ee3a117837,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -630ce388-10ce-4e62-907f-b7ac936ba71a,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -77b6f419-10d5-4f48-bf60-8736a72301e4,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -77b6f419-10d5-4f48-bf60-8736a72301e4,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -bc623888-c33a-450d-826b-8c36c8babfa2,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -bc623888-c33a-450d-826b-8c36c8babfa2,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -bc623888-c33a-450d-826b-8c36c8babfa2,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -dbaedcfa-6e89-41d4-8a8f-57eba2a3851b,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -948d235c-5bce-426d-af43-36255fa54b0c,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -948d235c-5bce-426d-af43-36255fa54b0c,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -948d235c-5bce-426d-af43-36255fa54b0c,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -37d8af0d-93c4-46e2-9fba-117baae4d0a8,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -37d8af0d-93c4-46e2-9fba-117baae4d0a8,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -37d8af0d-93c4-46e2-9fba-117baae4d0a8,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -58181c79-b252-4d8e-8884-0a3f60c2271c,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -58181c79-b252-4d8e-8884-0a3f60c2271c,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -78060377-9782-45a8-a245-c3954745d403,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -78060377-9782-45a8-a245-c3954745d403,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -2003bf42-32b0-40ee-bca8-10fe755592c2,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -2003bf42-32b0-40ee-bca8-10fe755592c2,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -2003bf42-32b0-40ee-bca8-10fe755592c2,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -5010d927-0fc0-4012-b681-3ef8fd6a2573,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -5010d927-0fc0-4012-b681-3ef8fd6a2573,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -5010d927-0fc0-4012-b681-3ef8fd6a2573,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -3f4c576b-8d15-4f42-81c5-f097ca3db0db,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -3f4c576b-8d15-4f42-81c5-f097ca3db0db,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -6498dd56-62fe-4414-a3cf-0fa2707738ef,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -6498dd56-62fe-4414-a3cf-0fa2707738ef,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -599d159e-c88a-4a89-b03e-97f7ec34f1e0,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -c23644f8-8c05-4916-a53f-ea8495186a8c,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -23ac5d0c-0719-4087-858f-dc77d27fcf52,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -23ac5d0c-0719-4087-858f-dc77d27fcf52,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -23ac5d0c-0719-4087-858f-dc77d27fcf52,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -06cf0667-136d-477d-b9df-9bc76ddd13f2,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -06cf0667-136d-477d-b9df-9bc76ddd13f2,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -711d43c6-8178-45c1-9ef4-3cd579f85efc,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -b11bb632-98f4-4cf7-86c0-6cda5a635cda,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -b11bb632-98f4-4cf7-86c0-6cda5a635cda,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -b11bb632-98f4-4cf7-86c0-6cda5a635cda,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -afa8a5ba-12aa-4e4f-8056-86c0b64c2334,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -031f7732-e05f-427c-b54f-1b5c57a8c6e9,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -031f7732-e05f-427c-b54f-1b5c57a8c6e9,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -031f7732-e05f-427c-b54f-1b5c57a8c6e9,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -6ec6fb58-8e4b-4e51-8daa-c9c2abf1d615,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -6ec6fb58-8e4b-4e51-8daa-c9c2abf1d615,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -32ba3524-57f1-4297-b850-dffb2f5a6c22,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -a95f97a3-56f0-4c27-992b-f015b6e5b357,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -a95f97a3-56f0-4c27-992b-f015b6e5b357,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -a95f97a3-56f0-4c27-992b-f015b6e5b357,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -0e850886-a24c-498c-9eb8-82fa7502ded6,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -0e850886-a24c-498c-9eb8-82fa7502ded6,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -0e850886-a24c-498c-9eb8-82fa7502ded6,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -6241c1f6-06d4-42d7-8f6f-0cd2459802e7,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -6a584133-fb24-43d3-80e4-15504e67afe4,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -6a584133-fb24-43d3-80e4-15504e67afe4,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -6a584133-fb24-43d3-80e4-15504e67afe4,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -f75f7eef-6a62-4784-82c1-ac62ac54d849,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -f75f7eef-6a62-4784-82c1-ac62ac54d849,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -f75f7eef-6a62-4784-82c1-ac62ac54d849,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -56531d18-d1aa-4850-94d1-16ce98e4bd6f,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -56531d18-d1aa-4850-94d1-16ce98e4bd6f,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -88b9ef88-6714-4568-afd7-60e4703e766d,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -88b9ef88-6714-4568-afd7-60e4703e766d,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -88b9ef88-6714-4568-afd7-60e4703e766d,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -6a32519c-68ff-4385-838b-7bcd058790b6,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -6a32519c-68ff-4385-838b-7bcd058790b6,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -6a32519c-68ff-4385-838b-7bcd058790b6,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -1b4087fc-39f5-4a60-be5d-9131924d4ca6,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -0820904c-a1fd-45bb-aaf3-f758ef6cb991,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -0820904c-a1fd-45bb-aaf3-f758ef6cb991,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -f697b930-06e4-42e0-839a-b56afeda53ee,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -cf0f76ea-6e02-4b4a-b104-c0cfe5093143,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -cf0f76ea-6e02-4b4a-b104-c0cfe5093143,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -cf0f76ea-6e02-4b4a-b104-c0cfe5093143,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -908f655b-e28a-4739-bb90-655b79f3824b,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -fada10e3-f2f2-4027-9189-2f17fc6febe0,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -fada10e3-f2f2-4027-9189-2f17fc6febe0,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -fada10e3-f2f2-4027-9189-2f17fc6febe0,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -6ecb0180-9eb6-4927-9c9d-1096e3a5a13e,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -6ecb0180-9eb6-4927-9c9d-1096e3a5a13e,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -c5f23cb1-a80a-4de0-bc15-5df6a1795bc5,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -c5f23cb1-a80a-4de0-bc15-5df6a1795bc5,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -028f4295-ff23-43ce-b471-e03a6ef77c07,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -9e76825d-3c1d-47ff-9520-4f72a81086db,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -9e76825d-3c1d-47ff-9520-4f72a81086db,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -aaf460a0-69c7-4ce1-8395-3bbc0f17b1af,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -5c200466-aa71-4128-8e5b-022539d70b66,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -5c200466-aa71-4128-8e5b-022539d70b66,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -8007df1f-bd19-4edd-b777-de4e6c78a954,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -8007df1f-bd19-4edd-b777-de4e6c78a954,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -9b0cbdde-6c26-49e1-818c-8655fe6ea416,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -9b0cbdde-6c26-49e1-818c-8655fe6ea416,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -9b0cbdde-6c26-49e1-818c-8655fe6ea416,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -facca2c1-3acf-47cb-92dc-8868a4451837,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -330d28ba-9b53-4456-b580-fe6bd0777188,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -330d28ba-9b53-4456-b580-fe6bd0777188,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -330d28ba-9b53-4456-b580-fe6bd0777188,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -0d9a321b-820d-4809-ac3f-32e9f5aca180,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -5f7e0ef8-3757-4a5f-906c-fc13952e5b34,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -5f7e0ef8-3757-4a5f-906c-fc13952e5b34,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -d5e83781-94f8-4402-85bf-a90890820147,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -97e61513-d729-4b48-89d6-9669b36601ba,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -97e61513-d729-4b48-89d6-9669b36601ba,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -97e61513-d729-4b48-89d6-9669b36601ba,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -2a982941-ed9a-4f35-b2a6-ab4cac2685f0,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -cfe50d71-55c6-4e4a-b5a7-d1dbbd491731,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -cfe50d71-55c6-4e4a-b5a7-d1dbbd491731,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -8a616e46-92c6-4136-a885-35e810b2f889,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -8a616e46-92c6-4136-a885-35e810b2f889,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -b972f861-af07-4479-8ab8-29dc8d480905,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -b972f861-af07-4479-8ab8-29dc8d480905,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -b972f861-af07-4479-8ab8-29dc8d480905,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -cc06d300-35b7-4e23-90d7-ada7df70f2c5,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -cc06d300-35b7-4e23-90d7-ada7df70f2c5,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -bbea0958-1424-44bf-9f45-c5b4f8432a78,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -be71b3da-9d44-4419-9475-20b1ca9d9727,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -be71b3da-9d44-4419-9475-20b1ca9d9727,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -be71b3da-9d44-4419-9475-20b1ca9d9727,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -5e2a0b3e-a7b7-4702-9b4e-0829e3344227,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -5e2a0b3e-a7b7-4702-9b4e-0829e3344227,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -78de17c3-be12-4e39-ad9a-0acd295ea5c0,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -78de17c3-be12-4e39-ad9a-0acd295ea5c0,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -78de17c3-be12-4e39-ad9a-0acd295ea5c0,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -b8276e8d-2511-409f-b5ab-bbb3c1ab18ad,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -b1e777dc-2bb4-4739-8553-fabc0572199b,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -b1e777dc-2bb4-4739-8553-fabc0572199b,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -b1e777dc-2bb4-4739-8553-fabc0572199b,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -dacf7fe0-23e2-4cce-a7c0-591da6246db7,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -dacf7fe0-23e2-4cce-a7c0-591da6246db7,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -dacf7fe0-23e2-4cce-a7c0-591da6246db7,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -97614f60-36bd-40ca-8d79-1097fa9683d4,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -88b2b726-7bf2-44e3-8327-b77e19135f52,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -88b2b726-7bf2-44e3-8327-b77e19135f52,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -f923da91-a767-402b-adc5-b8714a178b04,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -e0f496f7-1db6-4336-b482-b4373e7eb2d3,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -32b09de0-6942-4db0-af55-80198839c479,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -32b09de0-6942-4db0-af55-80198839c479,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -d794f9ca-a916-45d7-971b-614a624ab463,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -d794f9ca-a916-45d7-971b-614a624ab463,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -5e22d601-befb-46bd-8e5d-852623c1ff1e,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -5e22d601-befb-46bd-8e5d-852623c1ff1e,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -baaa9a7c-c1d1-4ae5-a499-a5c0dbda6513,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -baaa9a7c-c1d1-4ae5-a499-a5c0dbda6513,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -628c6091-2554-4fea-bb29-61041bc93094,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -628c6091-2554-4fea-bb29-61041bc93094,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -628c6091-2554-4fea-bb29-61041bc93094,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -0256ec47-673c-45ca-9433-a246f2a637cf,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -0256ec47-673c-45ca-9433-a246f2a637cf,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -0256ec47-673c-45ca-9433-a246f2a637cf,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -9c334232-0285-442d-85d4-2a537b15113e,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -d2f15574-5d92-4857-84c2-4ed3cc508507,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -d2f15574-5d92-4857-84c2-4ed3cc508507,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -d2f15574-5d92-4857-84c2-4ed3cc508507,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -311aa382-ac11-4293-9111-e1fa9c0e45fd,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -311aa382-ac11-4293-9111-e1fa9c0e45fd,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -311aa382-ac11-4293-9111-e1fa9c0e45fd,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -b172a63a-b90a-4fd0-81b6-d9e814394eb3,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -b172a63a-b90a-4fd0-81b6-d9e814394eb3,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -b172a63a-b90a-4fd0-81b6-d9e814394eb3,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -830f14a5-8893-4a4e-b12b-9d6940afa6a1,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -830f14a5-8893-4a4e-b12b-9d6940afa6a1,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -e92bab7b-14ba-4a13-b829-912d9e473bdf,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -448ba340-d86d-4928-b5ef-0405be88f9cf,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -448ba340-d86d-4928-b5ef-0405be88f9cf,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -95024dc4-02ae-4762-b1ca-d502254d15bc,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -a93ef085-ea95-48a8-9172-8163fc9a2b4d,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -a93ef085-ea95-48a8-9172-8163fc9a2b4d,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -dd408f74-9fd9-4ac0-ac83-832db5fb76ae,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -dd408f74-9fd9-4ac0-ac83-832db5fb76ae,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -dd408f74-9fd9-4ac0-ac83-832db5fb76ae,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -1188f42c-0678-4594-8583-584451db2feb,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -00275c85-4e7a-47e0-ba57-ada7c21eaefd,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -00275c85-4e7a-47e0-ba57-ada7c21eaefd,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -00275c85-4e7a-47e0-ba57-ada7c21eaefd,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -60d96a39-2b94-443e-a218-d77425bf2327,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -60d96a39-2b94-443e-a218-d77425bf2327,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -60d96a39-2b94-443e-a218-d77425bf2327,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -5c281d34-5bab-4bff-9d23-e64b6a479ab2,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -118a45af-f27f-40d8-b64c-1a0cf898f815,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -ff64340a-740d-4da7-be41-3b9a010f7021,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -ff64340a-740d-4da7-be41-3b9a010f7021,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -ff64340a-740d-4da7-be41-3b9a010f7021,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -e10a4460-15c7-4e81-a2e4-7dd4be59f19b,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -dd47a111-7dee-4d95-91a3-849deeeff671,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -77968f5e-f443-42dc-84bf-4c2a19909df8,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -77968f5e-f443-42dc-84bf-4c2a19909df8,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -77968f5e-f443-42dc-84bf-4c2a19909df8,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -74d6b392-36e8-4342-a8c9-c48d63da48d6,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -e015dd9b-1c23-496c-ac5b-c3d69200d973,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -e015dd9b-1c23-496c-ac5b-c3d69200d973,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -e015dd9b-1c23-496c-ac5b-c3d69200d973,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -fa33c960-938e-4d45-a886-2134b43509ba,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -fa33c960-938e-4d45-a886-2134b43509ba,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -61d02224-0f83-4427-bb81-c105470069c2,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -dd34c508-b898-4243-b3fb-e384ccceb7c6,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -dd34c508-b898-4243-b3fb-e384ccceb7c6,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -dd34c508-b898-4243-b3fb-e384ccceb7c6,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -ec73bae5-54d6-41e9-8b59-03205fbdd95a,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -a1d72838-4dab-4a73-84fb-0b4610f186d4,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -cdceeebb-3498-464d-84ca-668521a60647,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -cdceeebb-3498-464d-84ca-668521a60647,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -fb431c06-2301-4ebc-94b7-1a9fdca04deb,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -fb431c06-2301-4ebc-94b7-1a9fdca04deb,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -fb431c06-2301-4ebc-94b7-1a9fdca04deb,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -c9335dc9-783d-4266-a7f5-1980c3b9544b,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -c9335dc9-783d-4266-a7f5-1980c3b9544b,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -e46b96a1-22bb-4230-9d76-14972a5717ad,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -e46b96a1-22bb-4230-9d76-14972a5717ad,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -bc9fe104-9242-4118-b75e-e283fb243743,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -bc9fe104-9242-4118-b75e-e283fb243743,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -bc9fe104-9242-4118-b75e-e283fb243743,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -5412a756-9c71-4721-81c0-20d214dae5ea,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -42c73a68-dd48-4a59-9617-e07a29368f17,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -42c73a68-dd48-4a59-9617-e07a29368f17,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -42c73a68-dd48-4a59-9617-e07a29368f17,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -5d5d4250-1ab1-4e84-b8cd-edc7e483a6f0,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -5d5d4250-1ab1-4e84-b8cd-edc7e483a6f0,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -5d5d4250-1ab1-4e84-b8cd-edc7e483a6f0,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -a606b954-9f49-4883-9b68-383539feffe4,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -a606b954-9f49-4883-9b68-383539feffe4,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -a606b954-9f49-4883-9b68-383539feffe4,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -df6a9086-4261-4002-baaf-1a6725153d28,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -fb86af05-0151-4274-a93d-387edb323ed0,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -e438bd01-aaf6-48a9-9cfd-8073d65c1ea0,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -e438bd01-aaf6-48a9-9cfd-8073d65c1ea0,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -e438bd01-aaf6-48a9-9cfd-8073d65c1ea0,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -f758165d-bfd0-4b5a-8db3-4158d13ebb69,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -f758165d-bfd0-4b5a-8db3-4158d13ebb69,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -f758165d-bfd0-4b5a-8db3-4158d13ebb69,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -d28166eb-d0fe-4ff6-be66-119cfea3e1fe,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -20e114db-9c0d-4eab-8f3a-fb966aa877b6,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -20e114db-9c0d-4eab-8f3a-fb966aa877b6,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -043b80de-9f97-415f-b462-ae385c3ede74,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -043b80de-9f97-415f-b462-ae385c3ede74,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -043b80de-9f97-415f-b462-ae385c3ede74,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -b5aaecbd-a416-4b9c-a0a4-69254afce081,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -b5aaecbd-a416-4b9c-a0a4-69254afce081,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -159fb102-2d8e-49cb-84b3-9952663738ab,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -159fb102-2d8e-49cb-84b3-9952663738ab,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -bb93bfba-5ef2-4a1a-9fa3-7d341cb7cd57,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -bb93bfba-5ef2-4a1a-9fa3-7d341cb7cd57,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -bb93bfba-5ef2-4a1a-9fa3-7d341cb7cd57,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -8a25cb39-17bd-46ae-8fec-a72ba201ceed,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -8a25cb39-17bd-46ae-8fec-a72ba201ceed,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -8a25cb39-17bd-46ae-8fec-a72ba201ceed,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -4a1d23ee-f120-48bc-add1-c728cdefbc30,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -aee7331c-c409-4ede-b46b-f881d7733872,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -aee7331c-c409-4ede-b46b-f881d7733872,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -aee7331c-c409-4ede-b46b-f881d7733872,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -ee219886-4439-4ad0-b4b9-47dbca0c106a,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -ee219886-4439-4ad0-b4b9-47dbca0c106a,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -ee219886-4439-4ad0-b4b9-47dbca0c106a,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -a4643fcb-024d-4c8e-967f-1cb2a62d20b3,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -a4643fcb-024d-4c8e-967f-1cb2a62d20b3,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -f052284c-8188-4d6c-a705-1467109c93d5,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -f052284c-8188-4d6c-a705-1467109c93d5,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -f052284c-8188-4d6c-a705-1467109c93d5,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -067bd932-7630-4033-9536-7a468a3627f5,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -edb71b5a-ccb1-4ecd-823e-2940bbd32501,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -edb71b5a-ccb1-4ecd-823e-2940bbd32501,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -e2108730-c430-4919-9788-09e8bb13457b,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -e2108730-c430-4919-9788-09e8bb13457b,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -e2108730-c430-4919-9788-09e8bb13457b,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -519b1cc0-7e46-4fbb-9734-56fd377602be,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -519b1cc0-7e46-4fbb-9734-56fd377602be,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -519b1cc0-7e46-4fbb-9734-56fd377602be,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -848fc935-5f6f-4fc8-b897-0fdbe6f2df89,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -5f860d1f-68d8-405b-81d4-6a25975682c3,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -5f860d1f-68d8-405b-81d4-6a25975682c3,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -903c4af9-cafc-4078-852f-a6e26cd26ead,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -fda697a2-dc19-4bc2-93a3-edc5973db7c3,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -fda697a2-dc19-4bc2-93a3-edc5973db7c3,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -fda697a2-dc19-4bc2-93a3-edc5973db7c3,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -4e6fafc1-b8ce-4367-975a-ed5241335d88,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -77841bd0-007d-4635-90e7-108c6a307a4b,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -77841bd0-007d-4635-90e7-108c6a307a4b,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -42664cfa-67ed-4eee-9667-27d6ca9faaa8,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -42664cfa-67ed-4eee-9667-27d6ca9faaa8,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -42664cfa-67ed-4eee-9667-27d6ca9faaa8,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -b8285466-9768-4c5b-9ae0-1c2db0a4e3e9,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -b8285466-9768-4c5b-9ae0-1c2db0a4e3e9,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -b8285466-9768-4c5b-9ae0-1c2db0a4e3e9,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -d4c55002-394f-430a-a1ea-3479b320a20b,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -7cf9788e-c4bc-47e8-8878-2644481f1138,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -60f939f9-1be7-4f59-b394-51bfeb575903,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -50788d5a-50ac-4027-9cac-4adb0b670e59,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -50788d5a-50ac-4027-9cac-4adb0b670e59,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -9f782082-4f09-4464-b95d-16351b8d352d,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -9f782082-4f09-4464-b95d-16351b8d352d,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -9f782082-4f09-4464-b95d-16351b8d352d,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -830f1b27-d398-4d67-a9ba-5202ce720218,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -830f1b27-d398-4d67-a9ba-5202ce720218,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -830f1b27-d398-4d67-a9ba-5202ce720218,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -e6e7162e-6462-49cc-9e6c-ab5bee6aa04f,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -e6e7162e-6462-49cc-9e6c-ab5bee6aa04f,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -12865a24-8619-45fb-bfc8-74d49fb26587,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -12865a24-8619-45fb-bfc8-74d49fb26587,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -12865a24-8619-45fb-bfc8-74d49fb26587,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -f7e2aeac-aa23-412c-85dc-b5b662ae74a2,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -f7e2aeac-aa23-412c-85dc-b5b662ae74a2,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -071ef8b5-1425-4d9f-bbc7-f61600c21252,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -56690423-dbc7-4379-bce9-d9255ba08a82,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -56690423-dbc7-4379-bce9-d9255ba08a82,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -b69aa9e7-7945-4f4c-8d95-f57b1bbad59e,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -b69aa9e7-7945-4f4c-8d95-f57b1bbad59e,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -b69aa9e7-7945-4f4c-8d95-f57b1bbad59e,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -bcfa44fe-d79d-4bf0-98e1-e91a088f0301,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -bcfa44fe-d79d-4bf0-98e1-e91a088f0301,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -7a891601-b672-415f-8c82-af89afb32abb,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -bfb644d7-e801-411d-86e3-500b93323843,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -1299cdb0-f4a4-451d-964e-8a26d510164b,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -1299cdb0-f4a4-451d-964e-8a26d510164b,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -1299cdb0-f4a4-451d-964e-8a26d510164b,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -037407a2-48f7-40f4-b94b-87842e3dd34a,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -037407a2-48f7-40f4-b94b-87842e3dd34a,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -ad1a4fb7-1f8e-42e4-b0c9-105f12ac86a8,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -d575ec37-abca-416d-8a3a-1032068e812b,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -adccd0f8-42d3-48e6-87d0-35cac3bee631,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -7b47095a-b447-44a0-b481-7d1e2819f07b,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -7b47095a-b447-44a0-b481-7d1e2819f07b,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -ea905a5f-2880-4f5a-b6fd-d6472222354e,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -ea905a5f-2880-4f5a-b6fd-d6472222354e,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -ea905a5f-2880-4f5a-b6fd-d6472222354e,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -5b4d46cd-a397-4484-a3c2-51246a3fdea4,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -5b4d46cd-a397-4484-a3c2-51246a3fdea4,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -d6fb6dd6-b86f-40de-86a7-9f350b1d5b47,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -8f0e60d9-2df6-4c1a-8aaa-8a39f14571bd,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -82c29dc4-8050-4bf6-84f2-bc44323ba3ca,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -43f44a00-00b6-4bed-99f0-6c8440731bcd,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -43f44a00-00b6-4bed-99f0-6c8440731bcd,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -f2f46755-fb6c-48a2-8a23-c475d7909a70,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -f2f46755-fb6c-48a2-8a23-c475d7909a70,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -f2f46755-fb6c-48a2-8a23-c475d7909a70,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -9bb676d2-6864-4152-8905-214dc294c360,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -fde2782a-1b10-485c-bfb2-f2728b41fe95,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -fde2782a-1b10-485c-bfb2-f2728b41fe95,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -582a0977-76bb-4227-9a33-9d77713b2ff6,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -bf60015f-8848-4fdd-81bb-c1fa21268538,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -bf60015f-8848-4fdd-81bb-c1fa21268538,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -e0ec8ed3-8675-4f31-b2f2-8cfba868cdc4,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -e00d14a9-a38d-4260-a096-581505aa67b6,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -cccac355-1985-4e38-8760-6e6545e75756,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -cccac355-1985-4e38-8760-6e6545e75756,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -d6082079-367f-4ee0-a4dd-f63556a618b0,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -d6082079-367f-4ee0-a4dd-f63556a618b0,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -d6082079-367f-4ee0-a4dd-f63556a618b0,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -aa7b1363-8a04-437b-9fef-2b41d87beb79,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -aa7b1363-8a04-437b-9fef-2b41d87beb79,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -903961ed-1778-445b-9374-426cefec2c66,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -903961ed-1778-445b-9374-426cefec2c66,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -674d0490-d2db-453d-b055-450e5db3b88d,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -674d0490-d2db-453d-b055-450e5db3b88d,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -f000b468-01af-4f78-ae0d-abce9c8928e4,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -f000b468-01af-4f78-ae0d-abce9c8928e4,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -c166ea97-376c-4fa6-89a5-24d7e9320812,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -a9d7aa16-88f6-4c4e-8b26-2f74902892b7,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -a9d7aa16-88f6-4c4e-8b26-2f74902892b7,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -2861cbec-2754-4434-b0d4-13aa792dee91,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -2861cbec-2754-4434-b0d4-13aa792dee91,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -2861cbec-2754-4434-b0d4-13aa792dee91,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -223ead9f-89d7-4feb-972d-648eca98e5c3,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -55684e2d-c627-4911-8621-11192b978830,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -55684e2d-c627-4911-8621-11192b978830,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -4c2eb0ac-9f95-4c1a-8cba-beb3e5744424,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -cd5a21ab-3e85-4007-a10a-9622ab56beb1,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -cd5a21ab-3e85-4007-a10a-9622ab56beb1,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -cd5a21ab-3e85-4007-a10a-9622ab56beb1,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -8877407b-0caa-4ed3-a629-5e0b40d1ae7b,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -5edd29e8-78b7-4c16-a73a-4e569f5d50a3,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -5edd29e8-78b7-4c16-a73a-4e569f5d50a3,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -5d84248b-7720-4ad5-8892-fc63ae8fbf12,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -0740c72b-5b39-4ce7-9eeb-14c4eff00198,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -0740c72b-5b39-4ce7-9eeb-14c4eff00198,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -0740c72b-5b39-4ce7-9eeb-14c4eff00198,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -9f452487-e7d8-494b-ba7c-69c220dcf412,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -5a6dfd30-55bf-4156-a7ca-586e481ebcfa,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -3b465816-dcc0-4f36-821b-4f9d1fe820c0,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -3eb501b8-d675-4d4d-a773-ea6b6fb206e3,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -3eb501b8-d675-4d4d-a773-ea6b6fb206e3,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -1a0f6aea-7f38-4804-97eb-060af96256d6,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -1a0f6aea-7f38-4804-97eb-060af96256d6,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -1a0f6aea-7f38-4804-97eb-060af96256d6,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -24f18602-dd98-4d48-a85f-686fe76d5f50,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -24f18602-dd98-4d48-a85f-686fe76d5f50,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -24f18602-dd98-4d48-a85f-686fe76d5f50,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -0e94d25d-d8d5-45f0-8f41-f5fdbc64236e,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -219d054a-d5ed-4284-851d-41c0bdf6079c,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -219d054a-d5ed-4284-851d-41c0bdf6079c,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -219d054a-d5ed-4284-851d-41c0bdf6079c,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -faae3142-3dc9-46a3-a1b6-88824919c286,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -faae3142-3dc9-46a3-a1b6-88824919c286,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -faae3142-3dc9-46a3-a1b6-88824919c286,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -360068d9-5095-40cd-ac57-4051f5d25471,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -360068d9-5095-40cd-ac57-4051f5d25471,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -360068d9-5095-40cd-ac57-4051f5d25471,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -c8dc3c98-16e9-45f5-9907-b8c3feb3dfb2,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -f3979d68-d573-4de5-94e8-99676b7ab481,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -f3979d68-d573-4de5-94e8-99676b7ab481,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -f3979d68-d573-4de5-94e8-99676b7ab481,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -5bd1cc54-4873-4036-b46b-c412589593e4,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -5bd1cc54-4873-4036-b46b-c412589593e4,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -c9138f43-a992-48bc-949e-7dbb688517cf,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -c9138f43-a992-48bc-949e-7dbb688517cf,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -89fef7f3-b190-4f1e-afc8-1e578851b51d,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -d153b750-e1a8-4c24-8f1c-56c5de942855,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -d153b750-e1a8-4c24-8f1c-56c5de942855,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -e8566b3b-71cf-4877-9b59-551080f4c551,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -0bc0a636-0f33-44fd-99c7-470bca024032,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -0bc0a636-0f33-44fd-99c7-470bca024032,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -0bc0a636-0f33-44fd-99c7-470bca024032,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -75a95348-8b6f-444a-8568-baffc93df501,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -75a95348-8b6f-444a-8568-baffc93df501,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -75a95348-8b6f-444a-8568-baffc93df501,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -7ac1eb2e-20ca-46f5-b282-317528cea4fb,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -7ac1eb2e-20ca-46f5-b282-317528cea4fb,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -7ac1eb2e-20ca-46f5-b282-317528cea4fb,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -4dec503c-49f7-4bd0-bd41-1a074f7395c0,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -eeb4e433-a0dc-406e-a004-54796fdf7fe7,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -eeb4e433-a0dc-406e-a004-54796fdf7fe7,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -6b0ea04b-f5ba-4ff0-9533-5b51f4f8f3e3,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -6b0ea04b-f5ba-4ff0-9533-5b51f4f8f3e3,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -6b0ea04b-f5ba-4ff0-9533-5b51f4f8f3e3,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -46776f44-8be0-4dd7-ba04-a8c307b441fe,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -de0bdd01-1b64-4e1e-a849-b2005e4d5fac,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -50da38e5-29c2-40bf-a02f-81e77cd93243,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -50da38e5-29c2-40bf-a02f-81e77cd93243,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -31260b1f-cd6e-41f2-954a-42769e5fad63,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -31260b1f-cd6e-41f2-954a-42769e5fad63,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -679c0754-1c72-4111-bf83-d0c1d81ef7ce,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -679c0754-1c72-4111-bf83-d0c1d81ef7ce,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -296e8d66-28ba-47ab-a1ef-62c3c782fa1e,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -296e8d66-28ba-47ab-a1ef-62c3c782fa1e,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -c0e30e5f-8f7f-40a7-81cc-462308828581,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -c0e30e5f-8f7f-40a7-81cc-462308828581,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -c0e30e5f-8f7f-40a7-81cc-462308828581,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -e9e56325-1132-4aa2-8625-3b7150fc9d08,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -e9e56325-1132-4aa2-8625-3b7150fc9d08,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -cd45e9c4-a490-4c67-9e4b-ec5c9f950bed,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -cd45e9c4-a490-4c67-9e4b-ec5c9f950bed,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -cd45e9c4-a490-4c67-9e4b-ec5c9f950bed,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -949f7443-90f5-47ad-bcb9-a07cb821a393,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -949f7443-90f5-47ad-bcb9-a07cb821a393,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -949f7443-90f5-47ad-bcb9-a07cb821a393,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -b05e5f13-642f-40a1-b673-bfffdb695b3a,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -b05e5f13-642f-40a1-b673-bfffdb695b3a,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -f893bb33-51a8-49e4-ac45-c57c11b2de8e,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -f893bb33-51a8-49e4-ac45-c57c11b2de8e,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -f893bb33-51a8-49e4-ac45-c57c11b2de8e,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -915d1052-a73c-4467-8ef6-f9081f947e17,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -915d1052-a73c-4467-8ef6-f9081f947e17,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -915d1052-a73c-4467-8ef6-f9081f947e17,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -ece1753a-6356-407d-bb2b-c2e349ed1e12,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -ece1753a-6356-407d-bb2b-c2e349ed1e12,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -6c1c3619-47b1-4deb-ac6c-b2cd2b4e9884,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -6c1c3619-47b1-4deb-ac6c-b2cd2b4e9884,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -4c324dc4-d0a9-43f5-9624-7d6cb0988817,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -4ebc1710-6156-43d6-aeae-db65cc299629,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -4ebc1710-6156-43d6-aeae-db65cc299629,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -c15c4ad1-d083-40f6-aa28-387e45f3379e,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -c15c4ad1-d083-40f6-aa28-387e45f3379e,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -479f4d79-b43d-4e2c-9ac9-6b87a37fd6da,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -479f4d79-b43d-4e2c-9ac9-6b87a37fd6da,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -479f4d79-b43d-4e2c-9ac9-6b87a37fd6da,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -85c6e5cd-f56b-4857-9eaa-cb3eb030034f,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -85c6e5cd-f56b-4857-9eaa-cb3eb030034f,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -3f64414d-b0b2-4636-8674-9b531f63969c,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -3f64414d-b0b2-4636-8674-9b531f63969c,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -6fce6dd0-615c-4603-a5ae-f3a0e43c6d09,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -6fce6dd0-615c-4603-a5ae-f3a0e43c6d09,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -ec110f9b-4c98-41e2-bcc5-225fd69bb7a0,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -ec110f9b-4c98-41e2-bcc5-225fd69bb7a0,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -0a5549b9-48d8-40ce-9036-86d2b65b408a,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -0a5549b9-48d8-40ce-9036-86d2b65b408a,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -0a5549b9-48d8-40ce-9036-86d2b65b408a,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -f299f547-321b-46b2-a6fe-b927358a7000,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -f299f547-321b-46b2-a6fe-b927358a7000,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -f299f547-321b-46b2-a6fe-b927358a7000,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -6915d8bc-5249-4eaf-89c8-5fbd07de71b6,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -6915d8bc-5249-4eaf-89c8-5fbd07de71b6,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -0073ae09-b282-4263-9f8f-d3d451cded54,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -0073ae09-b282-4263-9f8f-d3d451cded54,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -bdfe330d-c8f1-4d14-b22c-d628a28cc77b,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -59dd46e3-3ead-4108-9e21-2aac0425a4f8,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -4498a840-e4fe-4316-ba43-105186e53174,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -c0438072-6cf1-4817-aec0-92d54082dc33,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -c0438072-6cf1-4817-aec0-92d54082dc33,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -c0438072-6cf1-4817-aec0-92d54082dc33,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -f1d9f17a-46f6-4579-80ae-554fab2c2287,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -f1d9f17a-46f6-4579-80ae-554fab2c2287,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -f1d9f17a-46f6-4579-80ae-554fab2c2287,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -300939ca-89a8-41a7-8d72-e4cd6652a67d,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -375682a1-b08b-4de8-8c00-f747f63911e5,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -375682a1-b08b-4de8-8c00-f747f63911e5,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -9a84b728-c393-4e90-ad01-021e14828e95,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -9a84b728-c393-4e90-ad01-021e14828e95,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -07e25d37-a2d4-49d5-aba9-e1087b4ff69c,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -b954ff5d-d990-4957-ba33-49901e59fc6a,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -b954ff5d-d990-4957-ba33-49901e59fc6a,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -b954ff5d-d990-4957-ba33-49901e59fc6a,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -e907a90f-0086-4e08-8073-2f4105988fdb,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -e907a90f-0086-4e08-8073-2f4105988fdb,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -3fc994bb-3e89-48c2-a62f-ee8f360bbedf,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -3fc994bb-3e89-48c2-a62f-ee8f360bbedf,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -3fc994bb-3e89-48c2-a62f-ee8f360bbedf,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -5131c9c6-7020-4e58-b87b-3d500efade23,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -bf985900-268b-493d-8bd8-4e1b55f870c0,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -dd8a4049-aaab-457f-a538-7e2b55c5c319,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -dd8a4049-aaab-457f-a538-7e2b55c5c319,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -2a38d5ab-9059-4ccd-b469-ce19cc548a13,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -2a38d5ab-9059-4ccd-b469-ce19cc548a13,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -2a38d5ab-9059-4ccd-b469-ce19cc548a13,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -5081aa7e-e336-47a9-9e99-3a12f3c2f766,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -5081aa7e-e336-47a9-9e99-3a12f3c2f766,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -f7083baa-c8bf-4920-a687-1dcd6e90692f,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -f7083baa-c8bf-4920-a687-1dcd6e90692f,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -a91c3312-6b25-4816-9a7a-edafb8767428,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -a91c3312-6b25-4816-9a7a-edafb8767428,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -4653554a-ac09-4662-95c7-5f214613b20d,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -485e81f7-8eeb-4d72-9a59-4abc627d865c,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -485e81f7-8eeb-4d72-9a59-4abc627d865c,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -485e81f7-8eeb-4d72-9a59-4abc627d865c,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -9ddea4d9-2300-477a-a261-83a01a9791b5,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -ec61248c-0dd0-465a-887a-a242dd90e6cc,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -ec61248c-0dd0-465a-887a-a242dd90e6cc,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -a843ca66-22da-4a1c-8b14-f0b495a27304,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -a843ca66-22da-4a1c-8b14-f0b495a27304,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -a7a553c7-540e-4aa5-8099-502d45c000f2,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -502f4079-aa1c-469d-b45c-35d0ecb5b918,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -502f4079-aa1c-469d-b45c-35d0ecb5b918,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -502f4079-aa1c-469d-b45c-35d0ecb5b918,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -9ed8fe94-9e79-4e18-b470-2482e78025f4,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -622420e1-b792-45bc-b61d-35d35a40871d,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -622420e1-b792-45bc-b61d-35d35a40871d,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -622420e1-b792-45bc-b61d-35d35a40871d,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -cf200ae3-271b-4905-96dc-708ac825d356,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -06e4398e-38d6-472d-8c9f-fdf36eb30556,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -9ab974d6-9ec8-440f-87de-42454161b877,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -9ab974d6-9ec8-440f-87de-42454161b877,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -9ab974d6-9ec8-440f-87de-42454161b877,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -40e0c527-106c-48e4-ab4e-bd3db7594e21,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -40e0c527-106c-48e4-ab4e-bd3db7594e21,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -40e0c527-106c-48e4-ab4e-bd3db7594e21,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -5cc76ed2-535d-476b-a0e9-4e79a86451f8,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -8af12e3b-2556-4a98-845d-425c0f57e267,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -8af12e3b-2556-4a98-845d-425c0f57e267,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -cf2969bd-ad1b-4135-9a78-b37907f15dd8,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -57475a35-e2c9-4762-b5b1-08786b040978,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -781e28c2-1588-4d3f-ad01-9a77bd1bf4ca,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -781e28c2-1588-4d3f-ad01-9a77bd1bf4ca,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -781e28c2-1588-4d3f-ad01-9a77bd1bf4ca,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -66ed07e6-7e4e-4e9f-a5e1-5c3cbe358352,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -b83ac65a-8e87-4eb6-9819-0bf225cc59cf,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -b83ac65a-8e87-4eb6-9819-0bf225cc59cf,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -b83ac65a-8e87-4eb6-9819-0bf225cc59cf,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -c597660b-83d0-4126-8f4d-7c25b2f7b26b,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -4d5eb929-a134-4da9-b08d-2b77375d676a,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -4d5eb929-a134-4da9-b08d-2b77375d676a,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -4ad6e27f-5c07-4f2a-abed-90b114528b96,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -4ad6e27f-5c07-4f2a-abed-90b114528b96,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -4ad6e27f-5c07-4f2a-abed-90b114528b96,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -c070cb67-a20c-44c6-afad-d9b763c8750d,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -c070cb67-a20c-44c6-afad-d9b763c8750d,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -240ec1bd-babb-452e-8171-b0f293d8e89e,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -e39a3c9e-8d4d-4915-9765-b6e78b9b6f85,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -e39a3c9e-8d4d-4915-9765-b6e78b9b6f85,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -e39a3c9e-8d4d-4915-9765-b6e78b9b6f85,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -95cdce99-d10e-4ea5-8a46-38c2aa6049f9,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -95cdce99-d10e-4ea5-8a46-38c2aa6049f9,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -e5e01b16-697d-4d8f-abb1-f74bb3294aec,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -e5e01b16-697d-4d8f-abb1-f74bb3294aec,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -c283c6fe-cba5-43c5-9536-a88849034718,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -c283c6fe-cba5-43c5-9536-a88849034718,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -5fb6647c-4a88-4f03-9abd-2ee05895c556,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -5fb6647c-4a88-4f03-9abd-2ee05895c556,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -5fb6647c-4a88-4f03-9abd-2ee05895c556,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -c757fc0d-f295-4898-9c18-080879930926,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -56cdaae5-2ad6-48c6-8498-146a8a1ed74a,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -fc3005fe-2936-413a-995c-eca969c91c4f,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -ad8082b5-eb55-4709-aa64-ce5d1448dec4,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -7a7c3159-208c-4ed8-9fa9-3a39c2710236,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -c821ac8d-eaa8-49d0-b117-07210c1d1745,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -c821ac8d-eaa8-49d0-b117-07210c1d1745,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -c821ac8d-eaa8-49d0-b117-07210c1d1745,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -401e8a4c-6bc9-49b5-bf8a-d6209c6ad530,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -401e8a4c-6bc9-49b5-bf8a-d6209c6ad530,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -9817f37a-2b6a-43db-8f81-0307db69c9d6,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -9817f37a-2b6a-43db-8f81-0307db69c9d6,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -1a1a200d-5d2d-4bf5-9124-9aca05c56fce,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -1a1a200d-5d2d-4bf5-9124-9aca05c56fce,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -e934ce34-b3d6-4188-85f1-58aec84c3470,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -e934ce34-b3d6-4188-85f1-58aec84c3470,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -e934ce34-b3d6-4188-85f1-58aec84c3470,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -8a96f21d-1c1e-4e85-8ac9-93f7aaf91e2d,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -8a96f21d-1c1e-4e85-8ac9-93f7aaf91e2d,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -2b870597-2ced-4755-84f1-639497a67037,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -0f9181e7-d172-497b-b04e-6cfd961dd190,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -0f9181e7-d172-497b-b04e-6cfd961dd190,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -0f9181e7-d172-497b-b04e-6cfd961dd190,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -b2aebc2e-036f-4234-a468-79c1dc5ccfeb,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -fd2c8f57-0b42-4311-8589-9b400a7788cf,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -fd2c8f57-0b42-4311-8589-9b400a7788cf,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -e029c0d5-b562-4c54-be04-e2e2da845f01,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -e029c0d5-b562-4c54-be04-e2e2da845f01,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -e029c0d5-b562-4c54-be04-e2e2da845f01,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -505a63b0-943c-456c-aed3-be86a80d088b,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -505a63b0-943c-456c-aed3-be86a80d088b,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -505a63b0-943c-456c-aed3-be86a80d088b,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -8316694b-2c1d-4e10-8566-59bda8bfced4,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -8316694b-2c1d-4e10-8566-59bda8bfced4,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -7e3bb249-a6e9-4696-8725-e04905be91f8,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -241bed0a-c56d-4933-8bb5-711da39749b9,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -861f7d3e-28c0-40a0-90e2-1daf213c82ec,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -861f7d3e-28c0-40a0-90e2-1daf213c82ec,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -861f7d3e-28c0-40a0-90e2-1daf213c82ec,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -eff9db0d-5f3e-4209-9007-030d0c73de77,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -eff9db0d-5f3e-4209-9007-030d0c73de77,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -eff9db0d-5f3e-4209-9007-030d0c73de77,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -7328c7ce-4c96-49a5-a037-a76772c11590,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -7328c7ce-4c96-49a5-a037-a76772c11590,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -7328c7ce-4c96-49a5-a037-a76772c11590,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -3c9f5eae-41aa-4723-93d5-73c8a2bf2650,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -3c9f5eae-41aa-4723-93d5-73c8a2bf2650,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -8049e0db-c2fa-42eb-86a7-60055fbe2d71,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -8049e0db-c2fa-42eb-86a7-60055fbe2d71,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -23cb182d-1a83-459f-8f48-25ff96e67b1c,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -23cb182d-1a83-459f-8f48-25ff96e67b1c,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -60d450a9-e50d-4317-8617-58b84b7f1922,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -3be248f3-c988-4c50-aaff-03e94c6c5319,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -5f97f031-022c-4ed4-a23b-3a84e28847e6,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -5f97f031-022c-4ed4-a23b-3a84e28847e6,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -5f97f031-022c-4ed4-a23b-3a84e28847e6,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -24cbcf83-6b2d-41f0-8904-62f9977ade06,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -24cbcf83-6b2d-41f0-8904-62f9977ade06,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -24cbcf83-6b2d-41f0-8904-62f9977ade06,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -bcd2327a-9bc2-4f17-933d-0fd62567f7c6,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -1450ab28-e27e-46cc-988f-b01335e9a50b,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -1450ab28-e27e-46cc-988f-b01335e9a50b,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -a2d3c1e9-9064-4f85-be2a-aa56d8017040,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -d4110168-c0a2-433d-a241-c59cb77ba7cd,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -d4110168-c0a2-433d-a241-c59cb77ba7cd,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -7d639012-29f2-48eb-9e0d-ebd0b16d5c83,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -7d639012-29f2-48eb-9e0d-ebd0b16d5c83,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -7d639012-29f2-48eb-9e0d-ebd0b16d5c83,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -511552d5-36b1-4841-997f-187c06554f71,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -511552d5-36b1-4841-997f-187c06554f71,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -511552d5-36b1-4841-997f-187c06554f71,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -efc493c5-72f7-45d3-978f-4065e0849c44,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -b211d18e-82a2-41e6-8e42-3c0921d7e8e6,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -b211d18e-82a2-41e6-8e42-3c0921d7e8e6,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -b211d18e-82a2-41e6-8e42-3c0921d7e8e6,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -98a436c9-ae1e-4f21-b849-ea9214408a9b,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -bb45286d-22bf-406e-ab12-9fbfd30942cd,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -bb45286d-22bf-406e-ab12-9fbfd30942cd,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -bb45286d-22bf-406e-ab12-9fbfd30942cd,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -154f1c53-c64c-4efd-b3c2-93a4d0675bc7,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -154f1c53-c64c-4efd-b3c2-93a4d0675bc7,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -4ff28fd8-8d8a-4d47-be91-123c8e123fdc,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -4ff28fd8-8d8a-4d47-be91-123c8e123fdc,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -4ff28fd8-8d8a-4d47-be91-123c8e123fdc,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -46f7ce34-43de-4553-8dc6-c0112ad3bd25,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -46f7ce34-43de-4553-8dc6-c0112ad3bd25,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -07af5f21-8847-4759-b4b3-7e5c07b7f571,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -07af5f21-8847-4759-b4b3-7e5c07b7f571,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -07af5f21-8847-4759-b4b3-7e5c07b7f571,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -79367caa-28f5-45f8-bb8f-2a0aca4b960c,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -b6892d12-376b-4497-adeb-ceded596a41e,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -a7b7e9e8-022a-40f8-849d-6b7bc5b95a24,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -ddaf89ec-b724-4936-9361-c7fbc11514af,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -d117a446-ce1e-4a64-b137-4bdbd3ea6125,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -d117a446-ce1e-4a64-b137-4bdbd3ea6125,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -9a3a7091-084a-49e5-87b9-b347e70c0fad,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -9a3a7091-084a-49e5-87b9-b347e70c0fad,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -9a3a7091-084a-49e5-87b9-b347e70c0fad,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -56ac5f1e-af67-4595-b59d-0039604b9150,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -56ac5f1e-af67-4595-b59d-0039604b9150,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -798abde0-7a3a-4801-ae3f-4e0198db831f,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -798abde0-7a3a-4801-ae3f-4e0198db831f,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -96a7ed6f-e82a-4cb0-9165-95c077921d1b,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -96a7ed6f-e82a-4cb0-9165-95c077921d1b,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -39e84cd6-f3cd-4785-9a68-0b42a3550309,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -39e84cd6-f3cd-4785-9a68-0b42a3550309,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -711f423c-b0c4-441e-9f14-45cece2c95d6,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -711f423c-b0c4-441e-9f14-45cece2c95d6,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -711f423c-b0c4-441e-9f14-45cece2c95d6,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -9f5f7d62-eb3a-4f65-b735-417387ce8d0f,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -9f5f7d62-eb3a-4f65-b735-417387ce8d0f,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -9f5f7d62-eb3a-4f65-b735-417387ce8d0f,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -eea269ee-6efb-4dee-a7c4-0ae874435897,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -eea269ee-6efb-4dee-a7c4-0ae874435897,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -eea269ee-6efb-4dee-a7c4-0ae874435897,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -1c9dea72-955c-4ae6-b5fc-774502ec5bd9,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -1c9dea72-955c-4ae6-b5fc-774502ec5bd9,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -1c9dea72-955c-4ae6-b5fc-774502ec5bd9,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -5640b02e-8513-4bb2-b67a-9055b9fa5145,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -5640b02e-8513-4bb2-b67a-9055b9fa5145,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -5640b02e-8513-4bb2-b67a-9055b9fa5145,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -6ad0651e-df28-4654-81b8-ef94a3ccea46,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -4ff00587-5f4c-442a-9cd4-7fc31d11524d,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -4ff00587-5f4c-442a-9cd4-7fc31d11524d,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -4ff00587-5f4c-442a-9cd4-7fc31d11524d,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -6f2a3dda-f855-4930-b4b0-3473637a8843,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -3f1104a9-5f3f-4989-b72e-1d5dfff94a7b,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -3f1104a9-5f3f-4989-b72e-1d5dfff94a7b,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -96cda514-973c-4808-98eb-a860daad9ef1,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -96cda514-973c-4808-98eb-a860daad9ef1,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -96cda514-973c-4808-98eb-a860daad9ef1,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -d8cb9671-4017-4649-bb14-a2ebca108756,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -d8cb9671-4017-4649-bb14-a2ebca108756,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -e13e7e7e-095e-4637-a8d7-2b61977b2d31,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -e13e7e7e-095e-4637-a8d7-2b61977b2d31,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -e13e7e7e-095e-4637-a8d7-2b61977b2d31,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -53a27727-aa31-4a48-9a68-cbea2c80cbfa,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -53a27727-aa31-4a48-9a68-cbea2c80cbfa,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -1f18de79-d2c7-420f-b925-13d6824e9d41,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -1f18de79-d2c7-420f-b925-13d6824e9d41,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -1f18de79-d2c7-420f-b925-13d6824e9d41,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -3cdbfb9c-f528-49ad-ad72-86e9ff9de5af,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -b85b4937-56ba-40e4-9c25-e55175eb1594,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -6f3c6495-2924-49bc-9b1d-f841c577dd36,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -6f3c6495-2924-49bc-9b1d-f841c577dd36,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -6f3c6495-2924-49bc-9b1d-f841c577dd36,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -9c0e69af-b45a-4124-b956-9aa260dd981f,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -9c0e69af-b45a-4124-b956-9aa260dd981f,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -9c0e69af-b45a-4124-b956-9aa260dd981f,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -f97f8444-a86e-46cf-bf17-5ba07a9b0026,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -f97f8444-a86e-46cf-bf17-5ba07a9b0026,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -f97f8444-a86e-46cf-bf17-5ba07a9b0026,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -847f12f2-c843-485d-9550-fc98d6250af2,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -847f12f2-c843-485d-9550-fc98d6250af2,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -847f12f2-c843-485d-9550-fc98d6250af2,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -a4e4fb1f-617a-4fd5-9d29-bfbb86121c03,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -a4e4fb1f-617a-4fd5-9d29-bfbb86121c03,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -850d8586-fddb-4141-84bd-3df406d8deaa,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -850d8586-fddb-4141-84bd-3df406d8deaa,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -850d8586-fddb-4141-84bd-3df406d8deaa,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -92788666-4cd5-47b0-a257-132d8f52a08a,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -307710d7-c3a6-4af4-a4b1-73d190fb54c8,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -307710d7-c3a6-4af4-a4b1-73d190fb54c8,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -9002ed6f-aee0-4a49-be3b-7b7859cc2ff5,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -a552f076-1373-4ab7-b5a1-d1fa6a6f9a00,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -a552f076-1373-4ab7-b5a1-d1fa6a6f9a00,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -38f2ce7f-7ab8-4923-b3d6-461fdad04e5b,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -38f2ce7f-7ab8-4923-b3d6-461fdad04e5b,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -27b9710f-f06d-4a50-8120-f0952767968b,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -27b9710f-f06d-4a50-8120-f0952767968b,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -27b9710f-f06d-4a50-8120-f0952767968b,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -2c6ab2e4-4ed4-40a8-bc16-6b6d9eb7fba9,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -2c6ab2e4-4ed4-40a8-bc16-6b6d9eb7fba9,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -2c6ab2e4-4ed4-40a8-bc16-6b6d9eb7fba9,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -3f277f7b-4269-4771-9b82-a429b65a7aab,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -3f277f7b-4269-4771-9b82-a429b65a7aab,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -cd2926e0-c1d2-4664-9a42-b395df691ca4,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -cd2926e0-c1d2-4664-9a42-b395df691ca4,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -cd2926e0-c1d2-4664-9a42-b395df691ca4,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -c9801625-d0e5-4d1c-8c55-c9d7d232f164,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -c9801625-d0e5-4d1c-8c55-c9d7d232f164,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -c9801625-d0e5-4d1c-8c55-c9d7d232f164,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -fbf08649-bf3f-41aa-b662-2c29ec1bb613,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -fbf08649-bf3f-41aa-b662-2c29ec1bb613,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -5d589232-36ca-495c-9345-d0b96a340557,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -9e4a890a-e70d-4dbc-81ae-561fcdea79ee,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -9e4a890a-e70d-4dbc-81ae-561fcdea79ee,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -9e4a890a-e70d-4dbc-81ae-561fcdea79ee,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -9b2b3f18-242c-4697-8047-fdc3419330cd,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -9b2b3f18-242c-4697-8047-fdc3419330cd,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -b4f34b82-5fde-4609-8547-248b1a928390,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -b4f34b82-5fde-4609-8547-248b1a928390,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -b4f34b82-5fde-4609-8547-248b1a928390,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -4273e025-6029-4199-812c-1a26c8697f69,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -4273e025-6029-4199-812c-1a26c8697f69,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -e5fecd2d-dcf2-4de6-9093-243f7e8c2f9e,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -65d74d6d-80ae-40d7-9935-4e9832ffbbe4,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -65d74d6d-80ae-40d7-9935-4e9832ffbbe4,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -65d74d6d-80ae-40d7-9935-4e9832ffbbe4,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -517e04ba-86b2-4c27-825b-5f38329ef317,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -517e04ba-86b2-4c27-825b-5f38329ef317,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -517e04ba-86b2-4c27-825b-5f38329ef317,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -f29d484e-2a3f-4972-a107-4ba8282a0d59,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -f29d484e-2a3f-4972-a107-4ba8282a0d59,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -fb8b2e14-f608-4aa5-b6c2-26cf3dae3c33,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -fb8b2e14-f608-4aa5-b6c2-26cf3dae3c33,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -fb8b2e14-f608-4aa5-b6c2-26cf3dae3c33,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -bc5e77d1-92a0-45a3-9593-2b75dcda035d,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -bc5e77d1-92a0-45a3-9593-2b75dcda035d,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -bc5e77d1-92a0-45a3-9593-2b75dcda035d,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -24e92960-ca93-403d-9af3-a7d1f614713f,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -24e92960-ca93-403d-9af3-a7d1f614713f,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -24e92960-ca93-403d-9af3-a7d1f614713f,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -de174a94-5785-4518-8c6b-041cbabd8a91,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -de174a94-5785-4518-8c6b-041cbabd8a91,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -de174a94-5785-4518-8c6b-041cbabd8a91,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -b4c8a355-c89b-4f17-b060-d44c0030a1f5,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -87ab0897-5e42-44ee-abaa-25dc0d674ba0,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -d5bc5633-e34a-4a6b-938a-bc1341341d01,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -d5bc5633-e34a-4a6b-938a-bc1341341d01,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -ec54ca6a-c3fc-41f0-800d-f9ac7273e9ad,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -ec54ca6a-c3fc-41f0-800d-f9ac7273e9ad,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -c63cc47d-5967-43ee-9129-113a79df667f,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -2befc600-2cce-482c-b4af-a685ae5ef028,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -2befc600-2cce-482c-b4af-a685ae5ef028,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -2befc600-2cce-482c-b4af-a685ae5ef028,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -d1155f64-96c3-469b-8218-5a6412737676,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -225e81c1-3175-4304-ae15-506f07cf113a,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -225e81c1-3175-4304-ae15-506f07cf113a,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -3e60ed15-419e-43ab-9dac-cd0216698ec9,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -3e60ed15-419e-43ab-9dac-cd0216698ec9,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -3e60ed15-419e-43ab-9dac-cd0216698ec9,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -62013b97-e9d7-40a7-8895-44b1a529bfce,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -5cb71bca-1e7c-4722-879c-32e78fcfba2e,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -5cb71bca-1e7c-4722-879c-32e78fcfba2e,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -5cb71bca-1e7c-4722-879c-32e78fcfba2e,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -0874ee01-74a7-44d6-b0c7-9e816d2247dc,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -0874ee01-74a7-44d6-b0c7-9e816d2247dc,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -0874ee01-74a7-44d6-b0c7-9e816d2247dc,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -f75e4c99-332a-4d36-ae9b-ae070d3109c1,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -f75e4c99-332a-4d36-ae9b-ae070d3109c1,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -41f2fa7c-c7d6-4271-a413-3e7d873c6b71,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -41f2fa7c-c7d6-4271-a413-3e7d873c6b71,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -41f2fa7c-c7d6-4271-a413-3e7d873c6b71,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -64b54640-71a4-4c39-a6c9-7b816f9f741f,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -8a865e8c-869a-4cd2-9219-2289eb76559a,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -08d8fe91-092e-4fac-b016-885050d383f8,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -08d8fe91-092e-4fac-b016-885050d383f8,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -947a90a9-9267-4fcd-a808-c19eed49334f,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -c745a675-e9a4-42d7-910d-4f1758846e06,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -f4fec116-3c70-4258-92fd-17fd777cb294,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -c349f7af-d812-445c-9fa2-e13e92ae5bc2,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -c349f7af-d812-445c-9fa2-e13e92ae5bc2,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -05678f2e-cb12-4d00-acd5-ff74740c3540,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -7e8e604d-cdca-4677-86c2-96e5dc3b3f28,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -7e8e604d-cdca-4677-86c2-96e5dc3b3f28,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -7e8e604d-cdca-4677-86c2-96e5dc3b3f28,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -914b4af9-b5e3-4272-ae20-3c040441bcc9,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -914b4af9-b5e3-4272-ae20-3c040441bcc9,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -914b4af9-b5e3-4272-ae20-3c040441bcc9,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -d3d94919-6f71-4adb-8662-3c99bd1c24f5,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -d3d94919-6f71-4adb-8662-3c99bd1c24f5,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -d3d94919-6f71-4adb-8662-3c99bd1c24f5,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -37a83cad-c464-46ca-a520-f4500f5fb4df,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -37a83cad-c464-46ca-a520-f4500f5fb4df,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -37a83cad-c464-46ca-a520-f4500f5fb4df,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -e80fda3c-dc80-41a1-b3a1-27824fc484ad,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -e80fda3c-dc80-41a1-b3a1-27824fc484ad,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -2f78265f-e085-480b-a236-a53e347a519f,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -f5a65150-662b-4a09-ac0d-57accfee4e6b,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -f5a65150-662b-4a09-ac0d-57accfee4e6b,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -f5a65150-662b-4a09-ac0d-57accfee4e6b,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -20a8651a-a21d-4474-abe4-a05c573768bf,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -20a8651a-a21d-4474-abe4-a05c573768bf,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -20a8651a-a21d-4474-abe4-a05c573768bf,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -a82177eb-2674-4018-bcd1-08d90a20bd41,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -94a4b954-9474-4873-bc99-46c4e324c511,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -cd626314-abb1-4cdb-b7c1-ff0e36c28c6a,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -3078df99-a5cf-4503-9a9b-e84e9ab3afae,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -3078df99-a5cf-4503-9a9b-e84e9ab3afae,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -3078df99-a5cf-4503-9a9b-e84e9ab3afae,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -44f87ec3-137d-4b81-9d61-ebac64ab06c6,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -44f87ec3-137d-4b81-9d61-ebac64ab06c6,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -a9cf6742-5027-40b1-beac-3266eddb8ffb,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -a9cf6742-5027-40b1-beac-3266eddb8ffb,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -a9cf6742-5027-40b1-beac-3266eddb8ffb,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -fe728e30-8840-4da2-ace3-4b1f68f6f699,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -fe728e30-8840-4da2-ace3-4b1f68f6f699,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -73a95179-6313-4d6d-b027-45d17d617a61,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -1e19bbbb-68f0-4838-a3f0-95359cb611c7,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -1e19bbbb-68f0-4838-a3f0-95359cb611c7,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -1e19bbbb-68f0-4838-a3f0-95359cb611c7,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -9eb6c254-5e1b-45d4-9725-206fba622af6,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -9eb6c254-5e1b-45d4-9725-206fba622af6,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -9eb6c254-5e1b-45d4-9725-206fba622af6,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -a8f7bcc0-e026-477a-b189-4b9c5c4b6018,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -b62be4ba-cac3-4547-b14c-743835c5e623,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -57175095-7371-433f-ade4-b08ae1c4e4e4,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -57175095-7371-433f-ade4-b08ae1c4e4e4,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -468a1907-db1b-471e-a296-e408356a06ca,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -468a1907-db1b-471e-a296-e408356a06ca,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -810ba654-3ae9-4e46-9005-50060641af9c,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -810ba654-3ae9-4e46-9005-50060641af9c,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -5cb710aa-a5f3-499f-9a78-e70dee778089,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -7c3d6956-6c13-4213-97a1-8c3dc1bfa65a,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -7c3d6956-6c13-4213-97a1-8c3dc1bfa65a,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -d1a0f47f-dbe4-41e5-86d9-e23ba86320c6,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -d1a0f47f-dbe4-41e5-86d9-e23ba86320c6,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -9d3ce0f2-9b1c-444b-94b4-a13177231efa,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -9d3ce0f2-9b1c-444b-94b4-a13177231efa,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -25d983b3-4f67-4214-a2cb-d2cf61254be5,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -25d983b3-4f67-4214-a2cb-d2cf61254be5,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -25d983b3-4f67-4214-a2cb-d2cf61254be5,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -dc438e5e-2841-4014-a2bb-07020843766c,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -99c1f4c6-7591-4a5d-a00d-55a9755d3940,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -e1e27ac9-9d39-4366-bc38-e01509a43e07,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -85e7ba55-3e42-4f38-a764-57d8923150b3,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -85e7ba55-3e42-4f38-a764-57d8923150b3,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -85e7ba55-3e42-4f38-a764-57d8923150b3,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -0f69de5f-e566-4980-b487-3884742c2bc9,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -cbc04850-5faf-4774-81d1-bf4cd2f0e480,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -53b8582d-1813-4e40-a5dc-c83b8453fb77,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -53b8582d-1813-4e40-a5dc-c83b8453fb77,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -53b8582d-1813-4e40-a5dc-c83b8453fb77,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -9aa7a320-37ca-43d6-aa2d-c74fb845e9e9,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -be5f8f2d-1eae-4204-9379-4dbaf5b564e3,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -be5f8f2d-1eae-4204-9379-4dbaf5b564e3,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -0f076115-d840-4d1b-a97f-7b523d6a7fc1,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -0f076115-d840-4d1b-a97f-7b523d6a7fc1,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -9b6b092a-145a-4e5e-843a-f0f1466844b1,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -92c04436-45c9-4efb-b6a4-f39ca698b05a,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -92c04436-45c9-4efb-b6a4-f39ca698b05a,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -4fb3225b-dafd-456f-a9f6-1d068be49a02,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -392fdcde-899b-47c3-bb9d-67b48027a03b,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -392fdcde-899b-47c3-bb9d-67b48027a03b,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -392fdcde-899b-47c3-bb9d-67b48027a03b,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -ce4669b1-9f6b-43a2-93d3-2d88c5c14160,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -f61bbf7c-6e79-48d3-a252-977e24826f26,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -f61bbf7c-6e79-48d3-a252-977e24826f26,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -ee32f0fa-af33-440d-8b0a-62483defbb68,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -ee32f0fa-af33-440d-8b0a-62483defbb68,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -b2d6f8a8-43aa-4699-856c-313274a6c616,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -5b43129b-b7fe-4684-9850-193d086389ef,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -5b43129b-b7fe-4684-9850-193d086389ef,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -9f1ca26f-812f-43cc-8322-f8803a93f35c,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -8ddae2ae-1fa4-40d7-b5d3-3b55244b9ee3,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -8ddae2ae-1fa4-40d7-b5d3-3b55244b9ee3,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -8ddae2ae-1fa4-40d7-b5d3-3b55244b9ee3,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -2b98d112-710c-4cc7-91d2-1804b0e14522,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -2b98d112-710c-4cc7-91d2-1804b0e14522,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -68502369-079b-418a-afdb-b6363e10b97c,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -68502369-079b-418a-afdb-b6363e10b97c,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -68502369-079b-418a-afdb-b6363e10b97c,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -5d2c41b9-f083-4609-97b0-e08ca9e25b76,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -5d2c41b9-f083-4609-97b0-e08ca9e25b76,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -e6718c0a-6acf-4af3-a4de-66fd01e81b0c,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -e6718c0a-6acf-4af3-a4de-66fd01e81b0c,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -e69a4823-2272-46d4-bb29-783cee34aa5c,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -3cd6eca5-49fa-4fb9-9781-cfe42738ac55,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -3cd6eca5-49fa-4fb9-9781-cfe42738ac55,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -66ef4c49-a57b-415b-ad16-e3acdea4b979,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -66ef4c49-a57b-415b-ad16-e3acdea4b979,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -6debc0f5-e72b-4fac-9cb9-5102d83dafaa,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -6debc0f5-e72b-4fac-9cb9-5102d83dafaa,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -6debc0f5-e72b-4fac-9cb9-5102d83dafaa,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -4466bd67-3f73-468a-9316-fa45fffc040d,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -0c2eb416-ff36-4b57-87c0-a0121b2aa940,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -0c2eb416-ff36-4b57-87c0-a0121b2aa940,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -0c2eb416-ff36-4b57-87c0-a0121b2aa940,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -096721f2-5c91-4452-b01a-51bb8cc5be52,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -096721f2-5c91-4452-b01a-51bb8cc5be52,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -096721f2-5c91-4452-b01a-51bb8cc5be52,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -efad7099-31e5-45f6-9253-37c7aae0545d,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -efad7099-31e5-45f6-9253-37c7aae0545d,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -ba901c96-281c-4635-ad12-93bcc6a84eba,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -ba901c96-281c-4635-ad12-93bcc6a84eba,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -b1921723-f516-4170-937c-0b6801eba218,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -fab6b842-9450-4213-ab48-c1f40b4611d3,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -eeefe7b8-e694-46e0-a282-7a53a020510a,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -3554930e-c78d-4711-b916-c9e5d5cf9bd6,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -3554930e-c78d-4711-b916-c9e5d5cf9bd6,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -d4d4a8ee-94b5-41fc-af67-6c0af68b0e23,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -3d1faeb7-c9ff-41f9-b30d-e0881aa7b75f,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -4fa484e6-bc31-4ec7-94a8-992f1b4a8fa7,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -4fa484e6-bc31-4ec7-94a8-992f1b4a8fa7,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -b77e0ff8-c3f0-4ba4-a0c8-6187a8f9f823,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -b77e0ff8-c3f0-4ba4-a0c8-6187a8f9f823,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -a6f3e043-dc39-4cb8-94e8-49ec29c56111,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -a5dd9c9c-1a04-484b-ba7e-0046234df345,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -a5dd9c9c-1a04-484b-ba7e-0046234df345,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -a5dd9c9c-1a04-484b-ba7e-0046234df345,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -6f0e9c9f-bffb-4186-af75-4f939ec358eb,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -6f0e9c9f-bffb-4186-af75-4f939ec358eb,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -bb1bf329-78f5-4741-9617-86057da97b04,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -bb1bf329-78f5-4741-9617-86057da97b04,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -c6ac6476-d6d5-48ca-ab6c-8e80ee15ccd4,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -c6ac6476-d6d5-48ca-ab6c-8e80ee15ccd4,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -c1715297-99a1-46dd-8fe6-1d392b4d404a,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -c1715297-99a1-46dd-8fe6-1d392b4d404a,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -57a684f3-1cba-49e8-a5ca-1dbc3460deb6,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -15bc62ac-f7fa-430c-84e0-28a1ea7c2b88,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -de804849-a628-43b8-ad08-b93ddda4027e,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -de804849-a628-43b8-ad08-b93ddda4027e,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -25cb12d6-c01b-4b7e-bd84-775d21a0e6d1,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -ac3aed7f-2751-4fa9-ab81-7d0b1e88358f,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -9b2f83b1-3a35-45a5-9278-36fb5f245709,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -9b2f83b1-3a35-45a5-9278-36fb5f245709,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -9b2f83b1-3a35-45a5-9278-36fb5f245709,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -51ca34f7-b78e-4bf5-a10e-0433568fe7b5,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -51ca34f7-b78e-4bf5-a10e-0433568fe7b5,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -acbf422b-56d6-4c79-8fc4-ee41163d65b7,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -acbf422b-56d6-4c79-8fc4-ee41163d65b7,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -0e214222-9f1f-44be-b04b-1cae3d863932,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -0e214222-9f1f-44be-b04b-1cae3d863932,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -0e214222-9f1f-44be-b04b-1cae3d863932,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -2767d39c-0d6d-4c3d-8244-70b00ee8b213,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -2767d39c-0d6d-4c3d-8244-70b00ee8b213,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -9377da52-3069-4cf4-9d9f-035a0a1c8bf4,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -9377da52-3069-4cf4-9d9f-035a0a1c8bf4,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -9377da52-3069-4cf4-9d9f-035a0a1c8bf4,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -886f30fd-e20f-455f-8bdf-d93f83b3a367,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -886f30fd-e20f-455f-8bdf-d93f83b3a367,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -886f30fd-e20f-455f-8bdf-d93f83b3a367,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -55ea49d8-4526-4b73-9025-129126b23e1c,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -55ea49d8-4526-4b73-9025-129126b23e1c,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -7101de72-c9ef-4563-9119-0302c64409e0,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -41c4ad65-da55-430c-bcb0-14a734abd0f7,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -246914bd-c360-48be-863c-b5bfd9264b7f,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -615730bd-61d9-4edf-9310-267fad95dd49,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -64a5628b-5dda-4207-a6f1-5e60bf7fc48d,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -64a5628b-5dda-4207-a6f1-5e60bf7fc48d,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -64a5628b-5dda-4207-a6f1-5e60bf7fc48d,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -724f95c5-bb4a-4327-9815-960b35001e5a,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -724f95c5-bb4a-4327-9815-960b35001e5a,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -a8de8d8d-b689-4e9a-bd38-d668c62882cb,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -a8de8d8d-b689-4e9a-bd38-d668c62882cb,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -f26fc785-4b8d-4830-8b3b-c2ff81ef692e,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -f26fc785-4b8d-4830-8b3b-c2ff81ef692e,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -802b820e-a8be-4fff-a69b-23c51c81ae4d,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -361fcb92-7f3c-4882-9e51-9f17fec04e11,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -361fcb92-7f3c-4882-9e51-9f17fec04e11,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -361fcb92-7f3c-4882-9e51-9f17fec04e11,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -f950ad6d-9070-4d03-9b8c-3ade504e800c,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -5a7576ba-bc77-432c-8127-d3aa1975f747,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -5a7576ba-bc77-432c-8127-d3aa1975f747,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -2615e1e7-49b2-40d2-955f-941b68429ee1,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -f2ef0075-8b8e-4c2f-beec-1e4eaf5050f8,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -ff56e68e-9ddc-4aae-8724-efc79fa6a28e,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -ff56e68e-9ddc-4aae-8724-efc79fa6a28e,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -ff56e68e-9ddc-4aae-8724-efc79fa6a28e,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -e3011c56-859d-4e24-84dd-9a43741a93e3,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -e3011c56-859d-4e24-84dd-9a43741a93e3,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -034c4e38-ee17-4309-a17f-a7300ab71ccc,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -034c4e38-ee17-4309-a17f-a7300ab71ccc,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -97e38a4e-9f84-45c9-aff3-2445e76babed,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -97e38a4e-9f84-45c9-aff3-2445e76babed,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -84a465a3-df26-4522-9c24-9d0e24244eac,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -29993259-0422-46a7-9691-ff6c09f47a5d,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -29993259-0422-46a7-9691-ff6c09f47a5d,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -29993259-0422-46a7-9691-ff6c09f47a5d,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -4a230a0d-5e97-4b7b-a658-70d1c41be392,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -4a230a0d-5e97-4b7b-a658-70d1c41be392,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -3952060a-ce4c-4d8a-b274-1c857535734c,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -3952060a-ce4c-4d8a-b274-1c857535734c,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -3952060a-ce4c-4d8a-b274-1c857535734c,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -8c8bcfd8-7700-4721-bd0f-8592aed08c9d,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -1565fe40-1dd9-406f-9b2d-51f05fadc4ac,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -1565fe40-1dd9-406f-9b2d-51f05fadc4ac,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -1565fe40-1dd9-406f-9b2d-51f05fadc4ac,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -6c747132-3f9a-43f0-a6a3-2f3a22eabda3,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -25b2901c-12ec-4c48-a078-675e89bf9a61,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -25b2901c-12ec-4c48-a078-675e89bf9a61,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -040ec43e-5e86-469e-9ee9-b28f61264cb0,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -040ec43e-5e86-469e-9ee9-b28f61264cb0,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -040ec43e-5e86-469e-9ee9-b28f61264cb0,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -6556b62b-327a-4064-a310-863754bef3b0,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -6556b62b-327a-4064-a310-863754bef3b0,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -6556b62b-327a-4064-a310-863754bef3b0,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -5e7b14cf-ff63-4c17-adbf-a3cb441a989d,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -5e7b14cf-ff63-4c17-adbf-a3cb441a989d,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -5e7b14cf-ff63-4c17-adbf-a3cb441a989d,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -07777560-ab3f-4665-ad2e-1aa8ef112aab,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -07777560-ab3f-4665-ad2e-1aa8ef112aab,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -07777560-ab3f-4665-ad2e-1aa8ef112aab,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -1a0a0853-1c9e-49ee-a485-463f6910160b,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -8b0b0312-75d3-4a24-b572-4bc465e030db,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -8b0b0312-75d3-4a24-b572-4bc465e030db,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -8b0b0312-75d3-4a24-b572-4bc465e030db,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -5a299db8-a4d3-4abc-8295-e85dfefe426d,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -01f532a9-4c86-4997-9739-e46df1c471fa,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -d8c98ba9-f7fd-4c5b-af25-b8c9eac68e7d,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -23ad1d66-fac1-49d4-bc17-baa976b8691b,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -23ad1d66-fac1-49d4-bc17-baa976b8691b,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -ee85a997-97ec-441a-a924-fb10f6e68a3f,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -c2b1f760-0140-44e2-9625-8e826bde0cb9,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -c2b1f760-0140-44e2-9625-8e826bde0cb9,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -9c7a1fd5-ea25-4470-b21e-3a9855c179e2,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -9c7a1fd5-ea25-4470-b21e-3a9855c179e2,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -e4817748-bb8b-45d8-9a9f-ddf95d5d96a6,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -e4817748-bb8b-45d8-9a9f-ddf95d5d96a6,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -d0888431-6a8d-4c3e-856c-14ff2137e0b3,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -abf1c0fc-3b63-4e09-ae17-868f668c170c,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -abf1c0fc-3b63-4e09-ae17-868f668c170c,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -abf1c0fc-3b63-4e09-ae17-868f668c170c,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -1ac21bf4-840b-49d2-9d02-868029140c78,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -e384d153-8144-4840-975d-a94fed6c341b,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -ae92c663-7910-4d18-a05c-7ab168509ce9,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -1190c9c3-9f10-4d53-b290-6ed237c573b9,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -1190c9c3-9f10-4d53-b290-6ed237c573b9,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -45f2303a-c3ea-48ac-8d8c-e59d71494bf9,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -45f2303a-c3ea-48ac-8d8c-e59d71494bf9,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -95c22c0a-d466-44d1-8c37-ae63b535cc64,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -95c22c0a-d466-44d1-8c37-ae63b535cc64,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -90865e56-1952-440f-aa91-2b53f678e1e0,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -90865e56-1952-440f-aa91-2b53f678e1e0,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -76b952af-6616-450d-8747-ddc692f972a5,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -76b952af-6616-450d-8747-ddc692f972a5,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -24788069-218f-4d56-9b4b-5fc32a1ccd5c,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -71a3e4f3-8e01-40fd-bad0-5889ccf874b9,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -71a3e4f3-8e01-40fd-bad0-5889ccf874b9,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -71a3e4f3-8e01-40fd-bad0-5889ccf874b9,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -f43583ce-86c5-4d27-a920-40ddaa1be984,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -f43583ce-86c5-4d27-a920-40ddaa1be984,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -a3cf15fd-2131-463f-87ad-b1738ba3d1ab,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -a3cf15fd-2131-463f-87ad-b1738ba3d1ab,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -07ba6381-f8af-4e44-8138-76378f4432ba,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -07ba6381-f8af-4e44-8138-76378f4432ba,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -07ba6381-f8af-4e44-8138-76378f4432ba,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -11a77e70-af19-44b0-aad4-95d21ccc8e1f,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -11a77e70-af19-44b0-aad4-95d21ccc8e1f,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -11a77e70-af19-44b0-aad4-95d21ccc8e1f,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -a378e35d-ae51-46c6-b10e-1f5e804415ae,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -9dec60e7-592e-4ebc-b535-6a1734b98045,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -a988a28f-e749-4c03-aa61-9b2166cb0fb1,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -a988a28f-e749-4c03-aa61-9b2166cb0fb1,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -f5738a92-1f55-4c9d-be16-2af04dab3e5c,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -f5738a92-1f55-4c9d-be16-2af04dab3e5c,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -f5738a92-1f55-4c9d-be16-2af04dab3e5c,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -b677d8d4-e4dd-4df0-b07e-68332f6f2603,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -b677d8d4-e4dd-4df0-b07e-68332f6f2603,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -0f565730-a886-4852-bd48-1c4382a68376,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -6d43d1e5-64d1-4e0b-84ba-6f3751a5d81d,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -48b5e046-a220-48fb-b434-8b5a09376e56,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -6c972932-1281-466a-b0e4-5037517a05cc,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -6c972932-1281-466a-b0e4-5037517a05cc,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -6c972932-1281-466a-b0e4-5037517a05cc,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -d754141f-88a3-40b5-ac7e-b7a4178907ac,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -d754141f-88a3-40b5-ac7e-b7a4178907ac,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -d754141f-88a3-40b5-ac7e-b7a4178907ac,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -3d5fa983-b2e4-4751-a8eb-216c67e4e898,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -3d5fa983-b2e4-4751-a8eb-216c67e4e898,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -3d5fa983-b2e4-4751-a8eb-216c67e4e898,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -038cc863-d8c2-4686-8577-b6b87bd22848,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -038cc863-d8c2-4686-8577-b6b87bd22848,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -038cc863-d8c2-4686-8577-b6b87bd22848,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -6f2af038-be43-42a3-907b-736e0e139f3d,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -6f2af038-be43-42a3-907b-736e0e139f3d,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -d4a4b425-1a5a-437a-b736-169da3d4dbbb,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -5216197a-afc8-41b1-b1e3-eccf2636c1ac,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -5216197a-afc8-41b1-b1e3-eccf2636c1ac,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -9934ba40-34e1-437a-979e-719d6b98091a,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -9934ba40-34e1-437a-979e-719d6b98091a,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -9934ba40-34e1-437a-979e-719d6b98091a,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -bfdbcac1-8c8a-4d97-998a-a21af50ec851,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -bfdbcac1-8c8a-4d97-998a-a21af50ec851,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -a3ed3ca4-3705-4b43-ae3d-510ac52a894a,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -a3ed3ca4-3705-4b43-ae3d-510ac52a894a,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -6bba7a8a-8960-4ecf-8969-2c942303dfa1,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -6bba7a8a-8960-4ecf-8969-2c942303dfa1,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -f5591ba3-afee-418e-8e4e-93695397cfaa,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -f5591ba3-afee-418e-8e4e-93695397cfaa,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -85fc9dfa-c80e-4632-af91-c8064e60a6ab,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -85fc9dfa-c80e-4632-af91-c8064e60a6ab,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -85fc9dfa-c80e-4632-af91-c8064e60a6ab,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -b1942319-53f7-4b87-91a6-19fd5d1912bb,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -b1942319-53f7-4b87-91a6-19fd5d1912bb,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -31dfdeb6-ce76-44a3-a1b4-6989ac2f7a64,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -fe0e7227-aef9-4d12-8f4f-4446c535147e,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -fe0e7227-aef9-4d12-8f4f-4446c535147e,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -fe0e7227-aef9-4d12-8f4f-4446c535147e,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -1e33655b-16ef-4d54-a1ad-a20c0dde460f,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -f57da831-c626-4ee8-9620-1af5c1e86b9c,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -f57da831-c626-4ee8-9620-1af5c1e86b9c,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -f57da831-c626-4ee8-9620-1af5c1e86b9c,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -6bd4d16f-acda-4f57-a743-b4065e4c15ad,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -a6ed393c-925d-4711-a19a-615037e46ded,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -a6ed393c-925d-4711-a19a-615037e46ded,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -d67740f5-9582-4c85-ac1d-b643a6260247,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -d67740f5-9582-4c85-ac1d-b643a6260247,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -be4385f1-9063-4a5c-867b-8a6f8acb19ee,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -9cd65549-d115-4a32-9b7a-43fbd473690c,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -9cd65549-d115-4a32-9b7a-43fbd473690c,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -9cd65549-d115-4a32-9b7a-43fbd473690c,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -8b571d52-9429-4bdf-a02b-1023917415d3,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -8b571d52-9429-4bdf-a02b-1023917415d3,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -29adc9c6-3f37-47b4-afb7-3871d0f9d4d5,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -dca3745d-0533-44d0-a31a-a0e6ecbd66b7,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -dca3745d-0533-44d0-a31a-a0e6ecbd66b7,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -dca3745d-0533-44d0-a31a-a0e6ecbd66b7,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -37173c9f-c5a1-4ace-947b-d6898bdf6128,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -37173c9f-c5a1-4ace-947b-d6898bdf6128,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -37173c9f-c5a1-4ace-947b-d6898bdf6128,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -6f4c7cb1-93aa-4101-b038-360b92b256ab,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -6f4c7cb1-93aa-4101-b038-360b92b256ab,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -b561708f-d128-4d02-91bc-d136bce6c318,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -b561708f-d128-4d02-91bc-d136bce6c318,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -03ce5ed0-2f03-4054-a6ec-99a65a1a5f78,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -03ce5ed0-2f03-4054-a6ec-99a65a1a5f78,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -90f6775d-7758-4862-9303-1bb34cc092a1,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -90f6775d-7758-4862-9303-1bb34cc092a1,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -2834c446-b3d0-414f-9917-92c285fd9b0d,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -17ae7afe-9642-4c0a-bbef-5bcccefe6273,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -570bf8a1-4995-4d85-b75d-eba4429309b8,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -570bf8a1-4995-4d85-b75d-eba4429309b8,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -2faecc78-6dea-4c24-8643-2414066fc446,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -2faecc78-6dea-4c24-8643-2414066fc446,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -2faecc78-6dea-4c24-8643-2414066fc446,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -3729d9ff-4fb1-4385-94f2-98effe4b66ed,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -3729d9ff-4fb1-4385-94f2-98effe4b66ed,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -3729d9ff-4fb1-4385-94f2-98effe4b66ed,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -b1f6c271-386a-4bf5-90e7-6b9f570ee181,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -029456ab-7994-42cb-b448-49620a5180db,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -8f4fb3a0-c70b-4503-804d-5f2d099d6c34,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -8f4fb3a0-c70b-4503-804d-5f2d099d6c34,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -8f4fb3a0-c70b-4503-804d-5f2d099d6c34,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -bded6d94-0f27-4110-a368-5851a20d82b0,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -20f0c6b7-65fd-44f5-b374-e97e584425c9,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -20f0c6b7-65fd-44f5-b374-e97e584425c9,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -20f0c6b7-65fd-44f5-b374-e97e584425c9,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -54bc8e9d-46a4-48f0-aa18-357582bceaa8,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -500979a0-546c-4dc2-9695-ac4527248303,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -500979a0-546c-4dc2-9695-ac4527248303,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -8deb0a7e-68ac-4ecb-acf2-3433c8b17eca,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -671e3180-e7f3-4af6-97e3-79061a272633,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -671e3180-e7f3-4af6-97e3-79061a272633,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -671e3180-e7f3-4af6-97e3-79061a272633,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -78013605-9626-4275-8433-e5269f001c5d,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -798c9653-a102-44f8-b9b8-98aa3b437dcc,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -798c9653-a102-44f8-b9b8-98aa3b437dcc,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -798c9653-a102-44f8-b9b8-98aa3b437dcc,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -d3530f39-4246-42ed-8a91-4fc9754f8bd7,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -6f30b308-1166-463c-ac0b-f74c0f516459,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -6f30b308-1166-463c-ac0b-f74c0f516459,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -6f30b308-1166-463c-ac0b-f74c0f516459,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -0d8d9848-05e3-4870-959f-29036aa1426d,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -fbf610c5-4e3e-4ed0-b3a1-d811ad024b49,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -93c7dac3-cdf8-4e5e-ac70-eb19bea7dc60,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -93c7dac3-cdf8-4e5e-ac70-eb19bea7dc60,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -7fd56724-fb99-4920-88da-51fee0dbe70d,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -7fd56724-fb99-4920-88da-51fee0dbe70d,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -7fd56724-fb99-4920-88da-51fee0dbe70d,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -6186180e-2c1d-4ed2-ad7f-83116ad3e73b,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -6186180e-2c1d-4ed2-ad7f-83116ad3e73b,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -6186180e-2c1d-4ed2-ad7f-83116ad3e73b,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -7d3bff67-156e-4413-9e8d-69adb980dd17,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -7d3bff67-156e-4413-9e8d-69adb980dd17,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -ec944b4c-7856-48d2-9cab-ae7ec302d57f,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -b09a20c3-518e-4fd5-b4eb-4ec6e801d910,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -b09a20c3-518e-4fd5-b4eb-4ec6e801d910,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -3c5273de-d46f-4f11-b635-1909ad35bda0,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -3c5273de-d46f-4f11-b635-1909ad35bda0,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -a6dba549-897a-4dd0-8271-b7977a64ce87,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -a6dba549-897a-4dd0-8271-b7977a64ce87,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -0f567b5a-01a5-41e7-a833-49fb1c222bea,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -d0ee19c7-b33f-4b6e-80ff-12154d6f4867,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -d0ee19c7-b33f-4b6e-80ff-12154d6f4867,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -d0ee19c7-b33f-4b6e-80ff-12154d6f4867,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -0029d838-77c3-465a-819c-d762aed1c8d2,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -0029d838-77c3-465a-819c-d762aed1c8d2,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -0029d838-77c3-465a-819c-d762aed1c8d2,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -158ef98f-4577-4ad2-bb31-a5bd606bdbdf,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -158ef98f-4577-4ad2-bb31-a5bd606bdbdf,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -158ef98f-4577-4ad2-bb31-a5bd606bdbdf,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -74d73345-30f6-4092-b8de-90aa22e3de27,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -efc9ffe6-8c9e-4666-8a12-4126f1ece7d8,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -efc9ffe6-8c9e-4666-8a12-4126f1ece7d8,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -efc9ffe6-8c9e-4666-8a12-4126f1ece7d8,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -c4279f08-5e9b-485c-8e7a-4c530015b62f,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -c4279f08-5e9b-485c-8e7a-4c530015b62f,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -59af3b01-4905-4d1b-a7ad-9ddf8dff72f2,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -59af3b01-4905-4d1b-a7ad-9ddf8dff72f2,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -59af3b01-4905-4d1b-a7ad-9ddf8dff72f2,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -9795e1d2-3ab0-400d-97d2-04cb6ad34ec8,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -4e61e43e-9612-4e82-b123-882d6af335c0,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -4e61e43e-9612-4e82-b123-882d6af335c0,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -4e61e43e-9612-4e82-b123-882d6af335c0,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -4b24a9bb-e078-4a45-be5e-f06cd4942d27,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -4b24a9bb-e078-4a45-be5e-f06cd4942d27,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -57c8ade5-e8bc-4338-8ed5-94da5032f011,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -57c8ade5-e8bc-4338-8ed5-94da5032f011,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -c8e7b4bc-8e94-4fcd-b24d-8f4c17b2cc31,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -56c07353-5691-4d3e-9090-b2387b2f1858,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -56c07353-5691-4d3e-9090-b2387b2f1858,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -56c07353-5691-4d3e-9090-b2387b2f1858,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -e913d4ee-6a32-43d0-a82d-f666032a8b63,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -e913d4ee-6a32-43d0-a82d-f666032a8b63,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -e913d4ee-6a32-43d0-a82d-f666032a8b63,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -5c4f1dab-e52e-45c3-9241-9e7b00e6c027,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -5c4f1dab-e52e-45c3-9241-9e7b00e6c027,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -d2835291-e496-4084-a1db-8a415f8918f6,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -d2835291-e496-4084-a1db-8a415f8918f6,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -d2835291-e496-4084-a1db-8a415f8918f6,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -a5e5922b-db7e-4fe6-b769-3e28abcb723b,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -a5e5922b-db7e-4fe6-b769-3e28abcb723b,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -a5e5922b-db7e-4fe6-b769-3e28abcb723b,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -27bdc4a6-16c4-49f4-98ec-b9a192b35394,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -27bdc4a6-16c4-49f4-98ec-b9a192b35394,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -27bdc4a6-16c4-49f4-98ec-b9a192b35394,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -e646d447-e0dd-4278-b64b-3599329f61ca,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -e646d447-e0dd-4278-b64b-3599329f61ca,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -e646d447-e0dd-4278-b64b-3599329f61ca,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -c3f9d512-1052-4809-a945-697d77acf0e6,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -c3f9d512-1052-4809-a945-697d77acf0e6,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -8f17ade8-5bf9-4172-80c9-c74220da278d,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -8f17ade8-5bf9-4172-80c9-c74220da278d,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -8f17ade8-5bf9-4172-80c9-c74220da278d,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -8868cfc6-bf40-40d5-8a6d-c8ce8b347842,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -8868cfc6-bf40-40d5-8a6d-c8ce8b347842,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -7b9e64d8-9465-4706-9c90-733873cc5d09,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -7b9e64d8-9465-4706-9c90-733873cc5d09,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -3a4d4190-d385-4407-a6fc-467244ab8706,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -3a4d4190-d385-4407-a6fc-467244ab8706,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -3a4d4190-d385-4407-a6fc-467244ab8706,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -80ea6ee0-576c-431c-b5ba-4b7291ca6cfa,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -80ea6ee0-576c-431c-b5ba-4b7291ca6cfa,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -80ea6ee0-576c-431c-b5ba-4b7291ca6cfa,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -533ee574-a2fc-4e36-ad29-0d83496e8625,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -533ee574-a2fc-4e36-ad29-0d83496e8625,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -533ee574-a2fc-4e36-ad29-0d83496e8625,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -d273d953-a942-4603-a776-155cae425e1d,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -d273d953-a942-4603-a776-155cae425e1d,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -d273d953-a942-4603-a776-155cae425e1d,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -931dc41e-efdd-4330-b5e7-69a23432eb67,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -931dc41e-efdd-4330-b5e7-69a23432eb67,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -931dc41e-efdd-4330-b5e7-69a23432eb67,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -2200e73c-87e6-4719-bbd4-83585624cb75,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -2200e73c-87e6-4719-bbd4-83585624cb75,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -97251da2-e480-4a78-adf6-8a905de29e50,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -97251da2-e480-4a78-adf6-8a905de29e50,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -9905e0cb-a2c3-477d-b36b-0912f71d2f5e,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -9905e0cb-a2c3-477d-b36b-0912f71d2f5e,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -9905e0cb-a2c3-477d-b36b-0912f71d2f5e,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -45955ae1-2574-49f5-97b1-8a99830c8ea5,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -1d45a1ec-7e45-46b1-8236-4482be15f4aa,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -1d45a1ec-7e45-46b1-8236-4482be15f4aa,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -1d45a1ec-7e45-46b1-8236-4482be15f4aa,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -38faeaf0-e606-408a-ab77-7d3483b42369,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -38faeaf0-e606-408a-ab77-7d3483b42369,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -94019e49-1e2e-40c8-ada1-6c5276ee473e,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -94019e49-1e2e-40c8-ada1-6c5276ee473e,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -ac73cde1-2113-4f7e-a1b6-5ffb5fbb7f2b,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -ac73cde1-2113-4f7e-a1b6-5ffb5fbb7f2b,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -ac73cde1-2113-4f7e-a1b6-5ffb5fbb7f2b,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -eec4eb11-24a4-421b-b248-2219270e3e41,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -eec4eb11-24a4-421b-b248-2219270e3e41,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -eec4eb11-24a4-421b-b248-2219270e3e41,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -ac83305d-f12b-4ff0-8758-0bf8ea4b0255,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -ac83305d-f12b-4ff0-8758-0bf8ea4b0255,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -c576f17c-5f0c-4b0f-b23d-050a3b9b6484,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -c576f17c-5f0c-4b0f-b23d-050a3b9b6484,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -51350a76-8069-4cb3-9050-6a7b5311e3df,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -51350a76-8069-4cb3-9050-6a7b5311e3df,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -51350a76-8069-4cb3-9050-6a7b5311e3df,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -1be063d7-6bcc-4811-984c-6050683034b1,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -1be063d7-6bcc-4811-984c-6050683034b1,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -7c023bc1-0913-46e0-930d-0e8f6ec82137,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -fa0b31f0-018d-49d0-8cac-598636f72604,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -fa0b31f0-018d-49d0-8cac-598636f72604,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -fa0b31f0-018d-49d0-8cac-598636f72604,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -d9278ea4-25ee-4005-8914-e89746af2fae,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -d9278ea4-25ee-4005-8914-e89746af2fae,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -d9278ea4-25ee-4005-8914-e89746af2fae,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -20c21003-b2a0-4aa1-ab63-e6915f9ddaf8,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -20c21003-b2a0-4aa1-ab63-e6915f9ddaf8,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -b9fc4436-1779-4d33-85ff-04ebf7ee82fc,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -874cbe2c-18eb-4cd9-95cc-2f000786cc2a,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -f3f01ca2-13ce-4b5e-9da3-411079dc9ca1,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -56ef5664-6ccf-440a-ac42-6bcf1cbcaf3c,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -56ef5664-6ccf-440a-ac42-6bcf1cbcaf3c,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -1a96f0ac-d903-4b4d-874d-965153a7fc75,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -a76dd7ca-b79c-4842-b94b-3bd09a2299af,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -a76dd7ca-b79c-4842-b94b-3bd09a2299af,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -a76dd7ca-b79c-4842-b94b-3bd09a2299af,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -2e450042-64fd-40fc-9f40-3098c90bda21,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -2e450042-64fd-40fc-9f40-3098c90bda21,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -2e450042-64fd-40fc-9f40-3098c90bda21,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -5efa29a6-f0aa-4574-845e-99647833d855,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -5efa29a6-f0aa-4574-845e-99647833d855,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -40e23f74-24c5-4c37-a4e1-12d6527334d2,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -40e23f74-24c5-4c37-a4e1-12d6527334d2,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -1a3584e7-f8ad-4656-8151-6d4eecc34045,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -1e996a69-39a2-4f32-a282-702b89277ebf,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -1e996a69-39a2-4f32-a282-702b89277ebf,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -a7b67fb8-c44d-4fc8-ad2a-743743a1c2b2,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -a7b67fb8-c44d-4fc8-ad2a-743743a1c2b2,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -a7b67fb8-c44d-4fc8-ad2a-743743a1c2b2,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -c9e04ce3-61b4-41d4-9af7-0babcd61710a,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -c9e04ce3-61b4-41d4-9af7-0babcd61710a,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -24cbd292-22b9-4953-8450-d1cb69fb3e10,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -24cbd292-22b9-4953-8450-d1cb69fb3e10,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -75e6e29d-5d1a-4a3c-8572-78a01a37e82c,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -75e6e29d-5d1a-4a3c-8572-78a01a37e82c,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -75e6e29d-5d1a-4a3c-8572-78a01a37e82c,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -5959a99d-1d84-4cfd-9e88-de549c5e994b,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -6fd79912-369b-47bc-91b2-4e41c49590a4,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -b853f907-d152-4e07-864a-5da0ff93e3fd,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -05bbcfd7-9fa5-4f33-9c7c-63021b288b8f,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -05bbcfd7-9fa5-4f33-9c7c-63021b288b8f,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -05bbcfd7-9fa5-4f33-9c7c-63021b288b8f,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -75526a57-718f-49b9-a75b-97ca6ad98e90,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -75526a57-718f-49b9-a75b-97ca6ad98e90,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -94d6763c-22dc-40ad-ab04-24ba85aa150a,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -94d6763c-22dc-40ad-ab04-24ba85aa150a,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -94d6763c-22dc-40ad-ab04-24ba85aa150a,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -393c6ea6-0c0e-4b11-9094-49e134024027,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -393c6ea6-0c0e-4b11-9094-49e134024027,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -393c6ea6-0c0e-4b11-9094-49e134024027,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -871bd9be-4e77-43c6-97f2-cc02e499547f,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -1f61aa6f-97b4-4b3e-90d5-b1c3e1d71ee0,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -93bbcdd1-0e4c-4879-bae0-a19bb2c6c6ec,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -f4c1f3e7-f0b7-46b2-9c3e-e5df4bb5f9b1,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -f4c1f3e7-f0b7-46b2-9c3e-e5df4bb5f9b1,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -fa8b544b-7c42-4ef7-9e34-60901b6d2092,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -bd518db2-7cae-4edf-90ec-bbe2866e8517,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -bd518db2-7cae-4edf-90ec-bbe2866e8517,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -bd518db2-7cae-4edf-90ec-bbe2866e8517,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -5d4d4638-ac17-49a4-bfea-febda9e4b6d6,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -5d4d4638-ac17-49a4-bfea-febda9e4b6d6,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -896775b9-c9a5-48da-91c5-551de2c7c16f,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -896775b9-c9a5-48da-91c5-551de2c7c16f,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -c79ecf39-4cf3-4c98-9e4a-77a68c6a3d3e,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -c79ecf39-4cf3-4c98-9e4a-77a68c6a3d3e,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -c79ecf39-4cf3-4c98-9e4a-77a68c6a3d3e,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -56c2e885-fa66-48a0-ac2e-3d887d00b367,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -56c2e885-fa66-48a0-ac2e-3d887d00b367,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -56c2e885-fa66-48a0-ac2e-3d887d00b367,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -51b64d7c-22a8-4940-aaac-c93ffbca72d6,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -51b64d7c-22a8-4940-aaac-c93ffbca72d6,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -808ac0af-a53f-40f7-afc9-e8d94e3737ac,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -808ac0af-a53f-40f7-afc9-e8d94e3737ac,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -47f47e62-7882-40b2-a605-b90a9b17cdba,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -d7ca5d7e-6f23-4f6a-9aec-965ea1e015e6,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -d7ca5d7e-6f23-4f6a-9aec-965ea1e015e6,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -8d6637d1-fcce-4816-9849-8702e13be6eb,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -b661ae21-ddea-4413-b82f-a1e52421427f,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -b661ae21-ddea-4413-b82f-a1e52421427f,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -a6d7d43e-4c25-433d-8973-8e940b6699b5,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -74c96aa0-f8a5-4a18-9141-d8a92790ebfb,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -74c96aa0-f8a5-4a18-9141-d8a92790ebfb,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -d2e68329-0000-41fb-963b-617adb943dbc,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -4ec161b5-e9a2-47bb-8970-b25c5b03d494,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -4ec161b5-e9a2-47bb-8970-b25c5b03d494,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -9085eebb-7f16-4d75-8d9e-b32e6a06cdc5,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -9085eebb-7f16-4d75-8d9e-b32e6a06cdc5,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -4995bbd0-ed72-4277-a423-e969a5910022,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -4995bbd0-ed72-4277-a423-e969a5910022,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -ae8c0d13-8a8b-46ce-9660-6dd2487c57ab,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -ae8c0d13-8a8b-46ce-9660-6dd2487c57ab,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -7a39f9d8-9c86-4024-baad-59739d23fc76,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -4f0a9703-b62a-4984-b3d1-8f10e35e02f8,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -4f0a9703-b62a-4984-b3d1-8f10e35e02f8,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -4f0a9703-b62a-4984-b3d1-8f10e35e02f8,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -4ee31e24-29be-4f21-bc28-5972c3ee61d3,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -4ee31e24-29be-4f21-bc28-5972c3ee61d3,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -4ee31e24-29be-4f21-bc28-5972c3ee61d3,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -464cdbad-a5eb-46e8-ad85-7e7922253183,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -464cdbad-a5eb-46e8-ad85-7e7922253183,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -b96ec745-711f-471d-9001-9e56901baf75,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -b96ec745-711f-471d-9001-9e56901baf75,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -b96ec745-711f-471d-9001-9e56901baf75,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -948e7e60-4c0f-4362-aa25-4574282ab727,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -6c6f9608-ced4-4d09-b7da-bebd127ecb2e,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -8ed5ed16-fd0f-420c-a96f-1d068ac1a61f,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -8ed5ed16-fd0f-420c-a96f-1d068ac1a61f,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -1e307046-19fa-4b3d-89d0-08706f30d5a8,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -1e307046-19fa-4b3d-89d0-08706f30d5a8,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -1e307046-19fa-4b3d-89d0-08706f30d5a8,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -a6caac37-8a0c-4a13-a234-ff52175bc6a5,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -9c52a3a0-e7bc-41e9-a834-5108c425bef2,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -9c52a3a0-e7bc-41e9-a834-5108c425bef2,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -b00bf95b-abf9-42c6-aad4-46c0ca878abe,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -8af2e9b2-c8f6-426d-9c56-5576bc7638ef,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -8af2e9b2-c8f6-426d-9c56-5576bc7638ef,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -8af2e9b2-c8f6-426d-9c56-5576bc7638ef,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -16c7bee2-a21c-4d6e-a139-77e21c340990,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -16c7bee2-a21c-4d6e-a139-77e21c340990,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -5f0196fd-04a6-4cd3-bbd2-47fc33154005,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -4aecfde4-60ce-4379-b5b9-2da6426187d1,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -0e157ea4-348a-4600-9cec-5de85f4692db,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -0e157ea4-348a-4600-9cec-5de85f4692db,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -6a7d2559-ebb7-4c2d-a1ee-89a920677419,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -6a7d2559-ebb7-4c2d-a1ee-89a920677419,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -3690ab14-9b22-425c-ad1f-4201622c2d49,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -3690ab14-9b22-425c-ad1f-4201622c2d49,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -ee78a35c-f0a1-4b70-a5f2-02b29913deab,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -6353479d-eb69-4301-bb14-4c2ebb1c2ac5,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -f36b6b56-9db0-495f-9892-529c9aa0b2fc,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -f36b6b56-9db0-495f-9892-529c9aa0b2fc,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -f36b6b56-9db0-495f-9892-529c9aa0b2fc,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -b85868ec-5b59-46b4-8811-8be6e3a5d9cb,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -b85868ec-5b59-46b4-8811-8be6e3a5d9cb,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -e377113c-00c1-4af0-8206-995c1b7d43ff,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -e377113c-00c1-4af0-8206-995c1b7d43ff,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -e377113c-00c1-4af0-8206-995c1b7d43ff,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -224fcad2-741d-4ea0-9b34-cd4d0a7c45d7,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -27442571-9ba3-420f-a66a-554aec1e0ff8,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -27442571-9ba3-420f-a66a-554aec1e0ff8,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -27442571-9ba3-420f-a66a-554aec1e0ff8,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -785c6e38-c701-48ba-973e-371873d5c8ee,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -785c6e38-c701-48ba-973e-371873d5c8ee,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -785c6e38-c701-48ba-973e-371873d5c8ee,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -05b0d5ce-d91d-4b5f-96d5-08c91f7b30cd,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -05b0d5ce-d91d-4b5f-96d5-08c91f7b30cd,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -7292ab7b-8fe4-425f-9894-b21967dff71a,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -7292ab7b-8fe4-425f-9894-b21967dff71a,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -7292ab7b-8fe4-425f-9894-b21967dff71a,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -401ebb9b-b976-48fd-beb0-1411739d76b4,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -5001e089-8f5e-4c3b-ae37-6df9fd174fb7,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -5001e089-8f5e-4c3b-ae37-6df9fd174fb7,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -a0768b58-2282-46b3-98f8-01f8608a0af8,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -377742eb-1498-4ee9-a469-f8b0a9b0638d,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -377742eb-1498-4ee9-a469-f8b0a9b0638d,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -377742eb-1498-4ee9-a469-f8b0a9b0638d,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -571f7c3a-74bc-4fb9-9c0a-405f1946dc3f,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -571f7c3a-74bc-4fb9-9c0a-405f1946dc3f,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -334562dd-c180-4698-b4d7-d371c5133cf5,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -334562dd-c180-4698-b4d7-d371c5133cf5,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -259a831e-dfdd-4578-835b-f983f679b4e0,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -259a831e-dfdd-4578-835b-f983f679b4e0,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -304df9f0-8a1b-43fb-b578-72b75b4a2476,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -304df9f0-8a1b-43fb-b578-72b75b4a2476,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -304df9f0-8a1b-43fb-b578-72b75b4a2476,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -185caf15-f7d9-4481-a2f2-9cbe0a8df8cf,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -185caf15-f7d9-4481-a2f2-9cbe0a8df8cf,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -185caf15-f7d9-4481-a2f2-9cbe0a8df8cf,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -2620c809-1abc-44b3-933b-b42459a03670,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -a3d0646a-6d44-430f-ba35-b5c90ef07ffe,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -c0422a6e-e1d2-4950-95db-d6fc17a9d03c,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -c0422a6e-e1d2-4950-95db-d6fc17a9d03c,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -1a7be3a7-98b0-470e-a6fd-58b53e93b43d,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -1a7be3a7-98b0-470e-a6fd-58b53e93b43d,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -1a7be3a7-98b0-470e-a6fd-58b53e93b43d,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -39629518-e7d0-48c1-9db8-f528e2faf7a9,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -39629518-e7d0-48c1-9db8-f528e2faf7a9,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -f41c6f38-a2ab-4bfe-983f-a1ec5b88f4a0,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -f41c6f38-a2ab-4bfe-983f-a1ec5b88f4a0,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -36e41cd2-6174-4e81-b333-14fe3c029a32,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -36e41cd2-6174-4e81-b333-14fe3c029a32,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -36e41cd2-6174-4e81-b333-14fe3c029a32,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -bfcbe16e-3525-4230-88f3-129837fcf8e1,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -bfcbe16e-3525-4230-88f3-129837fcf8e1,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -bfcbe16e-3525-4230-88f3-129837fcf8e1,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -3e456a64-7266-4f51-9d6a-452bc83b7042,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -3e456a64-7266-4f51-9d6a-452bc83b7042,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -19759ffe-0f9c-4016-a152-4b37639f3d9d,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -19759ffe-0f9c-4016-a152-4b37639f3d9d,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -19759ffe-0f9c-4016-a152-4b37639f3d9d,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -4d9cfd72-40e3-4986-8186-a92339222972,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -4d9cfd72-40e3-4986-8186-a92339222972,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -4d9cfd72-40e3-4986-8186-a92339222972,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -0de5590c-c602-4934-b621-f69f057a5b8b,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -bb60fd0d-1b7f-445c-9206-36bb4503efc7,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -bb60fd0d-1b7f-445c-9206-36bb4503efc7,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -bb60fd0d-1b7f-445c-9206-36bb4503efc7,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -41b0d0b5-fd49-4ecb-accc-f70209cafeae,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -41b0d0b5-fd49-4ecb-accc-f70209cafeae,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -03930877-ae18-46b8-ab40-5b130a911f19,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -03930877-ae18-46b8-ab40-5b130a911f19,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -03930877-ae18-46b8-ab40-5b130a911f19,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -073f491b-100a-49c3-ae84-a3934d87ad34,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -073f491b-100a-49c3-ae84-a3934d87ad34,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -073f491b-100a-49c3-ae84-a3934d87ad34,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -fbaeb539-0437-46e7-a4b6-6213fa2d22a2,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -50734cf2-b843-4f0f-85c0-04c8342a7fa1,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -50734cf2-b843-4f0f-85c0-04c8342a7fa1,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -6d65effe-c7b4-402c-ba26-0815f9de33b0,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -6d65effe-c7b4-402c-ba26-0815f9de33b0,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -6d65effe-c7b4-402c-ba26-0815f9de33b0,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -146df195-f157-4318-ae71-2b88330072eb,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -146df195-f157-4318-ae71-2b88330072eb,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -f06350c8-b4fa-4aea-97d0-12cf641c9546,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -cc91ea4f-caed-4b3c-b0ca-dfbc214860ce,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -cc91ea4f-caed-4b3c-b0ca-dfbc214860ce,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -488f0e78-b545-4471-841e-79080ded45aa,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -488f0e78-b545-4471-841e-79080ded45aa,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -488f0e78-b545-4471-841e-79080ded45aa,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -0fca2ebf-b597-476d-a302-489f59e8cfac,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -0fca2ebf-b597-476d-a302-489f59e8cfac,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -0fca2ebf-b597-476d-a302-489f59e8cfac,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -e7e0e214-5ee4-4ccf-bf5e-ff22289f20af,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -e7e0e214-5ee4-4ccf-bf5e-ff22289f20af,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -e7e0e214-5ee4-4ccf-bf5e-ff22289f20af,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -6be35d44-5091-47f3-ac20-a6e47880cc5c,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -6be35d44-5091-47f3-ac20-a6e47880cc5c,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -4c5bf67a-fd87-4ce5-a25b-80b882bd29e9,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -4c5bf67a-fd87-4ce5-a25b-80b882bd29e9,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -4c5bf67a-fd87-4ce5-a25b-80b882bd29e9,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -b7aaa039-f68b-4f69-aa80-49c0e3f619f9,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -77364dcb-556d-43b3-b05d-b3f408d64841,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -77364dcb-556d-43b3-b05d-b3f408d64841,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -44d291b6-1c8e-4b86-be29-f0e8a008e39a,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -44d291b6-1c8e-4b86-be29-f0e8a008e39a,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -29e22e4b-9e1e-4e9d-ae98-36e04a12e01c,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -29e22e4b-9e1e-4e9d-ae98-36e04a12e01c,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -89a40153-a2e1-486b-8659-1b0b080f57db,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -e69abff4-5066-488f-b5d9-57242c4c9f20,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -e69abff4-5066-488f-b5d9-57242c4c9f20,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -8ec4f473-115b-46b1-8738-57a5e141bc07,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -8ec4f473-115b-46b1-8738-57a5e141bc07,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -8ec4f473-115b-46b1-8738-57a5e141bc07,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -8043c5e0-ba68-4c18-882b-2131ddd0db14,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -8043c5e0-ba68-4c18-882b-2131ddd0db14,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -6288eaf6-a09a-4007-a4f3-68f82dad68cb,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -bbee1f77-c658-4b7e-b512-96953f8ba20d,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -bbee1f77-c658-4b7e-b512-96953f8ba20d,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -bbee1f77-c658-4b7e-b512-96953f8ba20d,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -5451bb6d-237a-4fe3-8de5-72bbc0fcc7a5,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -5451bb6d-237a-4fe3-8de5-72bbc0fcc7a5,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -1b6be727-3888-4920-89f8-a6fda5c7eaeb,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -1b6be727-3888-4920-89f8-a6fda5c7eaeb,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -1b6be727-3888-4920-89f8-a6fda5c7eaeb,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -79272909-bc3e-4f26-a1c1-d193645e563e,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -79272909-bc3e-4f26-a1c1-d193645e563e,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -51e31322-2b9e-464e-abdf-279e818b8855,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -870d0d41-e12e-40c0-aa6f-f67a1157e29e,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -896c37a7-1ea8-4566-8574-2c94ae889b9e,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -28890023-4fdb-4c2b-acdd-d0d55120d56c,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -28890023-4fdb-4c2b-acdd-d0d55120d56c,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -28890023-4fdb-4c2b-acdd-d0d55120d56c,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -7cc4c2d7-ae45-4db0-9652-c23a3dd7bd14,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -fa795d4a-e0f9-4d82-a7d8-271a7f123fc1,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -fa795d4a-e0f9-4d82-a7d8-271a7f123fc1,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -fa795d4a-e0f9-4d82-a7d8-271a7f123fc1,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -ffabda9f-5bbf-4ed0-95a3-5e55c87fc57b,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -ffabda9f-5bbf-4ed0-95a3-5e55c87fc57b,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -334111ef-6ac2-4b4b-8ef3-3c71fa5fe41d,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -334111ef-6ac2-4b4b-8ef3-3c71fa5fe41d,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -3cc49a27-6f39-4507-bbb5-8d4f219db4ff,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -ae906758-4aec-4f2c-90ea-ba3ac4b47fc1,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -ae906758-4aec-4f2c-90ea-ba3ac4b47fc1,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -ae906758-4aec-4f2c-90ea-ba3ac4b47fc1,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -efd6ad6e-2b1d-4822-b2c5-db91113c1e33,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -efd6ad6e-2b1d-4822-b2c5-db91113c1e33,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -390420ac-522e-468e-b245-51c14950230d,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -3ca78dae-2cef-4b77-ae54-ede039cf2b6c,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -21959320-b5b7-4983-9d0d-78338d138b25,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -21959320-b5b7-4983-9d0d-78338d138b25,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -21959320-b5b7-4983-9d0d-78338d138b25,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -2bc72c56-4523-48c8-9195-69c4c6d4463a,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -2bc72c56-4523-48c8-9195-69c4c6d4463a,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -2bc72c56-4523-48c8-9195-69c4c6d4463a,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -f42c494e-9e50-4ea4-bea2-fe9106479b4c,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -f42c494e-9e50-4ea4-bea2-fe9106479b4c,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -f42c494e-9e50-4ea4-bea2-fe9106479b4c,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -b000f2f6-9ee4-4342-ac3f-bdcc84ad972e,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -b000f2f6-9ee4-4342-ac3f-bdcc84ad972e,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -afd6abe2-56b1-4070-8107-d633730bcffc,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -afd6abe2-56b1-4070-8107-d633730bcffc,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -da14650e-e4a5-46f5-9600-79ec0e52f4c9,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -ed827b0b-8a09-416f-8a79-4ced681de03c,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -1dd907ff-de1f-4258-9159-e903a9fa3a5b,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -1dd907ff-de1f-4258-9159-e903a9fa3a5b,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -1dd907ff-de1f-4258-9159-e903a9fa3a5b,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -33ade687-5b73-42ee-9cd2-a048ae2a08f1,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -33ade687-5b73-42ee-9cd2-a048ae2a08f1,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -33ade687-5b73-42ee-9cd2-a048ae2a08f1,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -327b0222-c8c7-4802-868c-24060695cedd,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -3d3e28a2-231a-476b-a8b3-422bb432c17f,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -3d3e28a2-231a-476b-a8b3-422bb432c17f,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -3d3e28a2-231a-476b-a8b3-422bb432c17f,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -e87bbba9-15d0-4788-a948-81f42c5298bf,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -e87bbba9-15d0-4788-a948-81f42c5298bf,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -0de6733f-15e7-4af0-9c1d-80e0eeae7dff,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -d7fefd9b-a78e-4afe-a8da-676be6a8f739,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -d7fefd9b-a78e-4afe-a8da-676be6a8f739,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -cac1f513-7327-4dfc-8ffa-525c38c3a09e,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -4b28d036-783c-4f39-ad4d-1cb765119c07,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -4b28d036-783c-4f39-ad4d-1cb765119c07,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -4b28d036-783c-4f39-ad4d-1cb765119c07,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -0c19bb55-72bf-401c-996b-64d97e7103c9,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -0c19bb55-72bf-401c-996b-64d97e7103c9,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -c63f9c66-6c53-4cd1-bbbe-a845d53fc1e5,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -c63f9c66-6c53-4cd1-bbbe-a845d53fc1e5,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -c63f9c66-6c53-4cd1-bbbe-a845d53fc1e5,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -9e941701-cd1c-476b-a535-e4ee2553f75d,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -9e941701-cd1c-476b-a535-e4ee2553f75d,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -9e941701-cd1c-476b-a535-e4ee2553f75d,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -f9a91dff-f8bc-4497-b799-7d16b91094e2,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -f9a91dff-f8bc-4497-b799-7d16b91094e2,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -41ed3143-038b-401b-a2fd-b0de38157d84,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -8deb8967-dffb-4427-a20a-bc6f6156afa5,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -8deb8967-dffb-4427-a20a-bc6f6156afa5,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -8deb8967-dffb-4427-a20a-bc6f6156afa5,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -834f8076-ad7b-4824-a29d-1f61173a74f9,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -4af52f45-88be-43d1-9887-86a596797a53,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -4af52f45-88be-43d1-9887-86a596797a53,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -4af52f45-88be-43d1-9887-86a596797a53,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -9c38706e-b708-4dca-ac4b-6d894b61dba4,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -9c38706e-b708-4dca-ac4b-6d894b61dba4,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -9c38706e-b708-4dca-ac4b-6d894b61dba4,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -a0bef539-7338-4421-b61a-df49d62f7d8c,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -a0bef539-7338-4421-b61a-df49d62f7d8c,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -5d2498c3-0e9e-41b5-967c-4d7228c9529e,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -5d2498c3-0e9e-41b5-967c-4d7228c9529e,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -5d2498c3-0e9e-41b5-967c-4d7228c9529e,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -a2b9d749-fa67-4af6-8071-a923a3fab946,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -363bb9ad-dbf6-4322-8f95-55c6fa37322d,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -363bb9ad-dbf6-4322-8f95-55c6fa37322d,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -e80898b7-c407-4f26-b3d5-b50bdcf35acf,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -105a5045-3622-46d8-974c-f4505986afe0,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -e94f853c-83d6-4376-b245-38e656a2799c,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -489ea454-9207-4a40-b529-d89b2da26d0b,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -489ea454-9207-4a40-b529-d89b2da26d0b,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -489ea454-9207-4a40-b529-d89b2da26d0b,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -3eb70906-36dc-49ed-a910-af35d44b1057,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -3eb70906-36dc-49ed-a910-af35d44b1057,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -50d5b829-2310-44a8-a89e-61248ea4dcc2,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -01440099-9979-4418-8a6c-480f73aa42ee,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -01440099-9979-4418-8a6c-480f73aa42ee,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -f2fc7ea3-0af0-49a6-a1f8-0bfa5d5f3502,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -43535794-4b87-44e5-8b52-f63e743fa933,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -43535794-4b87-44e5-8b52-f63e743fa933,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -87585668-611d-45ae-ac21-8d30370efe2c,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -87585668-611d-45ae-ac21-8d30370efe2c,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -87585668-611d-45ae-ac21-8d30370efe2c,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -2616469e-7b1d-4084-94a5-b762f4187a6f,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -2616469e-7b1d-4084-94a5-b762f4187a6f,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -2616469e-7b1d-4084-94a5-b762f4187a6f,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -0ce492a5-1884-45ac-8fac-5c6661bc0a11,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -0ce492a5-1884-45ac-8fac-5c6661bc0a11,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -24aef969-474d-4a6d-881f-fbfdc5ebd567,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -24aef969-474d-4a6d-881f-fbfdc5ebd567,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -262305e8-9329-4e87-a315-83b586e06fae,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -262305e8-9329-4e87-a315-83b586e06fae,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -015c56a6-7b73-4268-bfaf-30367e38c1ef,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -015c56a6-7b73-4268-bfaf-30367e38c1ef,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -6373de64-596b-49a9-96c2-8681b95e0b55,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -6373de64-596b-49a9-96c2-8681b95e0b55,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -6373de64-596b-49a9-96c2-8681b95e0b55,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -59967a52-f899-4f9e-8194-a609b3163ac3,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -8ddd3d26-8ca0-471e-94ed-2e711b93d182,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -8ddd3d26-8ca0-471e-94ed-2e711b93d182,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -8ddd3d26-8ca0-471e-94ed-2e711b93d182,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -39ce8305-3d1c-4d0c-a7ca-675480d94852,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -af75aef2-7ab7-4751-8af4-035b1a096aff,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -af75aef2-7ab7-4751-8af4-035b1a096aff,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -af75aef2-7ab7-4751-8af4-035b1a096aff,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -28b59442-791d-4d0c-93fb-1b116851f52e,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -28b59442-791d-4d0c-93fb-1b116851f52e,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -28b59442-791d-4d0c-93fb-1b116851f52e,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -7f6e7c03-1a8a-4b20-819f-695accd58acd,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -7f6e7c03-1a8a-4b20-819f-695accd58acd,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -7f6e7c03-1a8a-4b20-819f-695accd58acd,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -86f46656-3559-4006-ab27-fbc63d9edb4e,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -cca91dfd-2f00-40d7-bcc4-444a8895a3e4,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -9dfa6fc3-764a-49ee-97ca-9c203d433e7b,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -f2e04e62-15c0-4712-873e-123653f8c89c,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -f2e04e62-15c0-4712-873e-123653f8c89c,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -f4e9fd81-6a2b-414c-83c5-4a0c9c9cb28b,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -f4e9fd81-6a2b-414c-83c5-4a0c9c9cb28b,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -770ef8bd-2894-425b-ba89-4747ec64f508,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -770ef8bd-2894-425b-ba89-4747ec64f508,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -e1b703b9-190b-4555-88f5-1b9732192fb0,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -e1b703b9-190b-4555-88f5-1b9732192fb0,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -e1b703b9-190b-4555-88f5-1b9732192fb0,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -a5f86fe0-95e4-4c0a-880c-e6406879d361,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -a5f86fe0-95e4-4c0a-880c-e6406879d361,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -6ec8e2e4-8cb0-4f00-9087-06d909958431,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -6ec8e2e4-8cb0-4f00-9087-06d909958431,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -7f9e917f-39b2-4b84-b6d1-95edc34b06dc,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -7f9e917f-39b2-4b84-b6d1-95edc34b06dc,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -7f9e917f-39b2-4b84-b6d1-95edc34b06dc,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -cf4ea7cc-3a9a-4667-a541-595e48600500,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -cf4ea7cc-3a9a-4667-a541-595e48600500,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -0455fd60-971d-49d0-b804-c3ff819880f9,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -04820739-00fa-40d6-b5d4-6781fc071c82,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -04820739-00fa-40d6-b5d4-6781fc071c82,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -db6b9009-997e-4e11-94e5-05cc9bc9a876,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -db6b9009-997e-4e11-94e5-05cc9bc9a876,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -d8081da3-8b15-42d0-ba00-cfa0c9b5fc3f,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -d8081da3-8b15-42d0-ba00-cfa0c9b5fc3f,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -f2f1bc6d-01eb-458e-8949-070a448e9b3f,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -4f9a6887-31cb-4eda-901d-0ddf7f409eaf,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -f7c00b5d-f112-4ad5-91ee-5c20f3629fe9,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -f7c00b5d-f112-4ad5-91ee-5c20f3629fe9,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -03002829-8db8-43e1-80d5-33d285f08621,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -03002829-8db8-43e1-80d5-33d285f08621,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -c4e67ccc-2065-4ce1-8dee-09f734d0e1e1,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -c4e67ccc-2065-4ce1-8dee-09f734d0e1e1,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -c4e67ccc-2065-4ce1-8dee-09f734d0e1e1,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -4c9b426f-b4e4-4578-a806-a4acfbf08e25,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -4c9b426f-b4e4-4578-a806-a4acfbf08e25,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -34450822-2227-4ef4-a2ac-707012ef8120,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -a9bbbdea-23c2-436e-a0e7-6f449e2b73f0,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -2a83f3dc-7c02-40df-b24d-f58db03cd98c,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -2a83f3dc-7c02-40df-b24d-f58db03cd98c,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -2a83f3dc-7c02-40df-b24d-f58db03cd98c,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -299a90ba-79ae-440a-a19f-20b5ac13245d,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -299a90ba-79ae-440a-a19f-20b5ac13245d,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -3a97df8f-fda7-4bf0-9849-1335731d7121,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -3a97df8f-fda7-4bf0-9849-1335731d7121,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -7e3781cf-3d3c-41e5-9c82-4bfff6ca663f,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -7e3781cf-3d3c-41e5-9c82-4bfff6ca663f,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -4f10d8b8-973b-4252-9778-4b0e34d72197,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -c7c44ec7-7809-4d8c-a8ee-2f2489520671,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -ebcc427a-60cd-4ac5-b4ce-b6783fb180da,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -ebcc427a-60cd-4ac5-b4ce-b6783fb180da,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -3172afe2-fab3-448e-8e05-17ea29dda61a,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -3172afe2-fab3-448e-8e05-17ea29dda61a,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -3172afe2-fab3-448e-8e05-17ea29dda61a,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -7f199f76-019d-463f-911f-b4fb72cb44d9,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -d195d879-20a7-420c-8de7-3d6b034ba944,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -b6f5b696-96c9-412d-a8b4-a8165e7995b4,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -b6f5b696-96c9-412d-a8b4-a8165e7995b4,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -328910c8-8dcf-47db-b786-14d16deffba6,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -328910c8-8dcf-47db-b786-14d16deffba6,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -7b2f63c2-04a9-4960-839d-d1267476336b,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -7b2f63c2-04a9-4960-839d-d1267476336b,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -3ace3e3e-644e-4af0-865f-eb86f25322e0,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -7a51f112-7fb5-4189-a3d6-6241647f1fd8,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -028d9156-5687-4d66-bfb8-8034c01c7104,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -48fec94f-c58a-4497-832b-4d1bc8920ae0,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -48fec94f-c58a-4497-832b-4d1bc8920ae0,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -28253478-a794-4be6-9a20-8547cba5a7d3,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -28253478-a794-4be6-9a20-8547cba5a7d3,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -e2da77b2-2eed-49e7-ac0a-e303786d6af3,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -493db1a9-cc1b-464e-8ae7-fdfd6325845a,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -493db1a9-cc1b-464e-8ae7-fdfd6325845a,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -493db1a9-cc1b-464e-8ae7-fdfd6325845a,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -db231cb6-de7c-4bf8-b250-03bacc16f26d,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -db231cb6-de7c-4bf8-b250-03bacc16f26d,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -db231cb6-de7c-4bf8-b250-03bacc16f26d,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -484560cf-399f-4508-a663-d52be7b5e8dd,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -484560cf-399f-4508-a663-d52be7b5e8dd,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -484560cf-399f-4508-a663-d52be7b5e8dd,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -f93d1ab8-164e-4db2-945a-cc27832b3744,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -c63e03dd-bcf5-4541-bfda-488bb5ff75d8,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -c63e03dd-bcf5-4541-bfda-488bb5ff75d8,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -4aa5121c-d8a6-4148-a8c9-95f228d40b42,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -0f4e3ac6-705d-405c-95f2-dad84a94f78d,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -0f4e3ac6-705d-405c-95f2-dad84a94f78d,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -0f4e3ac6-705d-405c-95f2-dad84a94f78d,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -ac6ee8a8-a7ce-48a7-b341-0c61ac886e15,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -ac6ee8a8-a7ce-48a7-b341-0c61ac886e15,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -ac6ee8a8-a7ce-48a7-b341-0c61ac886e15,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -ed8aec7e-b7f2-4342-acb2-8c921a892704,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -ed8aec7e-b7f2-4342-acb2-8c921a892704,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -ed8aec7e-b7f2-4342-acb2-8c921a892704,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -8653bd4a-8f54-4e06-b719-b671c503be7a,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -8653bd4a-8f54-4e06-b719-b671c503be7a,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -0fce035d-3c2e-49dd-b19e-e5f4384ed38c,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -0fce035d-3c2e-49dd-b19e-e5f4384ed38c,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -13585f03-4598-41f7-8cef-b5e0f476d69d,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -13585f03-4598-41f7-8cef-b5e0f476d69d,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -13585f03-4598-41f7-8cef-b5e0f476d69d,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -eb48ec07-1660-4b2d-b422-7d83ee6fe416,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -eb48ec07-1660-4b2d-b422-7d83ee6fe416,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -eb48ec07-1660-4b2d-b422-7d83ee6fe416,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -0a29e958-ec7a-45c9-ba47-cee8f1aa9c8f,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -0a29e958-ec7a-45c9-ba47-cee8f1aa9c8f,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -81dcad59-4049-4f1b-87ae-6dbfe8d2fa78,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -81dcad59-4049-4f1b-87ae-6dbfe8d2fa78,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -81dcad59-4049-4f1b-87ae-6dbfe8d2fa78,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -bb88df38-b43e-41dd-867c-429658d46f1f,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -bfaea632-3100-475c-bb6b-f59808529131,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -1c0c0aa6-ec48-4b54-9efb-cc0d04b700ed,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -ea11683b-eb38-4979-9607-089550f443f0,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -ea11683b-eb38-4979-9607-089550f443f0,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -ea11683b-eb38-4979-9607-089550f443f0,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -8917a103-95c9-468c-8e11-6ea4dc9b8819,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -f83e9356-72f2-41f2-929c-e5fda73ded5c,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -02ce5382-fc7d-47a7-9666-fbbb53fb6d03,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -02ce5382-fc7d-47a7-9666-fbbb53fb6d03,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -02ce5382-fc7d-47a7-9666-fbbb53fb6d03,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -3dbbc1ed-ee5a-4c50-a2ef-dd5395dcc5aa,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -3dbbc1ed-ee5a-4c50-a2ef-dd5395dcc5aa,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -c4daa06f-59ce-4e06-8364-9d0abe54be57,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -c4daa06f-59ce-4e06-8364-9d0abe54be57,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -3f5d53fd-ccb2-4bc1-b79a-d3f2d43bcae9,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -3f5d53fd-ccb2-4bc1-b79a-d3f2d43bcae9,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -3f5d53fd-ccb2-4bc1-b79a-d3f2d43bcae9,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -1d6b0fb6-af51-4a21-a6e6-59dc913ddc5a,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -1d6b0fb6-af51-4a21-a6e6-59dc913ddc5a,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -1d6b0fb6-af51-4a21-a6e6-59dc913ddc5a,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -8b4e3d71-f1f8-4c5e-bad9-e43cdeca137d,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -8b4e3d71-f1f8-4c5e-bad9-e43cdeca137d,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -8b4e3d71-f1f8-4c5e-bad9-e43cdeca137d,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -73c714f9-e40b-46ba-82ac-1382fafeae6a,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -1cdb66b6-b992-409f-9fb9-933329cd0f87,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -0ed38a22-5dcc-4fe7-930e-106def2cfd4c,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -0ed38a22-5dcc-4fe7-930e-106def2cfd4c,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -0ed38a22-5dcc-4fe7-930e-106def2cfd4c,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -d8b13d25-aa41-4481-979c-7e834ff4326e,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -d8b13d25-aa41-4481-979c-7e834ff4326e,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -d8b13d25-aa41-4481-979c-7e834ff4326e,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -3db8e509-6944-4301-8fd7-174516d0945e,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -3db8e509-6944-4301-8fd7-174516d0945e,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -3db8e509-6944-4301-8fd7-174516d0945e,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -50542df4-9d95-4059-9bdd-fbff4338033d,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -50542df4-9d95-4059-9bdd-fbff4338033d,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -71fe5b3e-dca4-4022-b6ec-b60c92eb575c,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -e7977bac-85a5-4c3d-a4e9-df6ff17f974d,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -e7977bac-85a5-4c3d-a4e9-df6ff17f974d,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -43480d05-f599-49bc-9fe2-671f0ef7fec2,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -8828c6ba-f31c-4b69-acae-b2fe37c0be31,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -8828c6ba-f31c-4b69-acae-b2fe37c0be31,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -eb5b1684-4ba5-4b0b-b8be-6ab708a0b453,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -5cd8a452-f58b-4ed4-b257-4fac84a068f2,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -5cd8a452-f58b-4ed4-b257-4fac84a068f2,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -9476ac1f-62bb-4014-a8e3-5a9fff701e1c,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -9476ac1f-62bb-4014-a8e3-5a9fff701e1c,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -9476ac1f-62bb-4014-a8e3-5a9fff701e1c,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -0edcfd6a-00ab-4ee3-9c17-90868c108673,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -f00928b1-962e-4365-a53c-5e95b0e7b4f6,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -adff8f30-3f7e-41d2-ab58-a469d7f15684,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -bf34ddf7-8e08-4b98-9e10-24a35e6ede2f,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -ea0682ca-d633-49c4-a986-f2182d62dd93,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -ea0682ca-d633-49c4-a986-f2182d62dd93,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -ea0682ca-d633-49c4-a986-f2182d62dd93,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -d62cc1d9-8c57-46a1-af20-660ebf5ff99f,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -d62cc1d9-8c57-46a1-af20-660ebf5ff99f,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -8b0b916c-8632-4486-b593-67f9b5245794,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -19e85652-ce7f-4e37-acca-0fbbd7a95e6c,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -0286f330-a305-4d97-8268-698c706ab537,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -0286f330-a305-4d97-8268-698c706ab537,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -610b309f-381d-4a3f-bf00-1711c6aed403,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -610b309f-381d-4a3f-bf00-1711c6aed403,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -610b309f-381d-4a3f-bf00-1711c6aed403,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -691dd4c8-a54c-4e4c-adb4-07de80fde394,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -5b4c941a-fc81-44a5-8f83-8b87ff41e476,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -5b4c941a-fc81-44a5-8f83-8b87ff41e476,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -eb699554-c076-49cc-a28f-6ad2f42252f7,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -eb699554-c076-49cc-a28f-6ad2f42252f7,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -eb699554-c076-49cc-a28f-6ad2f42252f7,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -bb516205-7f06-427d-b3db-9225f197529c,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -bb516205-7f06-427d-b3db-9225f197529c,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -be04000c-1c4d-4cd8-982d-49bc44f2dc3b,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -be04000c-1c4d-4cd8-982d-49bc44f2dc3b,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -15ed9722-93da-4623-9866-e841dc533e24,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -0e5e8fe2-3c65-4b65-b98c-132be0e3b9c5,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -fcf4c481-b978-4bfe-907b-516b0d2833c7,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -fcf4c481-b978-4bfe-907b-516b0d2833c7,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -45c4a1f3-9046-40a4-a052-356cf401556b,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -a1248943-db9e-4b4e-bb0f-8c286cb414b7,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -a1248943-db9e-4b4e-bb0f-8c286cb414b7,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -a8382771-9bca-4afd-a9f1-86766ff00be7,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -a8382771-9bca-4afd-a9f1-86766ff00be7,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -a8382771-9bca-4afd-a9f1-86766ff00be7,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -7d7fc960-3484-41af-8ed5-5a950d234f7d,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -7d7fc960-3484-41af-8ed5-5a950d234f7d,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -83321857-4305-4b86-a335-08cf2998967c,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -83321857-4305-4b86-a335-08cf2998967c,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -83321857-4305-4b86-a335-08cf2998967c,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -6f936a31-1ccf-4047-9ccb-87b42b030bc5,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -6f936a31-1ccf-4047-9ccb-87b42b030bc5,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -6f936a31-1ccf-4047-9ccb-87b42b030bc5,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -7140c810-773e-451b-8ca0-23dd97b07c77,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -7140c810-773e-451b-8ca0-23dd97b07c77,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -7140c810-773e-451b-8ca0-23dd97b07c77,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -39f19836-220d-4c3e-84d2-20561053b920,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -39f19836-220d-4c3e-84d2-20561053b920,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -39f19836-220d-4c3e-84d2-20561053b920,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -86738787-f120-4c74-9105-e60a573b5d40,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -60ba90a7-0994-4ac0-8041-4781cb2bbf97,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -60ba90a7-0994-4ac0-8041-4781cb2bbf97,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -b86f8d83-c802-4bb2-88a4-80fa419dac71,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -4035471b-9296-43d6-a9fb-ae09d2c98ae7,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -4035471b-9296-43d6-a9fb-ae09d2c98ae7,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -15077067-33a1-42c5-8a4a-bb73ce670331,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -538af5c0-a833-4336-bdb7-94c070aee746,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -538af5c0-a833-4336-bdb7-94c070aee746,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -989e7601-4265-4f07-8e40-542b9aa75a58,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -989e7601-4265-4f07-8e40-542b9aa75a58,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -989e7601-4265-4f07-8e40-542b9aa75a58,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -0f241223-cf46-4bed-a7e2-5a459e2da56d,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -0f241223-cf46-4bed-a7e2-5a459e2da56d,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -eda1cac5-f941-4826-9b6e-0cfdfd33d2bc,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -eda1cac5-f941-4826-9b6e-0cfdfd33d2bc,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -eda1cac5-f941-4826-9b6e-0cfdfd33d2bc,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -7529f92a-5daa-4c2c-817a-08e5dac04781,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -7529f92a-5daa-4c2c-817a-08e5dac04781,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -7529f92a-5daa-4c2c-817a-08e5dac04781,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -f18307c7-95a3-4e39-8394-56eb96a588f8,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -536329f3-6ef2-4b1e-aab4-fa842bb68bb8,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -16ef94dc-0de0-442f-9b53-0c9cbaea65df,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -16ef94dc-0de0-442f-9b53-0c9cbaea65df,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -e979ed85-a862-4395-97ff-73c4065376c0,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -99e39920-31c3-4eca-8026-ebdb1823b1b1,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -99e39920-31c3-4eca-8026-ebdb1823b1b1,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -99e39920-31c3-4eca-8026-ebdb1823b1b1,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -1a1856e0-5166-451d-bf96-ee6273272cf9,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -1a1856e0-5166-451d-bf96-ee6273272cf9,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -1a1856e0-5166-451d-bf96-ee6273272cf9,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -a0d07410-86e4-4817-a21a-5e2fe7d071a5,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -a0d07410-86e4-4817-a21a-5e2fe7d071a5,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -a0d07410-86e4-4817-a21a-5e2fe7d071a5,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -7e6142f9-0e80-4092-be10-d06d3c30a38e,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -7e6142f9-0e80-4092-be10-d06d3c30a38e,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -7e6142f9-0e80-4092-be10-d06d3c30a38e,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -551d9932-ab1a-444e-9e9b-45c90d9934a7,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -551d9932-ab1a-444e-9e9b-45c90d9934a7,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -aacfab42-3d60-420a-9ef8-aedbe028198d,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -aacfab42-3d60-420a-9ef8-aedbe028198d,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -aacfab42-3d60-420a-9ef8-aedbe028198d,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -5f437a84-430b-46c8-b381-d258aa18d503,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -5f437a84-430b-46c8-b381-d258aa18d503,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -5f437a84-430b-46c8-b381-d258aa18d503,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -7b191a19-50cf-4d27-ac79-2a49df2fe84b,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -7b191a19-50cf-4d27-ac79-2a49df2fe84b,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -44ff473a-f584-4a80-a295-2db6b615fbfd,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -282bb4a8-54e4-4919-8bc8-6748158d461f,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -282bb4a8-54e4-4919-8bc8-6748158d461f,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -f3583c27-569d-48de-92e3-85cd3388bbeb,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -f3583c27-569d-48de-92e3-85cd3388bbeb,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -57529b6b-9f57-484a-8d2f-7d9bedd117bf,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -c1d6fdf3-9c17-4107-ad55-901d46315556,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -56ba5f7b-b7cf-4e6a-b662-021657926302,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -5002ac0a-fdea-4e2a-ac91-30c0444c6dc9,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -5002ac0a-fdea-4e2a-ac91-30c0444c6dc9,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -a165a0a6-ef38-4cab-b229-067ff3f39fda,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -fb8ef49a-2c36-447c-adb9-17387cee5e73,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -346350d6-114b-46d2-b2d4-1aaa0d429186,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -346350d6-114b-46d2-b2d4-1aaa0d429186,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -36031edc-54b1-4bdf-aea4-cc2ca772ca78,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -dadabddf-002a-48f9-9dac-402cfec2fab7,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -dadabddf-002a-48f9-9dac-402cfec2fab7,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -dadabddf-002a-48f9-9dac-402cfec2fab7,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -a89d00fb-49aa-49f0-ada7-c21666f718a2,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -a89d00fb-49aa-49f0-ada7-c21666f718a2,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -f33ec40f-aea4-42f6-88cf-056a3f3c3b22,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -f33ec40f-aea4-42f6-88cf-056a3f3c3b22,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -f33ec40f-aea4-42f6-88cf-056a3f3c3b22,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -6abd18d6-aa9a-461b-9165-1bba98d9bd0e,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -6abd18d6-aa9a-461b-9165-1bba98d9bd0e,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -6abd18d6-aa9a-461b-9165-1bba98d9bd0e,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -999437b1-71ed-4250-9c82-1e6dff59da18,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -999437b1-71ed-4250-9c82-1e6dff59da18,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -42a32257-930c-489a-b0f4-99d5db81ce8b,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -c5dc5cbc-2dd3-43e1-a48c-6cfc6a98a27a,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -c5dc5cbc-2dd3-43e1-a48c-6cfc6a98a27a,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -d2f0e8bd-563d-4c6c-9fd1-8d0bcb100ae6,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -f3ae00a6-c875-49b0-9eb4-946afe90ff48,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -f3ae00a6-c875-49b0-9eb4-946afe90ff48,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -4ae1d7f9-9e8a-4257-87e3-03321266f9d0,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -4ae1d7f9-9e8a-4257-87e3-03321266f9d0,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -4ae1d7f9-9e8a-4257-87e3-03321266f9d0,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -52ead1c8-9853-4b88-8a87-ba5937e8246b,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -bfd4c011-315f-46b2-94a7-10fe0f1478cc,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -bfd4c011-315f-46b2-94a7-10fe0f1478cc,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -685a1334-c7cd-4597-a5bc-7c53d93aa731,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -59dcda52-32c0-42ce-93ee-822a71b1c6fd,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -59dcda52-32c0-42ce-93ee-822a71b1c6fd,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -13482013-d0a6-4f1b-afce-0f1ef0d1b1bf,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -d0ee94ae-7e00-4b5a-9b1d-014329dbafd9,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -d0ee94ae-7e00-4b5a-9b1d-014329dbafd9,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -e576c284-979b-4904-ae6e-606b28afa0b8,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -e576c284-979b-4904-ae6e-606b28afa0b8,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -a89b75e6-f478-47a3-8a16-2168177d1ff5,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -a89b75e6-f478-47a3-8a16-2168177d1ff5,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -3baac898-8b67-4706-8d07-8ea60c025862,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -90e7421f-29bc-418d-b07b-38da82a671b8,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -90e7421f-29bc-418d-b07b-38da82a671b8,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -90e7421f-29bc-418d-b07b-38da82a671b8,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -a49827d4-77ae-4ff4-ad22-157fb762ad41,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -c13901ab-fd23-4919-b189-784d1f736a87,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -91fbe4b8-d81a-4347-9f2f-0d6cc77ed400,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -91fbe4b8-d81a-4347-9f2f-0d6cc77ed400,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -09a9337e-2384-44c9-84e3-cfb43933fefc,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -52dd9809-ac4f-4d7a-baa6-e990f3c5529b,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -52dd9809-ac4f-4d7a-baa6-e990f3c5529b,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -52dd9809-ac4f-4d7a-baa6-e990f3c5529b,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -00780bf7-2fe7-432f-9b40-4e409a72973e,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -00780bf7-2fe7-432f-9b40-4e409a72973e,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -00780bf7-2fe7-432f-9b40-4e409a72973e,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -5a980e23-592b-4c85-a8c4-8848177a676e,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -5a980e23-592b-4c85-a8c4-8848177a676e,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -5a980e23-592b-4c85-a8c4-8848177a676e,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -2d853d66-3499-494c-8632-4579aad3340d,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -2d853d66-3499-494c-8632-4579aad3340d,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -ca9bda78-cd75-4984-8d00-3b4c88f0c162,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -ca9bda78-cd75-4984-8d00-3b4c88f0c162,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -277f502b-a5b1-455f-bb47-ad71c834a28b,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -277f502b-a5b1-455f-bb47-ad71c834a28b,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -c9de287d-420f-4036-83b4-dc4bf4cb1bda,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -c9de287d-420f-4036-83b4-dc4bf4cb1bda,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -c9de287d-420f-4036-83b4-dc4bf4cb1bda,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -a11c9930-b64e-4f10-a48f-fee7f159f79b,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -0a490cbf-8eb5-4d35-aa14-8b3ae824ed47,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -738e4b33-7f51-4f42-9c95-2a068adf3f2d,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -c3119cdf-02cb-48e2-8352-e28330efd70f,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -a37efc6b-b2f0-47f2-b629-3d22455bfe42,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -ebac3304-13a4-4139-820d-8a117a033c65,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -b5320398-96b7-4311-8972-3f304129bfc1,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -b5320398-96b7-4311-8972-3f304129bfc1,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -b5320398-96b7-4311-8972-3f304129bfc1,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -bb52b081-d55a-4d3c-b9fc-5b092ee031d4,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -bb52b081-d55a-4d3c-b9fc-5b092ee031d4,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -1e9b5979-89cf-4953-9544-b3fb2b81545f,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -1e9b5979-89cf-4953-9544-b3fb2b81545f,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -1e9b5979-89cf-4953-9544-b3fb2b81545f,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -57d54594-3ec7-432d-a7a3-90601546a82d,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -83394033-a6dd-4c6a-91b7-9ebbdf6ab6e0,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -21ddd287-cd24-4a9f-b5c6-1b17e18974c8,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -21ddd287-cd24-4a9f-b5c6-1b17e18974c8,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -76763f0b-7bba-4c72-b1af-d0c76d696ff1,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -76763f0b-7bba-4c72-b1af-d0c76d696ff1,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -1fde4141-4b54-42fd-83d8-343ae75b8559,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -f5140fbe-af6c-4671-9eb2-58c825ff341b,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -f5140fbe-af6c-4671-9eb2-58c825ff341b,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -f5140fbe-af6c-4671-9eb2-58c825ff341b,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -4d5f6209-9f72-4ad2-b7d5-c07c94bba2af,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -4d5f6209-9f72-4ad2-b7d5-c07c94bba2af,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -4d5f6209-9f72-4ad2-b7d5-c07c94bba2af,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -6f80c72c-bcb3-4d3a-8fbe-10048f080d43,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -6f80c72c-bcb3-4d3a-8fbe-10048f080d43,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -6f80c72c-bcb3-4d3a-8fbe-10048f080d43,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -7e9eb5bf-7829-4ec5-8227-d0bbdbef76d2,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -7e9eb5bf-7829-4ec5-8227-d0bbdbef76d2,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -7e9eb5bf-7829-4ec5-8227-d0bbdbef76d2,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -ac1f2365-14bc-4820-9899-93bb402dc594,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -ac1f2365-14bc-4820-9899-93bb402dc594,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -6f001fd2-846c-45f4-8b97-cdace8198aa0,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -992488f5-3a8b-4168-836a-6b945ee0b992,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -992488f5-3a8b-4168-836a-6b945ee0b992,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -992488f5-3a8b-4168-836a-6b945ee0b992,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -f889f8b8-45f8-427c-8b49-d63697440e66,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -3dff0216-ed41-431e-9e71-657f2b6325cc,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -3dff0216-ed41-431e-9e71-657f2b6325cc,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -d823450b-b10d-4f06-8009-7ef78e459cd3,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -d823450b-b10d-4f06-8009-7ef78e459cd3,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -d823450b-b10d-4f06-8009-7ef78e459cd3,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -b4681c25-81cc-4fee-82bc-55df1185ce66,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -0f1361dd-c725-4ff7-8cac-b287db691e19,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -0f1361dd-c725-4ff7-8cac-b287db691e19,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -541e2634-2bdd-44fd-a00a-de536da46439,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -538448d0-7b58-4d61-8ec0-e4e5ae04ab15,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -538448d0-7b58-4d61-8ec0-e4e5ae04ab15,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -fa3e1cad-9ed3-4073-9031-bd951187f5d3,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -26730282-94de-45ef-bac3-0fb7ef7e2f0f,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -de3068a7-edc8-40ca-beee-3e6bfde740dc,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -de3068a7-edc8-40ca-beee-3e6bfde740dc,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -de3068a7-edc8-40ca-beee-3e6bfde740dc,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -23461a6f-7d99-47f6-a1a8-236011791b64,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -23461a6f-7d99-47f6-a1a8-236011791b64,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -23461a6f-7d99-47f6-a1a8-236011791b64,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -b8eed573-d077-4164-b29f-c53d052b00ea,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -b8eed573-d077-4164-b29f-c53d052b00ea,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -52ff5c8f-0ea2-4a45-a005-d5a128f64647,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -95e27ca0-5aef-478e-b960-a139e900698f,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -e75826b3-a9f8-4e65-bd4b-cce7e1d6f196,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -e75826b3-a9f8-4e65-bd4b-cce7e1d6f196,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -aa5031e6-cfbf-4eb3-affc-2d1df78fecec,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -aa5031e6-cfbf-4eb3-affc-2d1df78fecec,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -fd2b049f-104d-41a5-a493-bfb029916f08,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -fd2b049f-104d-41a5-a493-bfb029916f08,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -fd2b049f-104d-41a5-a493-bfb029916f08,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -bdc01d2c-e15d-40c8-9d18-40c7b437a066,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -49da1082-e09d-47e3-921c-e787e3bc30e1,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -2a193a46-d5b7-488c-8294-eddc1d19819f,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -b0d70afb-4222-47d1-998a-b06294d7b478,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -b0d70afb-4222-47d1-998a-b06294d7b478,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -dac71a6e-8d36-4033-9c30-ec8d606ac290,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -dac71a6e-8d36-4033-9c30-ec8d606ac290,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -874d71f4-18cc-4cf5-b03f-9b193da2e082,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -874d71f4-18cc-4cf5-b03f-9b193da2e082,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -874d71f4-18cc-4cf5-b03f-9b193da2e082,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -b2bb77c9-4897-4bf5-a89e-011df8acb81c,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -7171b16b-90ca-4bc9-8c12-bbbf90c1823f,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -7171b16b-90ca-4bc9-8c12-bbbf90c1823f,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -7171b16b-90ca-4bc9-8c12-bbbf90c1823f,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -f3c0556f-4ea6-4d73-a910-e457f86058df,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -f3c0556f-4ea6-4d73-a910-e457f86058df,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -f3c0556f-4ea6-4d73-a910-e457f86058df,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -02d5cece-6db8-4b40-8c31-e6453ae2d813,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -03954bc7-db9a-4af6-bbf2-4ebabed0a301,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -03954bc7-db9a-4af6-bbf2-4ebabed0a301,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -ff4a9c16-a213-4091-811d-78f18da56f1e,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -ff4a9c16-a213-4091-811d-78f18da56f1e,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -ff4a9c16-a213-4091-811d-78f18da56f1e,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -8c411148-9957-449d-8725-9037e7b46192,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -8c411148-9957-449d-8725-9037e7b46192,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -ed29c85d-b8e0-4b61-99f3-c4dfb7e46baa,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -ed29c85d-b8e0-4b61-99f3-c4dfb7e46baa,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -2b306ae6-073c-4ae2-8b4e-e6bfe21bd577,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -2b306ae6-073c-4ae2-8b4e-e6bfe21bd577,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -2b306ae6-073c-4ae2-8b4e-e6bfe21bd577,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -b2bda5c7-fac3-44a4-b823-a485a662d2a6,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -b2bda5c7-fac3-44a4-b823-a485a662d2a6,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -c80eefd5-1fcc-43d4-811d-9314b9b4b069,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -c80eefd5-1fcc-43d4-811d-9314b9b4b069,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -0505cd43-5f1a-414b-8350-919410cf0e02,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -0505cd43-5f1a-414b-8350-919410cf0e02,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -a5d2c73f-b936-430e-a3ae-69d67e1829a4,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -a5d2c73f-b936-430e-a3ae-69d67e1829a4,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -a5d2c73f-b936-430e-a3ae-69d67e1829a4,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -f777edf6-d31b-41d5-9cc7-6a25c0fc4d55,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -f777edf6-d31b-41d5-9cc7-6a25c0fc4d55,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -f777edf6-d31b-41d5-9cc7-6a25c0fc4d55,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -6ef4292a-5fab-418d-bb44-5be8defb2827,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -6ef4292a-5fab-418d-bb44-5be8defb2827,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -6ef4292a-5fab-418d-bb44-5be8defb2827,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -97a4c9ef-9898-4a0d-912b-9b8b5e5341fa,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -97a4c9ef-9898-4a0d-912b-9b8b5e5341fa,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -97a4c9ef-9898-4a0d-912b-9b8b5e5341fa,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -981c7910-834c-4a80-a75e-f4f0b45a7438,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -981c7910-834c-4a80-a75e-f4f0b45a7438,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -981c7910-834c-4a80-a75e-f4f0b45a7438,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -662e2dac-2ffc-4d13-8fef-8e0ca9467ac8,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -662e2dac-2ffc-4d13-8fef-8e0ca9467ac8,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -662e2dac-2ffc-4d13-8fef-8e0ca9467ac8,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -d19562ea-705d-4968-8ff4-17841890e808,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -d19562ea-705d-4968-8ff4-17841890e808,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -550c5363-1d02-41e0-9cce-783b51b51713,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -4470f167-f4b9-4f3c-b0ea-b3cfbd6cf60d,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -17ac86e2-22b8-4ec1-8e5e-4043bc42d7e5,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -b4c07e54-9a66-460a-8934-4cd26ef0423c,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -68677ae0-43a9-4e24-a5d0-2678c976cdee,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -a2a6fb03-73fb-4520-9c3d-9d4673c03e1e,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -a2a6fb03-73fb-4520-9c3d-9d4673c03e1e,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -880c995f-cc31-46d0-9e33-1f40ed25659b,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -5534c5b8-d862-4072-88cf-615caab53742,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -5534c5b8-d862-4072-88cf-615caab53742,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -5534c5b8-d862-4072-88cf-615caab53742,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -2660791a-cf39-480f-8eb5-66de1ebe9ee4,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -ba160d23-1ddc-42a0-8b5e-c6518ffd1d3b,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -ba160d23-1ddc-42a0-8b5e-c6518ffd1d3b,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -31f301c9-3344-4872-9caa-3b576e425961,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -31f301c9-3344-4872-9caa-3b576e425961,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -31f301c9-3344-4872-9caa-3b576e425961,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -08a8fcb9-bfc3-4787-af3a-b7ed92417189,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -08a8fcb9-bfc3-4787-af3a-b7ed92417189,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -08a8fcb9-bfc3-4787-af3a-b7ed92417189,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -32b11c18-35bf-4e54-aad0-87905fbdc500,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -32b11c18-35bf-4e54-aad0-87905fbdc500,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -a6917d0d-e2b8-40f9-ab2f-c85dd463df4d,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -a6917d0d-e2b8-40f9-ab2f-c85dd463df4d,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -900b7693-7baf-4eba-bc15-813109e228b4,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -900b7693-7baf-4eba-bc15-813109e228b4,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -231db967-1725-48bd-89d7-d714eba57cb8,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -231db967-1725-48bd-89d7-d714eba57cb8,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -231db967-1725-48bd-89d7-d714eba57cb8,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -cd930851-c662-4d9a-9ba7-e7fa3320e4bb,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -82f5f02a-7d75-4410-805f-1e4731be86e8,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -82f5f02a-7d75-4410-805f-1e4731be86e8,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -82f5f02a-7d75-4410-805f-1e4731be86e8,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -1387d35e-2cc6-4a81-9a82-34bc3e748d19,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -5c57aa01-1c13-437b-92e1-e70d0df94ea0,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -bc4727ee-6b08-4324-b8e4-b384acae36cd,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -bc4727ee-6b08-4324-b8e4-b384acae36cd,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -29703920-b933-4c63-8d6e-e791be03e87c,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -2b9c215c-30af-4d58-8af3-8be155ead498,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -7c4a90b7-4ad0-4e71-a560-1b23939fecfc,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -ea52d1f0-b787-4a8f-a187-580932e85f6d,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -a3a571e3-2a93-499c-87d9-489d968a8d47,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -88e71f96-015f-46c4-9db1-3150bb221663,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -88e71f96-015f-46c4-9db1-3150bb221663,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -88e71f96-015f-46c4-9db1-3150bb221663,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -5d9036ad-03a3-4fbc-951e-52e5667e8121,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -5d9036ad-03a3-4fbc-951e-52e5667e8121,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -5d9036ad-03a3-4fbc-951e-52e5667e8121,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -f928d289-f7f5-4c18-b332-c8e95ef54b06,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -f928d289-f7f5-4c18-b332-c8e95ef54b06,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -6e245160-6af3-4744-a3b0-5c7f9123ce0e,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -6e245160-6af3-4744-a3b0-5c7f9123ce0e,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -42f995cd-e040-4437-bb68-175663adcce5,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -42f995cd-e040-4437-bb68-175663adcce5,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -e57179d8-ca41-4072-aa00-e2cb4d42d2ae,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -e57179d8-ca41-4072-aa00-e2cb4d42d2ae,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -e57179d8-ca41-4072-aa00-e2cb4d42d2ae,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -a061acfb-1a89-4187-b5bc-c63b45db6a62,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -a061acfb-1a89-4187-b5bc-c63b45db6a62,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -a061acfb-1a89-4187-b5bc-c63b45db6a62,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -5487bc7d-69e3-439b-b71d-6b6eaaa3b759,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -5487bc7d-69e3-439b-b71d-6b6eaaa3b759,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -5487bc7d-69e3-439b-b71d-6b6eaaa3b759,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -e0d957ad-514f-4346-ae91-ea0f38b200ca,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -e0d957ad-514f-4346-ae91-ea0f38b200ca,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -e0d957ad-514f-4346-ae91-ea0f38b200ca,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -46572fcd-d239-4b8d-9122-b6297a2164e0,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -46572fcd-d239-4b8d-9122-b6297a2164e0,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -edddeb8f-98be-40d4-ba89-ee6c0856a579,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -edddeb8f-98be-40d4-ba89-ee6c0856a579,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -edddeb8f-98be-40d4-ba89-ee6c0856a579,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -1fdd8d51-cef8-48e4-b2c9-419b2b2fd039,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -db5260e2-4003-422f-8c11-a8c917f1d3dc,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -6cba13c8-1ac3-44fe-bff0-9d6f12321482,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -b90871e2-2b36-44c2-9385-0b5e3221df97,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -b90871e2-2b36-44c2-9385-0b5e3221df97,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -b90871e2-2b36-44c2-9385-0b5e3221df97,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -6d1a86bc-2678-470a-abba-3ac6dc7dd641,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -6d1a86bc-2678-470a-abba-3ac6dc7dd641,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -7c371781-a7d3-4ac0-aa3a-f4970fa68f74,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -7c371781-a7d3-4ac0-aa3a-f4970fa68f74,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -7c371781-a7d3-4ac0-aa3a-f4970fa68f74,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -bb1999a2-5a7f-41a3-a890-2b94f6d473f2,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -bb1999a2-5a7f-41a3-a890-2b94f6d473f2,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -bb1999a2-5a7f-41a3-a890-2b94f6d473f2,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -dadec4cd-c6ff-4080-9b47-331c60b5f007,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -892bc2ab-de2f-498d-9c21-de1f030f4636,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -892bc2ab-de2f-498d-9c21-de1f030f4636,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -892bc2ab-de2f-498d-9c21-de1f030f4636,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -0e3f7cf5-89f4-4d7d-8708-a80e13165ac4,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -98978f7c-337e-49e3-99bb-387a417d3225,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -98978f7c-337e-49e3-99bb-387a417d3225,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -98978f7c-337e-49e3-99bb-387a417d3225,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -f8fc8d5c-9563-45be-b137-098d55fa08ec,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -f8fc8d5c-9563-45be-b137-098d55fa08ec,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -f8fc8d5c-9563-45be-b137-098d55fa08ec,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -7b6fc367-8ae2-4447-a2b7-9cce9a1a2dfb,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -4b29b33c-f917-42e0-9f42-f10e081ba9e5,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -429e69ce-306a-4905-add5-1fe44e04827f,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -429e69ce-306a-4905-add5-1fe44e04827f,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -dae7f037-546c-427e-8a8a-7131ee23c97e,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -dae7f037-546c-427e-8a8a-7131ee23c97e,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -dae7f037-546c-427e-8a8a-7131ee23c97e,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -4c3481d4-f82a-453e-a0b8-4f24a9ed81e7,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -4c3481d4-f82a-453e-a0b8-4f24a9ed81e7,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -41ceecc6-c47b-4a39-a33d-0b0d9caea4a4,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -41ceecc6-c47b-4a39-a33d-0b0d9caea4a4,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -4ef1e9c7-3397-4b66-81a7-2d6f97552854,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -4ef1e9c7-3397-4b66-81a7-2d6f97552854,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -4ef1e9c7-3397-4b66-81a7-2d6f97552854,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -f825779d-4f28-4ef9-9987-16a4004f3343,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -f825779d-4f28-4ef9-9987-16a4004f3343,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -55e8c89e-71c4-49db-934c-48e78572771c,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -3b7c1a6d-4908-4c3f-baad-a4307184b78c,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -3b7c1a6d-4908-4c3f-baad-a4307184b78c,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -3b7c1a6d-4908-4c3f-baad-a4307184b78c,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -d4a7838a-0774-4769-ab0a-6de42c354fe2,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -d4a7838a-0774-4769-ab0a-6de42c354fe2,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -d4a7838a-0774-4769-ab0a-6de42c354fe2,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -3bc21fcd-6a5b-4568-9837-b2d82c86c03b,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -3bc21fcd-6a5b-4568-9837-b2d82c86c03b,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -50b37691-6f4a-4980-9a4d-5fd63bac4228,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -50b37691-6f4a-4980-9a4d-5fd63bac4228,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -50b37691-6f4a-4980-9a4d-5fd63bac4228,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -2750439d-997f-414e-b63e-a569fb7953cc,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -2750439d-997f-414e-b63e-a569fb7953cc,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -2750439d-997f-414e-b63e-a569fb7953cc,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -f8c4afa6-0361-47d5-affb-dd1d10694720,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -15748186-5784-4436-9f0d-20c4622d3e4d,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -15748186-5784-4436-9f0d-20c4622d3e4d,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -919145a2-9cec-4454-bb2f-230b263d1b7c,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -919145a2-9cec-4454-bb2f-230b263d1b7c,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -919145a2-9cec-4454-bb2f-230b263d1b7c,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -c688b58f-e477-4bb1-87a7-fc39e24b0359,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -5532ef3c-ce0e-4e53-b585-c7d881612b88,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -6dcca2b7-7f66-43af-9ac8-f98698f37390,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -ca06bb47-7641-45f0-b2cc-c7f457dd995e,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -ca06bb47-7641-45f0-b2cc-c7f457dd995e,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -ca06bb47-7641-45f0-b2cc-c7f457dd995e,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -3246b284-e70b-45a2-88ff-1394205a04f7,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -3246b284-e70b-45a2-88ff-1394205a04f7,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -2f99144d-67b5-4ff2-835c-b57a2221f5e6,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -7b90e8a6-fa59-4459-adcd-55bb271ca8f3,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -7b90e8a6-fa59-4459-adcd-55bb271ca8f3,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -7b90e8a6-fa59-4459-adcd-55bb271ca8f3,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -399d1108-f25d-4cec-9220-f51c40a9343e,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -399d1108-f25d-4cec-9220-f51c40a9343e,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -2483bd13-3c34-45d1-80d3-9e92c882efda,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -2483bd13-3c34-45d1-80d3-9e92c882efda,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -2483bd13-3c34-45d1-80d3-9e92c882efda,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -d975d526-75b1-407e-914e-38408fab75e0,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -3679d2a8-d5f6-4f08-9d4d-fcfbcc297cbd,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -3679d2a8-d5f6-4f08-9d4d-fcfbcc297cbd,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -049be8aa-e3d3-4f14-8e28-e66310713598,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -049be8aa-e3d3-4f14-8e28-e66310713598,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -049be8aa-e3d3-4f14-8e28-e66310713598,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -647241d3-28dc-4720-96d3-f47796eaec74,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -647241d3-28dc-4720-96d3-f47796eaec74,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -6ce5ffcc-65d5-4c1c-b5be-ca273e0f4e74,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -6ce5ffcc-65d5-4c1c-b5be-ca273e0f4e74,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -6ce5ffcc-65d5-4c1c-b5be-ca273e0f4e74,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -fc481fe9-0c3e-4090-9143-a770af65d613,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -fc481fe9-0c3e-4090-9143-a770af65d613,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -af34b0ac-63c2-4ee5-bf94-ee988a397127,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -af34b0ac-63c2-4ee5-bf94-ee988a397127,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -bf93e6f8-52e3-49d9-9f6d-7b80b9dad94d,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -8a771a08-8df8-4bba-b3a1-ad9480f98674,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -8a771a08-8df8-4bba-b3a1-ad9480f98674,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -8a771a08-8df8-4bba-b3a1-ad9480f98674,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -b0de4db5-15d7-4a3f-930f-972cc7dc1549,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -18cd4022-89bf-466e-8aa5-1775fe4c5539,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -73a35346-f462-4491-8eb8-dafb4f1e0387,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -a8d084d9-05ed-4a7b-9c50-e41392c0a6b8,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -a8d084d9-05ed-4a7b-9c50-e41392c0a6b8,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -a8d084d9-05ed-4a7b-9c50-e41392c0a6b8,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -5c69c65c-370c-403a-9df0-4e3e9a667092,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -5c69c65c-370c-403a-9df0-4e3e9a667092,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -2feebdeb-aa1a-4d23-bd7a-58af8c606212,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -2feebdeb-aa1a-4d23-bd7a-58af8c606212,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -d84ed42d-10e4-488b-8718-abf6126a0421,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -d84ed42d-10e4-488b-8718-abf6126a0421,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -5b60d13c-6f56-437e-b613-71404e0694e3,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -5b60d13c-6f56-437e-b613-71404e0694e3,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -5b60d13c-6f56-437e-b613-71404e0694e3,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -79f9b304-1dc4-4673-87f9-d68a69074f9b,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -38373e44-a1fc-41b4-80c8-31e2d98bed80,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -38373e44-a1fc-41b4-80c8-31e2d98bed80,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -38373e44-a1fc-41b4-80c8-31e2d98bed80,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -f5ac6c9b-3c17-4927-9021-a41f122b4bdc,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -f5ac6c9b-3c17-4927-9021-a41f122b4bdc,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -f5ac6c9b-3c17-4927-9021-a41f122b4bdc,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -f0f056b8-ec3b-4373-9520-94df7e435c30,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -f0f056b8-ec3b-4373-9520-94df7e435c30,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -30c7931c-5096-4806-b02b-9f0e92ced412,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -30c7931c-5096-4806-b02b-9f0e92ced412,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -30c7931c-5096-4806-b02b-9f0e92ced412,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -4e5553c2-2486-4061-9154-247186a648e5,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -9668bd19-59a2-4631-971e-f7692a5dd8e4,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -9079a787-9522-4a52-99cf-8ed6b735fa0b,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -4268a177-81c2-4fdc-be4d-3808faaa69f3,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -4268a177-81c2-4fdc-be4d-3808faaa69f3,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -1db70aa3-a627-4888-bb3e-1031bbd4ec4c,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -1db70aa3-a627-4888-bb3e-1031bbd4ec4c,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -1db70aa3-a627-4888-bb3e-1031bbd4ec4c,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -98e131d0-0f55-4cfd-816d-7c2f69ce37ff,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -98e131d0-0f55-4cfd-816d-7c2f69ce37ff,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -98e131d0-0f55-4cfd-816d-7c2f69ce37ff,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -7e0663fe-2f60-44c0-a972-bb4ca1726b1b,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -7e0663fe-2f60-44c0-a972-bb4ca1726b1b,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -d90251a3-0b26-48b9-baa8-7c18a70c9ead,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -622f314c-4688-463f-adff-6ad354eed7e5,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -622f314c-4688-463f-adff-6ad354eed7e5,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -24c21015-7f36-4e64-955d-75a5bc4094fe,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -1441ec78-aa3e-4e14-a62d-9bd0bee9df2b,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -1441ec78-aa3e-4e14-a62d-9bd0bee9df2b,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -0f874e94-8f92-4d51-8cbc-b1701ee5756c,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -0f874e94-8f92-4d51-8cbc-b1701ee5756c,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -aabe4ff7-bf9c-4333-9dd9-230ce04c2795,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -aabe4ff7-bf9c-4333-9dd9-230ce04c2795,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -69b40b38-30e2-4580-8586-05529e9e2fea,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -69b40b38-30e2-4580-8586-05529e9e2fea,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -47bd1aa5-dfab-4de8-9c54-a5944e87cc91,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -65023b3f-bca9-4117-8a89-e2435174da58,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -65023b3f-bca9-4117-8a89-e2435174da58,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -2947d473-144d-4471-96ae-db89e772f5b2,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -4198dcbc-cf09-44c5-868f-ed304437d024,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -4198dcbc-cf09-44c5-868f-ed304437d024,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -6ff907c2-115e-4dc8-8344-cab489b39e1b,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -3c2e1e05-6606-4211-8e2e-87f4bc74dbd0,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -3c2e1e05-6606-4211-8e2e-87f4bc74dbd0,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -3c2e1e05-6606-4211-8e2e-87f4bc74dbd0,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -dcddc1d7-d556-4858-9e1c-acccc145d370,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -dcddc1d7-d556-4858-9e1c-acccc145d370,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -dcddc1d7-d556-4858-9e1c-acccc145d370,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -4b73e385-5480-401f-aa1e-cf5e28b3111e,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -4b73e385-5480-401f-aa1e-cf5e28b3111e,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -4b73e385-5480-401f-aa1e-cf5e28b3111e,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -0098f9f6-9dfd-49de-a4a8-16c58de795f7,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -0098f9f6-9dfd-49de-a4a8-16c58de795f7,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -ba959d43-d7af-4f6b-8020-ba9a4733c3f3,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -ba959d43-d7af-4f6b-8020-ba9a4733c3f3,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -ba959d43-d7af-4f6b-8020-ba9a4733c3f3,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -b987ab19-7a14-4d93-b580-4a695102c2f4,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -b987ab19-7a14-4d93-b580-4a695102c2f4,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -b987ab19-7a14-4d93-b580-4a695102c2f4,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -9f3cc835-adf6-494e-a175-90ff2079420e,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -9f3cc835-adf6-494e-a175-90ff2079420e,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -9f3cc835-adf6-494e-a175-90ff2079420e,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -ce436738-e780-481d-ab95-123f8b04796e,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -ce436738-e780-481d-ab95-123f8b04796e,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -ce436738-e780-481d-ab95-123f8b04796e,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -b9424b2a-98de-422d-ad6d-cf2e28fa2463,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -ee42d264-cc2c-4038-873c-e5e3f717bd6f,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -ee42d264-cc2c-4038-873c-e5e3f717bd6f,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -41239828-c08b-4ee7-b8f9-2de3841288b4,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -89a97074-01f5-4aaa-8189-68e7788aeb69,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -479d19c2-43d7-4056-bae4-e7485760c95d,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -ff9d4e88-d78b-4062-a24c-a25ef10dcf6b,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -ff9d4e88-d78b-4062-a24c-a25ef10dcf6b,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -acdbfded-0ad8-46a9-b64f-96b10572d5c5,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -acdbfded-0ad8-46a9-b64f-96b10572d5c5,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -acdbfded-0ad8-46a9-b64f-96b10572d5c5,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -189894fd-cc9d-41be-aef5-8013b1b0a1e4,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -189894fd-cc9d-41be-aef5-8013b1b0a1e4,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -189894fd-cc9d-41be-aef5-8013b1b0a1e4,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -67292e44-0a14-426f-9ddb-f08ed9dd494c,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -8f53d633-4474-4b72-bdf8-1ab5454d9793,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -8f53d633-4474-4b72-bdf8-1ab5454d9793,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -9d9df672-cd13-4cb9-8c77-d7da52f46eaa,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -9d9df672-cd13-4cb9-8c77-d7da52f46eaa,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -3d9f58d7-8019-40cd-b7a1-a0c8222fc5cc,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -acbc8456-e855-4b43-adb6-6ecf8d6b4336,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -45542fdc-98b2-4eac-95db-6adc72a41c02,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -f1149f9d-8759-469f-a71c-8eaf136421e2,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -c022a9d5-7e6c-4a63-8c18-54c0e9f54937,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -a2502352-b1e9-4fc9-baaa-0c10402e6586,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -a2502352-b1e9-4fc9-baaa-0c10402e6586,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -43f0fee6-678a-4f3e-b4d5-f8e0911c68e2,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -4d6225be-8671-43d7-b62b-6f995992b87c,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -4d6225be-8671-43d7-b62b-6f995992b87c,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -4d6225be-8671-43d7-b62b-6f995992b87c,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -b3f8334b-f576-4a72-945a-02d62752df0d,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -47bbec41-3488-4c11-8bda-b9eaf7245836,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -47bbec41-3488-4c11-8bda-b9eaf7245836,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -47bbec41-3488-4c11-8bda-b9eaf7245836,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -c5dfda10-af9e-436f-b25b-e6f3328549d5,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -c5dfda10-af9e-436f-b25b-e6f3328549d5,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -c5dfda10-af9e-436f-b25b-e6f3328549d5,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -c2b39158-036b-43fe-a425-a05759687322,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -c2b39158-036b-43fe-a425-a05759687322,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -c2b39158-036b-43fe-a425-a05759687322,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -48a2de9a-e182-4410-8e5b-d57bf7ac7ece,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -10a99208-4615-4120-8ad6-ba7d268a81b0,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -10a99208-4615-4120-8ad6-ba7d268a81b0,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -10a99208-4615-4120-8ad6-ba7d268a81b0,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -73d3155b-71ed-4864-8418-aaac18b1e680,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -02c323a8-b977-4e3e-a3fa-4286cdbab335,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -02c323a8-b977-4e3e-a3fa-4286cdbab335,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -68aef6a1-f7f9-4b48-aad3-1a5683f1df0e,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -88f1bdfa-a044-47ae-90c0-df269adb1e41,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -88f1bdfa-a044-47ae-90c0-df269adb1e41,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -633b8c6d-ef1b-46b7-9521-0ac8e9a49f7b,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -b4b555e6-7c9f-48a6-a043-84493003a8f4,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -b1e3f705-f364-4bcd-b528-38d074864224,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -b1e3f705-f364-4bcd-b528-38d074864224,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -b1e3f705-f364-4bcd-b528-38d074864224,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -5a10532f-fedf-4300-be10-dc2af1892fa5,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -5a10532f-fedf-4300-be10-dc2af1892fa5,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -bebaff98-27e6-48c3-a77c-aca330ef99b8,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -bebaff98-27e6-48c3-a77c-aca330ef99b8,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -87204f6f-ece5-4ecb-b299-91751bf40a0e,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -87204f6f-ece5-4ecb-b299-91751bf40a0e,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -87204f6f-ece5-4ecb-b299-91751bf40a0e,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -b06f6368-5ac9-4084-8314-771d72d3ce3c,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -b06f6368-5ac9-4084-8314-771d72d3ce3c,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -1fafe7fa-1b71-42ed-9baa-b60212d2bfc9,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -1fafe7fa-1b71-42ed-9baa-b60212d2bfc9,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -8eb763a0-f5ce-42ed-9885-79fd926e892b,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -8c553da6-0785-4529-bffa-e923b9cb5a01,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -8c553da6-0785-4529-bffa-e923b9cb5a01,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -8c553da6-0785-4529-bffa-e923b9cb5a01,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -2c5cb582-5bf0-4558-a930-e84282e4a15e,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -2c5cb582-5bf0-4558-a930-e84282e4a15e,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -2c5cb582-5bf0-4558-a930-e84282e4a15e,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -c27c6efc-cc67-4333-83d6-30ae0b37ba69,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -c27c6efc-cc67-4333-83d6-30ae0b37ba69,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -170ce1bb-7ec7-4967-a4cd-be6de05eb79f,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -95393266-f322-403c-b10e-78f1ac16347e,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -95393266-f322-403c-b10e-78f1ac16347e,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -205fb198-67b6-4cfe-8e9c-9a0b9c81c742,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -205fb198-67b6-4cfe-8e9c-9a0b9c81c742,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -205fb198-67b6-4cfe-8e9c-9a0b9c81c742,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -aecfc63b-1de8-4d7d-abd4-698ea5f1a0b5,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -301250cc-d5c6-4a65-bf36-28bc02a65564,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -301250cc-d5c6-4a65-bf36-28bc02a65564,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -301250cc-d5c6-4a65-bf36-28bc02a65564,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -f2d1eefd-b21a-4312-9b9e-7f10403a05c3,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -f2d1eefd-b21a-4312-9b9e-7f10403a05c3,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -f2d1eefd-b21a-4312-9b9e-7f10403a05c3,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -a7c2f9d7-c1d4-4e50-8f4e-1eb830af83f5,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -a7c2f9d7-c1d4-4e50-8f4e-1eb830af83f5,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -a7c2f9d7-c1d4-4e50-8f4e-1eb830af83f5,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -14d837e9-f542-4db9-9fbd-f92848789c21,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -d8764e5f-0d4f-46dd-a2a5-fc9c697000f9,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -0291ea54-7970-475e-b172-a2b3301427f6,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -0291ea54-7970-475e-b172-a2b3301427f6,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -832852df-b29f-4f50-9484-ef1eeb88de25,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -832852df-b29f-4f50-9484-ef1eeb88de25,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -c1e9aa7b-8a73-42eb-b7f2-0c0d01974738,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -701bbee3-c908-4d41-9ec3-5a169311200d,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -bce6da5d-b1c8-499a-b4e5-de701a33bc58,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -4d993833-2c78-446f-a676-876e366f961c,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -4d993833-2c78-446f-a676-876e366f961c,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -4d993833-2c78-446f-a676-876e366f961c,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -160b648e-777a-4aa0-b741-cac74c79f325,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -160b648e-777a-4aa0-b741-cac74c79f325,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -160b648e-777a-4aa0-b741-cac74c79f325,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -40f3b456-4059-44df-be2f-f4ecb246b87e,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -b5f9e2b4-82ee-4d54-85af-ff937b006f92,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -b5f9e2b4-82ee-4d54-85af-ff937b006f92,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -bc4fc6c4-3af7-475b-beda-d43f35ded084,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -bc4fc6c4-3af7-475b-beda-d43f35ded084,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -bc4fc6c4-3af7-475b-beda-d43f35ded084,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -59d92e73-b888-4564-8a15-be55410a157e,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -2f01e2e2-c7e8-43bc-9e79-ce9de3176654,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -2f01e2e2-c7e8-43bc-9e79-ce9de3176654,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -2f01e2e2-c7e8-43bc-9e79-ce9de3176654,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -7e0995ef-727f-4c9d-8b1a-cfb7972a1e1a,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -7e0995ef-727f-4c9d-8b1a-cfb7972a1e1a,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -cee13d20-8aba-4b04-bb75-43e55448a4a6,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -cee13d20-8aba-4b04-bb75-43e55448a4a6,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -cee13d20-8aba-4b04-bb75-43e55448a4a6,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -1e68f244-4cc4-41d9-ad7c-67c55e6fb1d3,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -1e68f244-4cc4-41d9-ad7c-67c55e6fb1d3,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -e58cb996-6f06-406d-947c-9eb4f0540efd,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -ade408c9-bb4e-4399-984c-9389c48322a9,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -ade408c9-bb4e-4399-984c-9389c48322a9,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -8a3a8f86-c25b-4419-be35-75a1b7697881,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -2f884b3a-27e3-4d0e-9099-32b82bc7995e,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -2f884b3a-27e3-4d0e-9099-32b82bc7995e,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -7ed58f91-5d5f-4d34-8a31-9a9d14e79f3d,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -7ed58f91-5d5f-4d34-8a31-9a9d14e79f3d,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -61dfa6de-a4ce-4bca-963d-18b25f7ebdfe,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -61dfa6de-a4ce-4bca-963d-18b25f7ebdfe,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -cc568905-fcb8-4831-aa25-a5785a9a2014,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -cc568905-fcb8-4831-aa25-a5785a9a2014,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -cc568905-fcb8-4831-aa25-a5785a9a2014,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -7ea2db83-7e43-4e15-806e-29232b57140e,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -7ea2db83-7e43-4e15-806e-29232b57140e,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -9729887b-532a-4b33-ab77-acd516ba32dd,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -9729887b-532a-4b33-ab77-acd516ba32dd,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -a1786872-2f2a-4eaf-9394-cfd6c78ee134,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -a1786872-2f2a-4eaf-9394-cfd6c78ee134,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -85ee81b6-3806-41f4-93b9-1faaa3119dce,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -28729651-6011-48f7-b4ec-ce0b6d909680,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -ed7be0cc-0770-46b9-9602-7a26a24b4a27,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -ed7be0cc-0770-46b9-9602-7a26a24b4a27,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -b7e11a8c-4b99-4ff8-ae9f-50abf09939bd,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -b7e11a8c-4b99-4ff8-ae9f-50abf09939bd,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -7f586609-11b2-4b24-a6b7-147366760af3,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -7f586609-11b2-4b24-a6b7-147366760af3,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -7f586609-11b2-4b24-a6b7-147366760af3,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -3c7f2ebe-88a6-4d74-8dc4-2ed867617a83,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -13cebc39-1823-4c56-9525-af875e50c454,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -4b6111e7-e42b-4b2a-a85d-8fdca3fed827,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -d812046c-716b-4455-8a56-b2a7416dceea,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -d812046c-716b-4455-8a56-b2a7416dceea,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -5bd0b3e4-81eb-40c1-bdde-2a38a27a426b,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -5bd0b3e4-81eb-40c1-bdde-2a38a27a426b,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -5bd0b3e4-81eb-40c1-bdde-2a38a27a426b,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -78f4dafa-54a2-4eaf-a318-a47db266e769,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -b32d53d5-a6af-4d7f-a2d1-592df5783ae3,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -b32d53d5-a6af-4d7f-a2d1-592df5783ae3,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -fbfd373b-454e-43d4-b960-2a158c8a82a4,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -8ce3006a-df85-4d6c-8287-252e8add092f,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -d036e246-20ed-4f61-8f65-153de97da0ec,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -d036e246-20ed-4f61-8f65-153de97da0ec,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -ee69714f-cd13-4288-a263-e71e83b94a1c,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -ee69714f-cd13-4288-a263-e71e83b94a1c,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -ae36eb9d-b5b1-47e7-8892-e5573dc49441,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -ae36eb9d-b5b1-47e7-8892-e5573dc49441,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -9ebc14ae-cbad-4e6e-9850-70c50e43706a,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -9ebc14ae-cbad-4e6e-9850-70c50e43706a,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -72e4ef4a-8e31-4390-bf3d-cfac943c6713,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -72e4ef4a-8e31-4390-bf3d-cfac943c6713,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -31c962b6-04aa-447b-b765-574f59caeb82,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -31c962b6-04aa-447b-b765-574f59caeb82,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -31c962b6-04aa-447b-b765-574f59caeb82,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -29149591-7de4-48e1-b559-72d03aaff924,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -97550171-5b1c-4612-9c13-857cf0552257,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -97550171-5b1c-4612-9c13-857cf0552257,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -1adf28c2-ee2b-4fe0-83cd-15b619f3b962,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -1adf28c2-ee2b-4fe0-83cd-15b619f3b962,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -1ea07705-d93e-4240-8731-f41cbb29b805,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -1ea07705-d93e-4240-8731-f41cbb29b805,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -1ea07705-d93e-4240-8731-f41cbb29b805,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -7ed086ff-ad0f-4d6d-bc7e-8f40e7d42435,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -7ed086ff-ad0f-4d6d-bc7e-8f40e7d42435,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -7ed086ff-ad0f-4d6d-bc7e-8f40e7d42435,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -744aa7ab-c028-45a8-b358-b6ed8137975b,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -744aa7ab-c028-45a8-b358-b6ed8137975b,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -1b43a673-8566-4bb4-a397-b0935170ea2e,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -7aa21d80-4095-47f6-a894-b6c12fb9a7b6,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -f659d735-1281-43b2-b9d4-5eadbd70c873,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -f659d735-1281-43b2-b9d4-5eadbd70c873,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -03d6bfdd-e62b-4035-8116-977ba80f3b2b,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -e27825e4-87e1-4a8c-b585-f600d2b7e00e,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -e27825e4-87e1-4a8c-b585-f600d2b7e00e,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -e27825e4-87e1-4a8c-b585-f600d2b7e00e,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -7ec0cff3-b490-4ab9-95b0-b8ff66e34def,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -2a9b3624-6551-4ccf-99a7-6c90b5d297b1,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -efb2f03e-b290-45ec-ab63-18106c95b7c0,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -efb2f03e-b290-45ec-ab63-18106c95b7c0,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -ba506733-ab4d-4906-9c7f-493cc1ae7df7,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -ba506733-ab4d-4906-9c7f-493cc1ae7df7,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -ba506733-ab4d-4906-9c7f-493cc1ae7df7,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -0b9fedd4-9d6b-4e82-8e25-b213d093cc71,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -0b9fedd4-9d6b-4e82-8e25-b213d093cc71,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -0b9fedd4-9d6b-4e82-8e25-b213d093cc71,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -23c407b0-56e0-4009-9fec-c749daa3377a,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -c0dfcf19-274c-45b4-b44f-3684a15633cc,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -055eec6c-4869-49e8-8038-e906bed0c959,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -746c22d6-3c3d-4c9f-81ea-ebe372a2758a,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -ed221e3c-3d6d-473a-9376-290444ae3fac,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -ed221e3c-3d6d-473a-9376-290444ae3fac,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -ed221e3c-3d6d-473a-9376-290444ae3fac,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -0b90d4d0-be62-47b0-ba1c-faa3d1a0b2f1,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -544a7411-099f-4fd0-a1ce-ec02a1621698,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -9fd159b5-abc7-404e-9f01-c2dee958cac0,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -1823efd8-af86-4aed-a418-da9027854eda,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -1823efd8-af86-4aed-a418-da9027854eda,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -859e0ec7-80a8-4f17-bcde-dd741a0f5e24,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -2c2413b2-a2fc-44b0-9bb6-f999ca10e394,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -2c2413b2-a2fc-44b0-9bb6-f999ca10e394,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -c60f385d-2918-4fe2-8b9e-09e4232370e8,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -c60f385d-2918-4fe2-8b9e-09e4232370e8,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -e3567c84-22b9-4d65-b457-6a3a1faf138f,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -457673a4-3382-40c9-8a9b-1cd5f9ada621,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -457673a4-3382-40c9-8a9b-1cd5f9ada621,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -3ce01145-5711-4724-8409-fa83f7c721a0,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -e89af8ec-6bf7-4fea-8f5b-6a87f28684dd,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -e89af8ec-6bf7-4fea-8f5b-6a87f28684dd,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -17debb07-89ed-4f7f-87ff-949f7c9e38e7,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -17debb07-89ed-4f7f-87ff-949f7c9e38e7,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -17debb07-89ed-4f7f-87ff-949f7c9e38e7,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -618c6995-b2b9-4093-b18b-89ec8d7d938d,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -00fc7070-b050-4345-b7ba-2863b11fa2ce,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -00fc7070-b050-4345-b7ba-2863b11fa2ce,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -00fc7070-b050-4345-b7ba-2863b11fa2ce,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -bf1c4b2e-9d4d-44fb-8a61-27a1cea8761f,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -a96941c5-ed1e-434f-b898-b04c9235a0e7,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -a96941c5-ed1e-434f-b898-b04c9235a0e7,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -a96941c5-ed1e-434f-b898-b04c9235a0e7,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -78bdd5c4-73d3-4aa2-a67f-218aa194a6a5,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -b18955c6-5f8d-4741-ba78-70b335fa964b,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -b18955c6-5f8d-4741-ba78-70b335fa964b,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -c5f4b56f-f40d-4602-8e1d-92e4c7fea598,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -c5f4b56f-f40d-4602-8e1d-92e4c7fea598,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -de21fd53-3afe-43cb-aba5-0b70f6014b3c,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -de21fd53-3afe-43cb-aba5-0b70f6014b3c,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -28245430-1a81-4923-9364-3b9c9d049005,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -d1cca693-4f8a-4feb-a089-780c9ee8c964,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -fabd7615-60b4-4c7b-99b9-d1585c722d38,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -afb98514-101d-44a1-83f6-83d5132fdc92,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -afb98514-101d-44a1-83f6-83d5132fdc92,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -b052dabf-093c-4572-9090-6d174404c4e1,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -b052dabf-093c-4572-9090-6d174404c4e1,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -b052dabf-093c-4572-9090-6d174404c4e1,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -a878522b-c8aa-4c1a-b9da-69f39b7d04a5,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -ba2e841b-7923-43b5-b7b0-c28b6172606c,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -ba2e841b-7923-43b5-b7b0-c28b6172606c,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -752913e2-990e-4680-aecf-a774d9eb9777,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -752913e2-990e-4680-aecf-a774d9eb9777,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -d8090ba7-49e6-4fab-a5ac-3d39bb62fddc,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -6cfaf27b-e74f-4072-95a2-d83c6d1e3dae,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -6cfaf27b-e74f-4072-95a2-d83c6d1e3dae,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -6cfaf27b-e74f-4072-95a2-d83c6d1e3dae,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -7d330caa-dd1d-47ce-8362-d3a293cd0615,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -7d330caa-dd1d-47ce-8362-d3a293cd0615,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -96bcae7e-7609-4262-97fe-73b778f0f0f2,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -96bcae7e-7609-4262-97fe-73b778f0f0f2,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -96bcae7e-7609-4262-97fe-73b778f0f0f2,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -f98b20ab-c272-4a47-ad30-46a918419ff7,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -a4376f73-6069-41a5-866d-8b736a41233a,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -a4376f73-6069-41a5-866d-8b736a41233a,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -934f98aa-86c2-4ee9-91a3-344140819732,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -934f98aa-86c2-4ee9-91a3-344140819732,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -934f98aa-86c2-4ee9-91a3-344140819732,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -44a53387-079b-447f-8a43-63ec42c3818f,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -44a53387-079b-447f-8a43-63ec42c3818f,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -44a53387-079b-447f-8a43-63ec42c3818f,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -3da180a4-2e51-4511-bd82-d970fb7954be,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -3da180a4-2e51-4511-bd82-d970fb7954be,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -d583006f-a0dc-4c62-b924-9d63b59db6b5,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -13fdef4a-c42b-47a1-a05d-ac76968bae41,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -f6c4c9c5-0268-4fc2-adbf-f45416d4331c,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -f6c4c9c5-0268-4fc2-adbf-f45416d4331c,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -f6c4c9c5-0268-4fc2-adbf-f45416d4331c,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -8a6a8d56-dd6e-4555-bee2-649c2bcf6d82,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -3da2c716-eb38-4284-91ab-454bef9eb9f6,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -3da2c716-eb38-4284-91ab-454bef9eb9f6,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -0190c68f-e2e7-4487-85a0-fe0a72c86c70,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -8703fad1-7936-410d-b076-563ce6225459,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -685dcb7b-3dc1-4ec7-b32c-cbd175675210,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -685dcb7b-3dc1-4ec7-b32c-cbd175675210,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -6aabe9fa-68ca-438d-bae7-3237cd5a3ed5,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -0fe3f2d3-b8b6-4295-b571-16a600feb414,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -0fe3f2d3-b8b6-4295-b571-16a600feb414,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -172c9784-928d-4ff6-8d0e-a4ba40654edf,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -172c9784-928d-4ff6-8d0e-a4ba40654edf,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -172c9784-928d-4ff6-8d0e-a4ba40654edf,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -319eb65d-16c3-477d-bf26-ce6ce6b4d7ea,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -4621b77f-4309-4b36-8634-5aed824ba41a,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -d021f1e3-a4e0-4f7d-9385-e08c2049676d,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -d021f1e3-a4e0-4f7d-9385-e08c2049676d,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -9a09895a-1bab-4335-bbfb-d81ca9a7efce,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -9a09895a-1bab-4335-bbfb-d81ca9a7efce,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -be300515-ec58-4856-8ee7-04b83bd03924,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -f91493b0-3d92-44c8-a8b8-c97b238fc7fe,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -f91493b0-3d92-44c8-a8b8-c97b238fc7fe,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -f91493b0-3d92-44c8-a8b8-c97b238fc7fe,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -ccda97dd-8e38-47e8-9c99-119434ca65c8,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -c3b45195-facb-49d6-9f62-e5bb56a934fd,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -c3b45195-facb-49d6-9f62-e5bb56a934fd,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -b64c4c56-5338-40bf-813a-faeaaa72b728,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -b64c4c56-5338-40bf-813a-faeaaa72b728,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -b64c4c56-5338-40bf-813a-faeaaa72b728,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -e97a0171-5708-42f4-9fcc-c0767800b912,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -e97a0171-5708-42f4-9fcc-c0767800b912,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -e97a0171-5708-42f4-9fcc-c0767800b912,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -091b57d7-9aac-4f44-8953-ca22e5aabdf3,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -1f064937-85e0-4a09-868a-37db4587e79f,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -5f924836-ad87-439b-a806-dd3baaddfecf,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -076a757b-05e4-41df-b087-fe43382a6cb9,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -076a757b-05e4-41df-b087-fe43382a6cb9,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -b0e72e26-4b44-4745-a23e-7c3a329cb8a1,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -586cbc6b-730a-4439-8169-566716ef5730,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -671ed340-12e4-4aa2-abac-efa7b17aea7e,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -671ed340-12e4-4aa2-abac-efa7b17aea7e,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -ec70b483-3201-4d21-99c6-83bd69be8138,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -ec70b483-3201-4d21-99c6-83bd69be8138,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -07833555-c221-4e17-8c82-5b5163a6ce5b,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -0fce32ae-46b0-421b-8a57-223623a71ee2,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -9c0a7949-c1ae-477b-bd24-243a1236aa3a,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -483597dd-d382-4488-97a2-dfa2b35e6a37,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -2760bdc7-004b-453d-b6a4-6ea473863702,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -4151f623-0f20-4ee1-84ee-e4f3f12c9870,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -4151f623-0f20-4ee1-84ee-e4f3f12c9870,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -feb059ad-cf2e-4647-a2c2-5579d1fb0df6,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -feb059ad-cf2e-4647-a2c2-5579d1fb0df6,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -79e0be66-691a-4967-9f84-1b6f627787bf,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -f00c36bb-1ce4-4898-a2a1-952981431837,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -d5c42ea8-7972-451f-b436-09774db10be2,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -d5c42ea8-7972-451f-b436-09774db10be2,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -d5c42ea8-7972-451f-b436-09774db10be2,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -88e2f489-8290-4168-8b2b-e7ee83254760,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -88e2f489-8290-4168-8b2b-e7ee83254760,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -88e2f489-8290-4168-8b2b-e7ee83254760,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -174da4a6-7828-46aa-b0ea-e1b3a3353b58,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -174da4a6-7828-46aa-b0ea-e1b3a3353b58,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -412f7f6e-f68f-4555-9961-08a1c0e5d984,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -313eef3b-6653-4284-b712-c665313e7362,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -fbb7db15-4535-4df7-aacd-babf404799af,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -fbb7db15-4535-4df7-aacd-babf404799af,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -b8a17518-4186-4a5a-b7d1-49de3bc0c949,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -b8a17518-4186-4a5a-b7d1-49de3bc0c949,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -1aa60c12-a65b-4a2a-9eaf-97fcc2904d0a,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -1aa60c12-a65b-4a2a-9eaf-97fcc2904d0a,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -1aa60c12-a65b-4a2a-9eaf-97fcc2904d0a,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -59d85d2e-762f-4784-8eff-4722a2817a6d,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -59d85d2e-762f-4784-8eff-4722a2817a6d,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -cf6e2ab2-83ba-4e42-9a8b-55c55c6ea05c,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -cf6e2ab2-83ba-4e42-9a8b-55c55c6ea05c,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -cf6e2ab2-83ba-4e42-9a8b-55c55c6ea05c,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -e2d4e79d-c32b-4361-b8df-d143eba7745e,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -c0260289-801c-4c0a-a925-205ae14c7a0e,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -c0260289-801c-4c0a-a925-205ae14c7a0e,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -c0260289-801c-4c0a-a925-205ae14c7a0e,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -cabcf30c-5803-4660-a925-c2073402341c,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -69c2a303-d9c7-4c7f-a242-53d1846a38e9,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -69c2a303-d9c7-4c7f-a242-53d1846a38e9,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -de8f55f2-e961-4021-be8d-f4ffe7f75bf0,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -a21661ab-7ec6-411b-9692-1a06065a8816,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -a21661ab-7ec6-411b-9692-1a06065a8816,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -a21661ab-7ec6-411b-9692-1a06065a8816,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -9f8eba47-dc35-4032-a7cc-4c3d922214e5,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -9f8eba47-dc35-4032-a7cc-4c3d922214e5,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -9f8eba47-dc35-4032-a7cc-4c3d922214e5,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -bb9721d2-ea5b-448b-b1a1-97e21f9da14a,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -bb9721d2-ea5b-448b-b1a1-97e21f9da14a,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -bb9721d2-ea5b-448b-b1a1-97e21f9da14a,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -8701d89e-faed-4860-9862-3fcdadb79175,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -8e13171d-a1c6-4bd4-a872-3d09f40372fa,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -8e13171d-a1c6-4bd4-a872-3d09f40372fa,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -fa80ebff-9233-40b7-97c2-469afdccc35a,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -fa80ebff-9233-40b7-97c2-469afdccc35a,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -5f87cee6-cd89-4147-8e17-78b25b5e8cf6,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -19d61f59-d46f-473e-b996-845cd85eaa3a,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -19d61f59-d46f-473e-b996-845cd85eaa3a,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -19d61f59-d46f-473e-b996-845cd85eaa3a,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -017674dd-7725-4985-aede-0f39f81cc867,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -65bbad6e-d52a-4eee-bc53-6d012c281ae8,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -65bbad6e-d52a-4eee-bc53-6d012c281ae8,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -65bbad6e-d52a-4eee-bc53-6d012c281ae8,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -1ce78256-4f28-4226-9656-f293f36a3626,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -8886305f-a565-4583-a4c3-82679df1b5f1,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -8886305f-a565-4583-a4c3-82679df1b5f1,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -eb55fe65-7a30-41b7-a65f-260d62b3e8f7,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -21b73161-37b8-4475-869d-47ff7c567f95,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -21b73161-37b8-4475-869d-47ff7c567f95,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -6098c037-a75a-4111-96f6-4e24c9432e4a,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -6098c037-a75a-4111-96f6-4e24c9432e4a,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -3dbaa138-7480-42fe-9367-cc0c3a93c93d,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -3dbaa138-7480-42fe-9367-cc0c3a93c93d,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -82336c66-b0e8-4599-bfd1-45b3f07f0f01,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -82336c66-b0e8-4599-bfd1-45b3f07f0f01,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -c3c41c17-5dc2-4ab1-9ed7-dd90b6f6c15b,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -c3c41c17-5dc2-4ab1-9ed7-dd90b6f6c15b,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -c3c41c17-5dc2-4ab1-9ed7-dd90b6f6c15b,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -d34f6890-57f2-4971-881b-e6f9ded4b576,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -d34f6890-57f2-4971-881b-e6f9ded4b576,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -d34f6890-57f2-4971-881b-e6f9ded4b576,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -36f01ab8-7c44-4d77-ae04-b0f75a0374f3,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -2b1723b8-0068-4310-8f5c-cefe64d05cd6,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -3e767a9b-7784-4396-8c59-699b6d643452,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -3e767a9b-7784-4396-8c59-699b6d643452,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -3e767a9b-7784-4396-8c59-699b6d643452,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -7b755f15-3ffd-4413-bb2d-a1675a498300,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -7b755f15-3ffd-4413-bb2d-a1675a498300,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -4d4eeffe-c7b5-4cbe-b715-c9b1128223a8,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -4d4eeffe-c7b5-4cbe-b715-c9b1128223a8,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -8530eb71-47f2-48be-a4ed-fdb35c96e825,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -8530eb71-47f2-48be-a4ed-fdb35c96e825,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -8530eb71-47f2-48be-a4ed-fdb35c96e825,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -619f86e1-074e-41ca-95c3-501671276991,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -619f86e1-074e-41ca-95c3-501671276991,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -619f86e1-074e-41ca-95c3-501671276991,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -76af36fd-f360-4db1-8fb5-82c517df8f5c,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -76af36fd-f360-4db1-8fb5-82c517df8f5c,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -f1f2b98d-d811-4b8e-a1b0-a30364881ea4,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -f1f2b98d-d811-4b8e-a1b0-a30364881ea4,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -f1f2b98d-d811-4b8e-a1b0-a30364881ea4,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -d29dfd4a-86db-4b6e-aa87-79f4cd33d496,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -375e8838-bc0b-475f-9915-377d2442d92a,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -375e8838-bc0b-475f-9915-377d2442d92a,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -375e8838-bc0b-475f-9915-377d2442d92a,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -b8551dbf-1bee-48b9-b745-23ad5977ee5f,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -b8551dbf-1bee-48b9-b745-23ad5977ee5f,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -b8551dbf-1bee-48b9-b745-23ad5977ee5f,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -e95fa7d2-3a30-4252-a78c-dd34a10f1e00,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -67907f0d-b07d-4cbb-95c9-2b089c882e73,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -1bcd01c0-8657-46c3-8284-d5623b04916a,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -9281b20a-874a-4146-b429-e27513153e92,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -9281b20a-874a-4146-b429-e27513153e92,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -9281b20a-874a-4146-b429-e27513153e92,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -893c57e4-ad9b-48d9-a3bc-e5bad94ce0fd,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -17a791d3-fc6b-438f-8285-c70698c695f3,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -17a791d3-fc6b-438f-8285-c70698c695f3,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -692b94d5-eda3-4ea6-8cf8-776e326cf9d6,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -692b94d5-eda3-4ea6-8cf8-776e326cf9d6,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -697ae097-6b10-4b78-9734-d67b2777c4ff,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -b0192ddb-1771-4675-a95f-df17f9a01780,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -9138e974-34dd-4d88-ae46-f6c63969bce6,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -9138e974-34dd-4d88-ae46-f6c63969bce6,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -dc521e2a-a807-4b34-92fc-e65a8780710f,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -dc521e2a-a807-4b34-92fc-e65a8780710f,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -14ed7cfe-c277-4ea9-86f8-2758e0f1fe65,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -14ed7cfe-c277-4ea9-86f8-2758e0f1fe65,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -d42b8f04-9557-47a5-9f0d-1492e29ed9f3,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -d42b8f04-9557-47a5-9f0d-1492e29ed9f3,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -d42b8f04-9557-47a5-9f0d-1492e29ed9f3,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -7d73ad8f-95ca-4c7a-b513-0890804a0f12,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -7d73ad8f-95ca-4c7a-b513-0890804a0f12,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -3c80c617-a158-436d-bfeb-cc250f3e5550,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -3c80c617-a158-436d-bfeb-cc250f3e5550,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -3c80c617-a158-436d-bfeb-cc250f3e5550,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -96375734-4e63-4b12-9934-2e8e44f5b79c,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -5400e5b7-6dc2-4240-9fe7-721e2142f80e,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -5400e5b7-6dc2-4240-9fe7-721e2142f80e,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -afcd1f05-228f-4b7b-8652-3def28d6c131,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -afcd1f05-228f-4b7b-8652-3def28d6c131,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -afcd1f05-228f-4b7b-8652-3def28d6c131,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -94e2a5f0-10f7-4768-a97e-f5bb1a5fd533,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -94e2a5f0-10f7-4768-a97e-f5bb1a5fd533,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -94e2a5f0-10f7-4768-a97e-f5bb1a5fd533,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -4a5f0fae-b893-4180-b935-f1a01916ec69,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -4a5f0fae-b893-4180-b935-f1a01916ec69,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -a31d11ad-3b26-42f4-a202-3518f59a9fc4,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -a31d11ad-3b26-42f4-a202-3518f59a9fc4,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -a31d11ad-3b26-42f4-a202-3518f59a9fc4,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -718d2a1d-e1a2-4bf3-80c3-4d5a1594a384,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -718d2a1d-e1a2-4bf3-80c3-4d5a1594a384,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -718d2a1d-e1a2-4bf3-80c3-4d5a1594a384,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -4921ebef-238f-4014-b98c-81918dd1ec43,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -5ad88fa2-100b-4e87-95a8-49978fc00940,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -5ad88fa2-100b-4e87-95a8-49978fc00940,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -d3f94994-11fd-4b63-9261-b2be6c87e37c,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -9b334383-0f9e-422c-882d-afaa609e0a23,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -9b334383-0f9e-422c-882d-afaa609e0a23,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -53b568d4-fd4f-4423-ad66-9447bd5833a6,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -6cb2e6a9-0244-472d-9f26-b0fd9707a22a,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -de5eb87a-1ebb-47d5-bc04-232f7c76bfff,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -de5eb87a-1ebb-47d5-bc04-232f7c76bfff,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -de5eb87a-1ebb-47d5-bc04-232f7c76bfff,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -c9b610ff-d8f9-4503-be09-746d75c8698a,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -c9b610ff-d8f9-4503-be09-746d75c8698a,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -c1eb7438-4659-4166-8d18-36e8785330d6,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -8dad2992-b8cf-42c9-b1a4-5dc7614f3931,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -67a9265f-2dc0-4846-a4a2-557665f26643,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -7ba7cd57-a67f-4dbe-8a6d-92036d40cf7c,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -7ba7cd57-a67f-4dbe-8a6d-92036d40cf7c,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -20d24f45-ac50-440f-b573-218e8083e50e,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -20d24f45-ac50-440f-b573-218e8083e50e,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -8d03e61e-c800-4c13-bb99-df7ddff8b86e,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -8d03e61e-c800-4c13-bb99-df7ddff8b86e,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -8d03e61e-c800-4c13-bb99-df7ddff8b86e,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -ad000b75-9670-4d12-bbaf-45faed52a769,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -ad000b75-9670-4d12-bbaf-45faed52a769,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -ad000b75-9670-4d12-bbaf-45faed52a769,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -0eeb3fcd-eb6d-4c9b-b0b2-b1bd46090cfe,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -f2c9708f-d331-4b06-a7fc-c24991ecc236,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -f2c9708f-d331-4b06-a7fc-c24991ecc236,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -075a1588-d622-4b6b-8f44-3d3d98a4d4e9,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -075a1588-d622-4b6b-8f44-3d3d98a4d4e9,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -075a1588-d622-4b6b-8f44-3d3d98a4d4e9,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -25248c59-4e36-43ad-94e6-8c2e0e7bfca4,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -25248c59-4e36-43ad-94e6-8c2e0e7bfca4,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -25248c59-4e36-43ad-94e6-8c2e0e7bfca4,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -6271907c-5ce9-4c5b-a4fc-599da0e07a36,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -89b5feb5-e487-4ec9-8566-b56b6628b0e0,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -89b5feb5-e487-4ec9-8566-b56b6628b0e0,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -89b5feb5-e487-4ec9-8566-b56b6628b0e0,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -9b2a000e-d311-487a-9da0-7e74ded681b1,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -fae90e28-332c-4ea8-adf2-172366a8eb12,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -fae90e28-332c-4ea8-adf2-172366a8eb12,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -fae90e28-332c-4ea8-adf2-172366a8eb12,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -e0d46247-7d7c-46da-9bc8-1d20436c6364,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -e0d46247-7d7c-46da-9bc8-1d20436c6364,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -e0d46247-7d7c-46da-9bc8-1d20436c6364,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -8b01cf0a-4b2d-48d6-aea0-26386c559656,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -8b01cf0a-4b2d-48d6-aea0-26386c559656,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -e365d855-70f9-4cce-92e2-b40dadfc1f00,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -fbb5c60c-be13-4b83-8600-7c1fda813859,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -1826bc4b-e48c-4580-9741-eeb285ece797,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -1826bc4b-e48c-4580-9741-eeb285ece797,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -1826bc4b-e48c-4580-9741-eeb285ece797,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -04cffb19-1597-44ec-ba3e-e9777540541b,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -04cffb19-1597-44ec-ba3e-e9777540541b,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -7e2cd6dc-476d-434b-b757-2075cf91b07c,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -242080d8-cdde-451e-a005-fd41f0d1d3f0,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -242080d8-cdde-451e-a005-fd41f0d1d3f0,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -09edfd81-266b-4816-b97c-cf681729b9b2,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -3533472f-5751-49d0-b6d8-8f9d1f976968,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -3533472f-5751-49d0-b6d8-8f9d1f976968,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -7acf470e-2be6-48a0-827c-a5a75f67c358,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -9a548808-d7f4-439f-a638-3af8c95aa3dd,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -9a548808-d7f4-439f-a638-3af8c95aa3dd,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -9a548808-d7f4-439f-a638-3af8c95aa3dd,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -2cdaa69f-5492-4156-8854-004e0350ff84,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -7eb8343b-24a9-465e-80f6-b24f0fff3ec8,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -937a6f0c-0cd9-4b7f-aeaf-aadb897be5d5,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -937a6f0c-0cd9-4b7f-aeaf-aadb897be5d5,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -937a6f0c-0cd9-4b7f-aeaf-aadb897be5d5,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -eeeb402a-b990-445f-a82f-cda3bc9e64a7,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -e7983fc6-0b53-4e7f-9baa-02c22a39e178,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -e7983fc6-0b53-4e7f-9baa-02c22a39e178,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -d4417703-f1d4-47e2-8634-d66add79e478,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -d4417703-f1d4-47e2-8634-d66add79e478,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -1692225e-3a98-44c1-9c57-05fc59393362,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -1692225e-3a98-44c1-9c57-05fc59393362,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -f4a65566-35f1-41f7-801f-6e6f58b3f541,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -f4a65566-35f1-41f7-801f-6e6f58b3f541,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -ff7b467e-143f-49dc-8aab-f0ed7b959cd7,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -ff7b467e-143f-49dc-8aab-f0ed7b959cd7,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -a0da74c1-b61c-4b62-9353-1cbcd018ae3f,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -63514661-323e-486b-b5bd-27326f20d531,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -d11c2216-5be2-4262-9cc0-9ba54228b299,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -d11c2216-5be2-4262-9cc0-9ba54228b299,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -fc5d18b1-6024-4e1f-aa7a-9288d63e83c7,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -fc5d18b1-6024-4e1f-aa7a-9288d63e83c7,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -fc5d18b1-6024-4e1f-aa7a-9288d63e83c7,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -d10dcdf8-2856-4470-98b1-04a48beaf9ac,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -d10dcdf8-2856-4470-98b1-04a48beaf9ac,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -0218f57c-ac4f-4f13-84f7-8c2f6c06bacb,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -0218f57c-ac4f-4f13-84f7-8c2f6c06bacb,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -3845eb11-ca3b-477c-be72-2880b4b48edd,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -3845eb11-ca3b-477c-be72-2880b4b48edd,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -3845eb11-ca3b-477c-be72-2880b4b48edd,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -a2846b48-3910-460b-ab37-55b4a8e27b6e,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -a2846b48-3910-460b-ab37-55b4a8e27b6e,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -a2846b48-3910-460b-ab37-55b4a8e27b6e,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -af38dc0f-a610-42d5-82cf-eb5d7266b730,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -3d1b1023-48cd-43d3-a414-34fbda5981d7,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -60ed03b2-2bf9-4a66-bf86-c80437dea1eb,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -60ed03b2-2bf9-4a66-bf86-c80437dea1eb,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -60ed03b2-2bf9-4a66-bf86-c80437dea1eb,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -b864cb77-3f69-4ed9-9cf4-691f92eb0539,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -b864cb77-3f69-4ed9-9cf4-691f92eb0539,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -b864cb77-3f69-4ed9-9cf4-691f92eb0539,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -7c1c674c-9208-41e3-bb40-22d2beec195d,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -7c1c674c-9208-41e3-bb40-22d2beec195d,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -7c1c674c-9208-41e3-bb40-22d2beec195d,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -90dc190b-2e2c-4b79-a382-ae4fab10205a,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -90dc190b-2e2c-4b79-a382-ae4fab10205a,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -90dc190b-2e2c-4b79-a382-ae4fab10205a,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -bd5d1a4d-a16f-440f-85c5-679011e79883,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -1729ef7e-e785-438d-b43e-1da22031b45d,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -1729ef7e-e785-438d-b43e-1da22031b45d,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -1729ef7e-e785-438d-b43e-1da22031b45d,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -b22f7fe8-4789-497d-b1e8-bde5efc9b4db,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -b22f7fe8-4789-497d-b1e8-bde5efc9b4db,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -c441cb38-d35d-43db-a9b0-35bfba314516,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -c441cb38-d35d-43db-a9b0-35bfba314516,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -690e91b3-4b7e-4a97-8a6c-dae2fa9b6537,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -f55d2d04-2416-4ce5-9199-11e1f8d81990,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -f42450ca-2fd9-4455-ba5f-7d0f4ee1b0d1,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -f42450ca-2fd9-4455-ba5f-7d0f4ee1b0d1,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -0d7f64d8-858b-41ad-8352-90c96e34cefa,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -907f0607-be62-42af-a261-73f64e61d3d9,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -66a699c8-44a8-4065-8f0e-d81fcfb472d8,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -a4821e38-9771-42ee-8124-b37d26cf48ad,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -a4821e38-9771-42ee-8124-b37d26cf48ad,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -6f52c4f5-8dad-4a19-a6e2-e680be25fb97,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -6f52c4f5-8dad-4a19-a6e2-e680be25fb97,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -6f52c4f5-8dad-4a19-a6e2-e680be25fb97,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -3b0e8f08-6440-459e-a15f-0b9a465b5042,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -3b0e8f08-6440-459e-a15f-0b9a465b5042,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -3b0e8f08-6440-459e-a15f-0b9a465b5042,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -4b9cdbb8-5068-4900-bcdd-b519d9126765,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -4b9cdbb8-5068-4900-bcdd-b519d9126765,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -4b9cdbb8-5068-4900-bcdd-b519d9126765,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -e4f399e5-527c-48e3-a7fa-df653edecb36,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -9a1ea17d-5b92-47fb-976d-256073048178,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -257801e0-e444-44dc-8256-7fdf5f180530,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -257801e0-e444-44dc-8256-7fdf5f180530,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -d2159476-838e-4f29-8c64-2103f089fb47,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -660ccbff-fcf3-460d-8e5f-3c1951a9581c,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -e3b62fb0-e173-4bf3-a58c-dbb5217f45f9,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -e3b62fb0-e173-4bf3-a58c-dbb5217f45f9,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -e3b62fb0-e173-4bf3-a58c-dbb5217f45f9,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -6ed42ea4-524d-4f67-b6f6-f25505b484f5,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -bb2d4e6c-7b00-4bcd-9980-89fdc0c3d40e,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -bb2d4e6c-7b00-4bcd-9980-89fdc0c3d40e,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -3eb90996-0054-45d7-86c8-35c1308578a2,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -d5ad72d4-1dbf-4d18-89de-060be58ee063,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -d5ad72d4-1dbf-4d18-89de-060be58ee063,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -e6a1253e-d7f7-4706-a545-cb3c8e196571,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -e6a1253e-d7f7-4706-a545-cb3c8e196571,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -e6a1253e-d7f7-4706-a545-cb3c8e196571,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -8d2f4c83-cfdd-4aac-a954-0172c2807c58,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -8d2f4c83-cfdd-4aac-a954-0172c2807c58,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -58f8cac4-917e-4f0e-a2a9-f92a52fc8573,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -58f8cac4-917e-4f0e-a2a9-f92a52fc8573,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -8e345bba-5290-4da2-b60b-20da3d086b1e,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -8e345bba-5290-4da2-b60b-20da3d086b1e,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -8e345bba-5290-4da2-b60b-20da3d086b1e,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -884a3115-2f02-4415-86d8-3f3667cc1548,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -884a3115-2f02-4415-86d8-3f3667cc1548,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -884a3115-2f02-4415-86d8-3f3667cc1548,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -2838b035-a8d3-48fc-9a00-07e30536ce83,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -2838b035-a8d3-48fc-9a00-07e30536ce83,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -60f4e703-8451-453b-91d4-4ee78ebc6f89,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -60f4e703-8451-453b-91d4-4ee78ebc6f89,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -60f4e703-8451-453b-91d4-4ee78ebc6f89,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -2ec00925-b79f-45f8-abaf-7526cd4c4fe3,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -e08b03db-e801-4c79-9533-f0238c31b063,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -e08b03db-e801-4c79-9533-f0238c31b063,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -e08b03db-e801-4c79-9533-f0238c31b063,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -82461bad-3152-4f35-a4e6-2084a7be9986,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -82461bad-3152-4f35-a4e6-2084a7be9986,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -82461bad-3152-4f35-a4e6-2084a7be9986,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -56bd1cd7-8b16-4c60-86e9-95ad362fce77,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -56bd1cd7-8b16-4c60-86e9-95ad362fce77,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -7477c7f6-6c83-40cd-af1e-aae069b62e54,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -7477c7f6-6c83-40cd-af1e-aae069b62e54,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -7477c7f6-6c83-40cd-af1e-aae069b62e54,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -f685f6f5-7794-4832-aac2-8a941b6f3e6b,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -f685f6f5-7794-4832-aac2-8a941b6f3e6b,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -f685f6f5-7794-4832-aac2-8a941b6f3e6b,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -6d19328b-c2aa-4309-84e7-5ca3770784b2,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -6d19328b-c2aa-4309-84e7-5ca3770784b2,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -6d19328b-c2aa-4309-84e7-5ca3770784b2,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -6770337e-7713-4374-ba79-ac3f8a813de3,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -6770337e-7713-4374-ba79-ac3f8a813de3,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -6770337e-7713-4374-ba79-ac3f8a813de3,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -e9064201-7434-48c4-8244-edcc2339b0f8,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -e9064201-7434-48c4-8244-edcc2339b0f8,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -e92af3b7-e172-4939-bce5-f3831cb9cb6d,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -e92af3b7-e172-4939-bce5-f3831cb9cb6d,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -55f06bb0-9036-4cc7-b6d4-a7a04acc5e38,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -55f06bb0-9036-4cc7-b6d4-a7a04acc5e38,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -49a72607-de36-43af-9934-f68739cb4449,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -f8df7168-2710-44cb-bf50-13edfcf28e7b,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -f8df7168-2710-44cb-bf50-13edfcf28e7b,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -71501d44-d412-4017-9fef-643686b08a39,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -71501d44-d412-4017-9fef-643686b08a39,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -51d99e54-b70c-42aa-a512-73e361361380,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -b782e50e-36a7-4a4d-a48a-30aaf1f228b0,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -e6e81776-4fb9-40a2-bd73-d8244b0369ea,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -e6e81776-4fb9-40a2-bd73-d8244b0369ea,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -a169d3f3-2fc9-407a-9543-a875ac897146,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -a169d3f3-2fc9-407a-9543-a875ac897146,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -f1065099-9da3-4dac-9cad-26c2581fa1d2,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -f1065099-9da3-4dac-9cad-26c2581fa1d2,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -44a3478f-fe2f-4bfb-b178-724ee460eb2a,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -44a3478f-fe2f-4bfb-b178-724ee460eb2a,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -44a3478f-fe2f-4bfb-b178-724ee460eb2a,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -51e0d9ed-2406-4492-a15d-36de8daf5093,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -51e0d9ed-2406-4492-a15d-36de8daf5093,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -6847fb3f-4a63-4af1-b418-c4dfdb3ba033,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -cc844911-a923-4194-a7bc-b1ad8f1f343b,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -cc844911-a923-4194-a7bc-b1ad8f1f343b,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -15c579de-8030-4384-86d4-3244136307cc,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -15c579de-8030-4384-86d4-3244136307cc,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -1b74ae3f-4eea-426d-ad07-23b3bde7d6c9,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -1b74ae3f-4eea-426d-ad07-23b3bde7d6c9,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -f6884d38-ebc0-4cdc-a67c-c5b0b2247a6f,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -f6884d38-ebc0-4cdc-a67c-c5b0b2247a6f,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -2aba9dcc-b754-409e-bddb-0fab7761d014,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -2aba9dcc-b754-409e-bddb-0fab7761d014,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -2aba9dcc-b754-409e-bddb-0fab7761d014,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -33c35968-fe00-4894-a136-31df32a7d2e2,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -33c35968-fe00-4894-a136-31df32a7d2e2,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -f6c35528-e39d-45bc-b074-80182eb9d372,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -f6c35528-e39d-45bc-b074-80182eb9d372,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -e68e7138-24f0-45cc-9c1f-e1f765c434df,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -e68e7138-24f0-45cc-9c1f-e1f765c434df,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -e68e7138-24f0-45cc-9c1f-e1f765c434df,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -8d8a7b68-abe9-4218-b21c-a48e1fa356eb,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -bc59eac0-fb01-4dad-bf38-4b833ce8093f,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -bc59eac0-fb01-4dad-bf38-4b833ce8093f,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -ff5ed72d-fb24-4d0d-9fdc-d48772249efa,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -ff5ed72d-fb24-4d0d-9fdc-d48772249efa,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -ff5ed72d-fb24-4d0d-9fdc-d48772249efa,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -517719ac-d656-4111-bb98-6403230c9ba8,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -517719ac-d656-4111-bb98-6403230c9ba8,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -517719ac-d656-4111-bb98-6403230c9ba8,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -12a8d247-3579-4f93-aded-cab96e9a8b5e,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -12a8d247-3579-4f93-aded-cab96e9a8b5e,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -12a8d247-3579-4f93-aded-cab96e9a8b5e,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -45c4d8e1-3753-45e6-a951-209a27cd73f1,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -a152dc4d-0ed5-424a-ba7f-5d96585ef2fc,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -ba1be848-a547-42ab-903c-8f3affc2c162,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -b9b55ca6-5a44-433a-b6cc-c049cd84aa7a,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -3dfbbc06-0392-4bce-b793-2eedb448b577,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -3dfbbc06-0392-4bce-b793-2eedb448b577,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -3dfbbc06-0392-4bce-b793-2eedb448b577,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -28b68c01-2c7f-41da-acf0-d6bb210270f3,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -bfc5e098-0018-4456-9141-d1dca8538d27,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -1a4a5024-2994-4e29-ad7f-997d2b18036c,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -48c0a791-6333-4a83-a819-49b59d8a89f2,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -48c0a791-6333-4a83-a819-49b59d8a89f2,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -48c0a791-6333-4a83-a819-49b59d8a89f2,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -05423f96-e814-4ff9-bd93-ecad39b5200f,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -05423f96-e814-4ff9-bd93-ecad39b5200f,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -05423f96-e814-4ff9-bd93-ecad39b5200f,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -ce7900ee-b1f9-486c-99c6-25396b3e442f,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -ce7900ee-b1f9-486c-99c6-25396b3e442f,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -23346c82-e8d7-45c1-8bd6-73dfcf26be6f,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -23346c82-e8d7-45c1-8bd6-73dfcf26be6f,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -23346c82-e8d7-45c1-8bd6-73dfcf26be6f,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -346c5933-8f40-4cdb-ae04-e8206a537ba3,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -346c5933-8f40-4cdb-ae04-e8206a537ba3,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -346c5933-8f40-4cdb-ae04-e8206a537ba3,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -bd32e50d-e658-448b-a0d3-f099c5eea79e,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -c0061fed-154e-490e-b501-a7051fae8f88,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -38b5fc6c-df4a-45e8-8673-f3ac2910a1a2,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -d97cfde2-1cfa-4a43-817a-7651aff26283,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -5b1692df-eb6a-4d64-b636-b61a46c54c12,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -5b1692df-eb6a-4d64-b636-b61a46c54c12,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -38349a8a-70fb-45c7-ba2e-646d53c51580,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -ae81910a-b917-4fb4-82a3-28e28b46dcaa,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -ed28751f-b30d-4be0-b320-a6787bbbe390,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -ed28751f-b30d-4be0-b320-a6787bbbe390,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -ed28751f-b30d-4be0-b320-a6787bbbe390,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -b3f3e210-4123-4b25-82fd-3221a2624d77,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -b3f3e210-4123-4b25-82fd-3221a2624d77,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -02e67d07-642f-4054-b082-c223e1f1c740,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -f46efff1-b3da-4448-a2df-3460a56f4866,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -f46efff1-b3da-4448-a2df-3460a56f4866,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -540126ec-cd29-4100-b386-b8f3b1532a8e,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -540126ec-cd29-4100-b386-b8f3b1532a8e,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -95c3e595-80cc-469f-a5e0-9070289eaba4,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -f37a5b78-5aee-4ae6-9756-8a01fc7d49e3,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -f37a5b78-5aee-4ae6-9756-8a01fc7d49e3,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -f37a5b78-5aee-4ae6-9756-8a01fc7d49e3,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -2df83b44-a76c-4c6d-9fb0-b8d3503be17f,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -2df83b44-a76c-4c6d-9fb0-b8d3503be17f,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -552e5458-2a95-4f37-8275-300e615b6679,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -552e5458-2a95-4f37-8275-300e615b6679,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -552e5458-2a95-4f37-8275-300e615b6679,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -595dad8a-55cc-4e58-83f4-543ee0fd5567,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -595dad8a-55cc-4e58-83f4-543ee0fd5567,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -595dad8a-55cc-4e58-83f4-543ee0fd5567,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -6994f977-34b0-47a3-a5f6-b9c1926eaf18,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -6994f977-34b0-47a3-a5f6-b9c1926eaf18,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -6994f977-34b0-47a3-a5f6-b9c1926eaf18,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -be0297c9-19bd-47ad-868c-a4c2455b0b84,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -be0297c9-19bd-47ad-868c-a4c2455b0b84,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -be0297c9-19bd-47ad-868c-a4c2455b0b84,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -25cafc03-7a31-4676-ac5c-13abd55081c2,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -339cd10c-1190-434f-a5ed-e2a44bbc4435,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -339cd10c-1190-434f-a5ed-e2a44bbc4435,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -339cd10c-1190-434f-a5ed-e2a44bbc4435,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -83b5b385-c071-46b4-823e-fdf160d4cc4e,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -83b5b385-c071-46b4-823e-fdf160d4cc4e,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -7b8bbb8e-bdc8-4387-891a-6747202923f4,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -dc8927ed-414c-485a-9750-b1a97bfa3c98,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -dc8927ed-414c-485a-9750-b1a97bfa3c98,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -78fb6037-5e91-4a7d-9c57-c8d9448ebb28,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -78fb6037-5e91-4a7d-9c57-c8d9448ebb28,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -0daa5b9a-c951-4032-a1ef-47a0305260d4,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -0daa5b9a-c951-4032-a1ef-47a0305260d4,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -0daa5b9a-c951-4032-a1ef-47a0305260d4,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -11d780a9-32c2-4e51-a87b-7bec2f7002bc,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -70a9277a-8966-44ec-b072-fb89fb923966,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -70a9277a-8966-44ec-b072-fb89fb923966,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -70a9277a-8966-44ec-b072-fb89fb923966,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -0f74f111-ac70-40ba-b576-1c9edf5af36c,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -92de6008-ade0-46b9-890b-ba8ca22b5a2d,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -f1f52d5a-a6a1-49fc-8be3-f1d0f724880c,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -bf312fe2-0066-470b-8660-9886e2e1fc50,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -bf312fe2-0066-470b-8660-9886e2e1fc50,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -c14b92a3-4477-412e-9243-f72730bb46e6,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -c14b92a3-4477-412e-9243-f72730bb46e6,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -c14b92a3-4477-412e-9243-f72730bb46e6,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -84851a9a-eb4b-444f-8a6b-3181f6556269,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -4255ab81-d2db-40a5-b9d0-1867b9ea715c,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -a0834984-3b94-477e-8acb-dc0d29e72899,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -a0834984-3b94-477e-8acb-dc0d29e72899,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -01749b4e-532a-430e-ab45-b9ef35d4c509,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -01749b4e-532a-430e-ab45-b9ef35d4c509,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -7c6ada7d-5d59-439c-a853-87f939ed151e,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -7c6ada7d-5d59-439c-a853-87f939ed151e,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -7c6ada7d-5d59-439c-a853-87f939ed151e,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -8c0a4287-098a-419d-b8f0-b73e2e5d8703,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -e888cd22-2b23-4a0b-b5f3-7c7187a3bb50,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -e888cd22-2b23-4a0b-b5f3-7c7187a3bb50,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -a490522b-cff8-4ed2-98c6-6d41e8b78c41,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -a490522b-cff8-4ed2-98c6-6d41e8b78c41,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -43532731-571d-4337-a6e4-a1883fedafe2,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -43532731-571d-4337-a6e4-a1883fedafe2,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -bfaf1aea-ebd3-4daf-aad4-d345423118ca,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -a5234055-0c90-443f-af78-acb6eee69f13,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -b11b0e79-480c-410b-b8c0-f5d92b945fc7,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -b11b0e79-480c-410b-b8c0-f5d92b945fc7,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -e3952c48-f899-4c09-aacf-b3192efc6c84,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -d5681b2c-c769-41c3-b4d7-bf84d04a7699,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -d5681b2c-c769-41c3-b4d7-bf84d04a7699,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -601d8b21-45b6-4928-9980-5f8603ec0266,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -4e7b016f-2447-4f4a-82d6-8cd4fa131a6b,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -4e7b016f-2447-4f4a-82d6-8cd4fa131a6b,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -4e7b016f-2447-4f4a-82d6-8cd4fa131a6b,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -3980032e-93a5-4a36-96b5-2cd5ce946742,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -3980032e-93a5-4a36-96b5-2cd5ce946742,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -19bb8034-4b23-479e-8a1c-3ce14ac8013d,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -19bb8034-4b23-479e-8a1c-3ce14ac8013d,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -04c070aa-c93f-489a-ae97-cfbe8ab53e09,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -04c070aa-c93f-489a-ae97-cfbe8ab53e09,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -f4ffa615-134c-4482-8cb9-078b88cf0f01,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -b3edb7e2-65b1-4870-9743-a18d19324a9e,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -83fe671f-defb-49a8-a4af-2876fb538ddd,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -83fe671f-defb-49a8-a4af-2876fb538ddd,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -5ae2435d-0c1a-44c5-b46b-8a7d6b264ff6,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -5ae2435d-0c1a-44c5-b46b-8a7d6b264ff6,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -5ae2435d-0c1a-44c5-b46b-8a7d6b264ff6,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -aee633eb-8ee7-4c2d-952f-2a32499cab3f,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -139ee5bb-ef29-4d28-8f0d-56cc499763ba,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -49c4fdc0-8dc9-4c69-a0c2-bba1ed881913,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -545604af-33e1-4ec4-803b-40670afdeed5,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -545604af-33e1-4ec4-803b-40670afdeed5,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -545604af-33e1-4ec4-803b-40670afdeed5,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -76bc2c75-9a64-4b57-839f-0d3a0d3e369c,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -76bc2c75-9a64-4b57-839f-0d3a0d3e369c,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -36c5b427-8e0e-48fc-b28b-629c7bfa9c51,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -36c5b427-8e0e-48fc-b28b-629c7bfa9c51,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -36c5b427-8e0e-48fc-b28b-629c7bfa9c51,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -da2805c0-eaa7-48dc-a978-dc2f6ade13e4,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -da2805c0-eaa7-48dc-a978-dc2f6ade13e4,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -da2805c0-eaa7-48dc-a978-dc2f6ade13e4,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -3d63fbbd-4440-4835-8429-77ab77469069,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -f71ecbab-ca1a-45e6-8e9b-926c44d86384,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -f71ecbab-ca1a-45e6-8e9b-926c44d86384,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -f71ecbab-ca1a-45e6-8e9b-926c44d86384,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -6ef52dbd-b8a9-4e02-ad87-c1fe856ffada,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -6ef52dbd-b8a9-4e02-ad87-c1fe856ffada,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -6ef52dbd-b8a9-4e02-ad87-c1fe856ffada,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -b7dcce92-0c6f-4415-951e-43909b4c3b50,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -b7dcce92-0c6f-4415-951e-43909b4c3b50,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -b7dcce92-0c6f-4415-951e-43909b4c3b50,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -baa160ee-8e40-4b53-8337-f8e3f90563e8,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -baa160ee-8e40-4b53-8337-f8e3f90563e8,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -baa160ee-8e40-4b53-8337-f8e3f90563e8,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -b9fde3f0-70d1-49c4-965c-803c9dc0689b,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -c5ed9a8b-e116-4db2-83c8-81c099259b3b,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -c5ed9a8b-e116-4db2-83c8-81c099259b3b,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -a7d22045-19e8-4631-bac9-fcf1ba8ded6f,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -a7d22045-19e8-4631-bac9-fcf1ba8ded6f,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -02ac1f17-c31e-4aaa-bba7-b9a090fc1e1b,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -02ac1f17-c31e-4aaa-bba7-b9a090fc1e1b,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -02ac1f17-c31e-4aaa-bba7-b9a090fc1e1b,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -13b8911d-d000-4cce-b41c-d894be57df1d,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -13b8911d-d000-4cce-b41c-d894be57df1d,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -13b8911d-d000-4cce-b41c-d894be57df1d,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -9e897983-45a9-4157-b978-881543bbc7fd,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -6be0cc82-3b6f-4e94-9d75-617c90af5e7c,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -6be0cc82-3b6f-4e94-9d75-617c90af5e7c,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -6be0cc82-3b6f-4e94-9d75-617c90af5e7c,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -d03da252-88f6-46b3-90c4-ae6c215900a8,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -a607fba4-e122-46b8-b49f-97ec3d224bdf,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -d651bedc-f6a0-412b-8461-c02652c52ec7,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -d651bedc-f6a0-412b-8461-c02652c52ec7,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -07181504-86b9-419c-a584-2081796350f4,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -30ab6984-db33-48a3-95fe-a1e7c257b05e,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -30ab6984-db33-48a3-95fe-a1e7c257b05e,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -30ab6984-db33-48a3-95fe-a1e7c257b05e,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -f2786885-7663-42ba-b387-838d7999ff01,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -f2786885-7663-42ba-b387-838d7999ff01,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -056106f8-cbb1-4c3b-aabf-e0a8ddc4b57d,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -056106f8-cbb1-4c3b-aabf-e0a8ddc4b57d,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -a89e2353-3f8c-4d6d-b952-20a01d5dd187,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -a89e2353-3f8c-4d6d-b952-20a01d5dd187,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -3cb26040-9494-4ef4-bef7-eab2a3e9b9b7,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -3cb26040-9494-4ef4-bef7-eab2a3e9b9b7,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -b11d88a5-662e-4017-8724-6df6a7890435,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -a9c08a2e-b6ad-40eb-a767-0b57545e9db3,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -a8bdcdcd-f639-4776-b815-73e2d024372c,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -a8bdcdcd-f639-4776-b815-73e2d024372c,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -333838e9-1fda-47f3-9b48-50671d48c717,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -9b7edc55-017b-4634-a702-6a0eca92c9a8,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -9b7edc55-017b-4634-a702-6a0eca92c9a8,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -86334c4e-6dda-4743-a3ea-e8586906f46e,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -86334c4e-6dda-4743-a3ea-e8586906f46e,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -86334c4e-6dda-4743-a3ea-e8586906f46e,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -787bc0ac-40ea-4259-85ad-7a612fa97c66,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -787bc0ac-40ea-4259-85ad-7a612fa97c66,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -787bc0ac-40ea-4259-85ad-7a612fa97c66,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -135051de-9ce7-4489-b1f0-7733cad397d2,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -8b9bb052-2a97-4c69-a0bd-b5ba2eafed2b,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -8b9bb052-2a97-4c69-a0bd-b5ba2eafed2b,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -8b9bb052-2a97-4c69-a0bd-b5ba2eafed2b,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -05901586-e3f8-41a3-9bf4-a81b546ed65d,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -05901586-e3f8-41a3-9bf4-a81b546ed65d,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -05901586-e3f8-41a3-9bf4-a81b546ed65d,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -4f4932ee-c2ea-4030-adab-f6a02cfaf571,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -4f4932ee-c2ea-4030-adab-f6a02cfaf571,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -b929cc47-30d1-4871-b431-b3755537234e,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -b929cc47-30d1-4871-b431-b3755537234e,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -b929cc47-30d1-4871-b431-b3755537234e,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -7b806c4f-730c-4d20-8546-a7cc46cbd9cc,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -7b806c4f-730c-4d20-8546-a7cc46cbd9cc,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -d1596596-f844-4179-9e7c-5704195aefe6,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -60e46e8e-f41c-4cc8-875d-36253a58d197,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -60e46e8e-f41c-4cc8-875d-36253a58d197,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -ed02b64a-bf66-4383-bd26-78709e27b295,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -6d439c2b-8de7-48e9-bb10-a180ba51cdfc,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -2ad16adc-c924-41b0-a98b-c2610e7f461b,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -1ebc9f47-53fe-462f-befc-59dfeab1026e,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -1ebc9f47-53fe-462f-befc-59dfeab1026e,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -e2a07ade-5ae3-4985-a49b-b337d12d40d3,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -e2a07ade-5ae3-4985-a49b-b337d12d40d3,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -efd974fa-3f0a-4a72-b9ad-ab95f349e3ac,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -efd974fa-3f0a-4a72-b9ad-ab95f349e3ac,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -ca056328-c460-4937-b761-2d85fe1de73a,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -328c2121-de29-47fe-902d-7b07e94e8da6,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -328c2121-de29-47fe-902d-7b07e94e8da6,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -328c2121-de29-47fe-902d-7b07e94e8da6,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -d402fb49-cc51-496a-b8d7-df1fbc1d1219,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -d402fb49-cc51-496a-b8d7-df1fbc1d1219,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -d402fb49-cc51-496a-b8d7-df1fbc1d1219,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -922c9d10-b454-49e5-bfb2-d733b013ce5b,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -c3f4a98b-6f90-4a15-b293-eaf5282e51cd,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -c3f4a98b-6f90-4a15-b293-eaf5282e51cd,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -c3f4a98b-6f90-4a15-b293-eaf5282e51cd,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -dce0b3d5-c851-4d1a-bc7b-2e24d0809c67,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -dce0b3d5-c851-4d1a-bc7b-2e24d0809c67,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -f7d11363-0573-4ff2-81b9-b75ce6736b74,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -68f958a4-0c0d-490c-aebf-5caed1f887c5,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -68f958a4-0c0d-490c-aebf-5caed1f887c5,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -68f958a4-0c0d-490c-aebf-5caed1f887c5,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -ae9acdd2-cb21-4228-855b-798624afe569,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -6b748961-7c86-40b9-bc7a-c7aba1259d57,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -b768b54b-9783-495e-ab27-6aa6338f527a,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -b768b54b-9783-495e-ab27-6aa6338f527a,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -b768b54b-9783-495e-ab27-6aa6338f527a,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -a3a87e3f-d5b4-49f1-aa2f-5564405e44c1,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -a3a87e3f-d5b4-49f1-aa2f-5564405e44c1,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -4d2860d4-af78-4c7a-9152-f8fc9c133bb8,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -fad787b0-f686-4372-bf49-aae63abaf2a0,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -fad787b0-f686-4372-bf49-aae63abaf2a0,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -fad787b0-f686-4372-bf49-aae63abaf2a0,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -aa6b2be2-dca5-4d02-a5cd-6d32e636ddf2,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -aa6b2be2-dca5-4d02-a5cd-6d32e636ddf2,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -3c984abc-144b-4bec-83ad-a95702dbfa93,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -3c984abc-144b-4bec-83ad-a95702dbfa93,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -bec166f7-b2e5-495b-a769-eca19ad62dbc,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -bec166f7-b2e5-495b-a769-eca19ad62dbc,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -bec166f7-b2e5-495b-a769-eca19ad62dbc,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -88b6ed91-b054-4a5f-b016-7083a79c7b91,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -56f56d74-330c-4336-9b19-22b3477b6904,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -dc55416a-127c-4d24-b877-61f73e3ec9de,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -dc55416a-127c-4d24-b877-61f73e3ec9de,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -dc55416a-127c-4d24-b877-61f73e3ec9de,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -3b75f1d2-752f-47cc-9b81-a1910a7d366f,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -3b75f1d2-752f-47cc-9b81-a1910a7d366f,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -3b75f1d2-752f-47cc-9b81-a1910a7d366f,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -f79bedbe-3eda-4ff7-8349-6dfe70a41505,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -f79bedbe-3eda-4ff7-8349-6dfe70a41505,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -f79bedbe-3eda-4ff7-8349-6dfe70a41505,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -01ae0f44-5908-4ac8-9a51-48866bd69e72,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -fdd23505-916a-42c1-a80e-bac514ea2b35,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -fdd23505-916a-42c1-a80e-bac514ea2b35,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -fdd23505-916a-42c1-a80e-bac514ea2b35,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -032966b7-ed05-4208-be72-c2eaf246fed9,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -801b643a-b2fe-484e-a5d4-72ccd32f4175,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -c31091c2-393c-4851-a26e-36ab6d9d5180,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -c31091c2-393c-4851-a26e-36ab6d9d5180,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -64f964d2-d74c-4ea1-9158-60c855ecaaa3,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -64f964d2-d74c-4ea1-9158-60c855ecaaa3,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -64f964d2-d74c-4ea1-9158-60c855ecaaa3,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -de0982b1-46ed-4661-b4a0-10a06a8c48ec,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -de0982b1-46ed-4661-b4a0-10a06a8c48ec,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -de0982b1-46ed-4661-b4a0-10a06a8c48ec,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -494585c0-0a6e-4cae-b9f1-0e87f8469342,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -494585c0-0a6e-4cae-b9f1-0e87f8469342,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -dfa964c5-fbaf-46ec-9b99-dd0480e084a7,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -0541c75f-eb0d-4569-93ff-a751ed66486f,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -0541c75f-eb0d-4569-93ff-a751ed66486f,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -0541c75f-eb0d-4569-93ff-a751ed66486f,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -7ca591e4-6506-4459-bec8-9bcdfa71e1e9,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -7ca591e4-6506-4459-bec8-9bcdfa71e1e9,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -7ca591e4-6506-4459-bec8-9bcdfa71e1e9,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -8b97c3bf-0393-43db-b22a-2a199aeaffec,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -8b97c3bf-0393-43db-b22a-2a199aeaffec,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -456716be-2b9a-4d69-87b4-7ba1d8f7e847,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -b3a25557-7a82-44a0-907a-86471fd3e11a,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -b3a25557-7a82-44a0-907a-86471fd3e11a,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -b3a25557-7a82-44a0-907a-86471fd3e11a,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -7e56a278-a879-4995-b3ff-4292abf42f81,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -7e56a278-a879-4995-b3ff-4292abf42f81,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -7e56a278-a879-4995-b3ff-4292abf42f81,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -23655fcf-e5f9-481b-ae28-7b676d3011d2,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -23655fcf-e5f9-481b-ae28-7b676d3011d2,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -23655fcf-e5f9-481b-ae28-7b676d3011d2,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -fe133032-92dc-42da-a7f4-493956a1ed0d,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -23329d36-9993-4e61-b51d-4a96e4898bb9,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -2d2f8bb6-730b-4e9f-b18c-84bd068a681b,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -2d2f8bb6-730b-4e9f-b18c-84bd068a681b,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -8c7ca03a-97a9-4f9b-86c8-9745c9807684,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -8c7ca03a-97a9-4f9b-86c8-9745c9807684,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -8c7ca03a-97a9-4f9b-86c8-9745c9807684,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -3ce734d3-2cf0-4149-8d8b-8f334024075c,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -3ce734d3-2cf0-4149-8d8b-8f334024075c,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -3ce734d3-2cf0-4149-8d8b-8f334024075c,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -ecb9f71d-80b2-4af0-8691-b1180d060ea3,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -ecb9f71d-80b2-4af0-8691-b1180d060ea3,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -ecb9f71d-80b2-4af0-8691-b1180d060ea3,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -40570f34-6d81-4f39-b067-26e9ecc6d9b2,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -40570f34-6d81-4f39-b067-26e9ecc6d9b2,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -bf23e8db-b018-4c91-b206-be99c83a113f,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -bf23e8db-b018-4c91-b206-be99c83a113f,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -bf23e8db-b018-4c91-b206-be99c83a113f,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -e55d1aba-8dba-4d53-9a3f-d9c8dfc4fb61,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -e55d1aba-8dba-4d53-9a3f-d9c8dfc4fb61,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -185d6dbb-c94c-4c97-ae8d-13a8e5812cdd,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -185d6dbb-c94c-4c97-ae8d-13a8e5812cdd,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -9d11c708-e9be-4f14-988b-13a4a82ac878,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -49abb7e7-da9c-45b8-89e0-21a6fc17f121,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -49abb7e7-da9c-45b8-89e0-21a6fc17f121,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -46792ba0-b359-46bd-9f94-041e70973264,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -46792ba0-b359-46bd-9f94-041e70973264,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -46792ba0-b359-46bd-9f94-041e70973264,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -d10ff1f2-d588-4b96-8e52-0d6d37384c5b,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -2d52402b-294f-45ba-8eb4-48db48cab8b9,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -6f6c60bb-a83f-49c7-8ff9-4b7c1a9bc350,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -6f6c60bb-a83f-49c7-8ff9-4b7c1a9bc350,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -5dcc82f0-aacd-4c7c-b4bc-4682b864822a,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -5dcc82f0-aacd-4c7c-b4bc-4682b864822a,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -5dcc82f0-aacd-4c7c-b4bc-4682b864822a,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -4d428663-663d-49a3-aee6-71fee0e70ddb,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -4d428663-663d-49a3-aee6-71fee0e70ddb,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -4d428663-663d-49a3-aee6-71fee0e70ddb,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -2d92366f-c52e-4b67-8a7b-c5370f7e31b6,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -2d92366f-c52e-4b67-8a7b-c5370f7e31b6,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -8433d602-6b7f-4f17-9bf3-a8e2f63ad8ba,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -448657a9-6bb5-49f7-ae21-7067892864c8,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -448657a9-6bb5-49f7-ae21-7067892864c8,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -ee1f3781-b6ad-4fe6-8acc-6492b68dce46,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -fa3cb8cf-6b4a-42f1-be7a-3bd2aafd36e8,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -20da5874-a917-4ed3-863f-15ad53d7249f,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -20da5874-a917-4ed3-863f-15ad53d7249f,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -20da5874-a917-4ed3-863f-15ad53d7249f,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -283eb3ad-3d44-421a-aa17-de1487004981,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -283eb3ad-3d44-421a-aa17-de1487004981,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -283eb3ad-3d44-421a-aa17-de1487004981,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -2b36fb52-171d-443f-8ed7-585856cfd0b9,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -2b36fb52-171d-443f-8ed7-585856cfd0b9,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -d8544ef5-915f-4deb-8131-e0c64b37165f,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -d8544ef5-915f-4deb-8131-e0c64b37165f,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -d8544ef5-915f-4deb-8131-e0c64b37165f,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -2de6ad84-9cca-4384-9b80-e47e3d6c94fb,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -2de6ad84-9cca-4384-9b80-e47e3d6c94fb,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -2de6ad84-9cca-4384-9b80-e47e3d6c94fb,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -bb5d070d-4cc9-4b78-8627-1e8ac8a775a5,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -bb5d070d-4cc9-4b78-8627-1e8ac8a775a5,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -bb5d070d-4cc9-4b78-8627-1e8ac8a775a5,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -ae5b02fe-71cc-4996-bbe2-f5939725c37c,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -9724e3da-ea99-4756-a831-6c14d7afb488,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -9724e3da-ea99-4756-a831-6c14d7afb488,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -a2234560-1749-44d6-8db0-280cffff316e,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -51d917f7-e3e0-4528-9b8b-8c6a5f3f81a7,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -51d917f7-e3e0-4528-9b8b-8c6a5f3f81a7,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -51d917f7-e3e0-4528-9b8b-8c6a5f3f81a7,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -d78e032e-41be-49b3-b3fe-dc1d87d33979,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -d78e032e-41be-49b3-b3fe-dc1d87d33979,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -730e12f4-6771-40fd-9225-5a0ddda5b6b7,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -5dfb7274-d200-43d1-8303-cec0a9b4372d,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -832d46e1-7c49-406f-b183-4f5289bb6226,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -832d46e1-7c49-406f-b183-4f5289bb6226,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -832d46e1-7c49-406f-b183-4f5289bb6226,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -89060b02-a8a3-46eb-be18-b8f64084fa19,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -132063b5-bca1-4772-af7b-fbe07d9bf89a,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -132063b5-bca1-4772-af7b-fbe07d9bf89a,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -7922da77-3889-4aff-894f-3114f90ca8eb,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -76778e07-06c8-451e-9250-d9c042cbf4f6,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -76778e07-06c8-451e-9250-d9c042cbf4f6,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -76778e07-06c8-451e-9250-d9c042cbf4f6,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -fda08281-e8d3-4778-b49b-d25b2448587b,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -1e2f52dc-be5e-4f60-90df-215c95872b75,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -b77a01cc-62d1-4d8a-93ba-5a34d0643460,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -b77a01cc-62d1-4d8a-93ba-5a34d0643460,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -5dd84796-56a0-4b30-a3c2-b93a8e8e76a1,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -5dd84796-56a0-4b30-a3c2-b93a8e8e76a1,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -14de3fe2-0a5a-4d7f-be29-efc0c1debc30,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -14de3fe2-0a5a-4d7f-be29-efc0c1debc30,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -ac8af993-5a6a-4ad2-b37a-11c58eaba5b4,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -ac8af993-5a6a-4ad2-b37a-11c58eaba5b4,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -d30a4d5f-18fb-4b15-8831-c1e4e0596e17,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -5f1c31d1-5437-43eb-baa4-dc99bc0a6a07,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -5f1c31d1-5437-43eb-baa4-dc99bc0a6a07,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -544d2bce-f691-4575-bbf2-13345a0c2061,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -544d2bce-f691-4575-bbf2-13345a0c2061,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -544d2bce-f691-4575-bbf2-13345a0c2061,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -d1986e79-7a0e-4964-ac50-6ad83539d18f,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -d1986e79-7a0e-4964-ac50-6ad83539d18f,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -d1986e79-7a0e-4964-ac50-6ad83539d18f,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -ea277a5c-969b-4eaa-a8e4-5f96d4247b0b,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -ea277a5c-969b-4eaa-a8e4-5f96d4247b0b,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -ef2bca43-d5f6-4bab-af51-bf69070c594f,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -ef2bca43-d5f6-4bab-af51-bf69070c594f,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -ef2bca43-d5f6-4bab-af51-bf69070c594f,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -93f2d4c2-24ef-4c1b-b7de-5eb21f9ac055,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -93f2d4c2-24ef-4c1b-b7de-5eb21f9ac055,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -49ce29dd-a7d3-41dd-9d8a-5e78f225d6c2,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -49ce29dd-a7d3-41dd-9d8a-5e78f225d6c2,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -49ce29dd-a7d3-41dd-9d8a-5e78f225d6c2,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -3f701115-2c2b-45a6-a52f-f7da839dbec5,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -7ccb490f-f2c2-4a3b-ab2e-bf69324ac261,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -7ccb490f-f2c2-4a3b-ab2e-bf69324ac261,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -a74e40f9-c5d6-443a-bbfb-bbe5dd27fb20,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -eef30bb5-472b-45af-835b-e45f38215753,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -eef30bb5-472b-45af-835b-e45f38215753,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -eef30bb5-472b-45af-835b-e45f38215753,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -e0e2f2fe-a08a-4a3d-8135-9c3b12c6aa25,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -5e34cf9d-6b9e-4630-9c58-d4a5972cac80,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -5e34cf9d-6b9e-4630-9c58-d4a5972cac80,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -3f3be2eb-552c-4646-93ea-bb1366f3abc6,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -3f3be2eb-552c-4646-93ea-bb1366f3abc6,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -41140f88-63ad-4636-ba8f-c56144f6109a,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -2953daff-3c58-4baa-b140-ec0e8f9d2953,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -a11c8d98-4a71-45e8-ac96-bfa8a1bade79,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -ff72905f-773b-41ec-a587-46fbc9616a71,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -ff72905f-773b-41ec-a587-46fbc9616a71,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -ff72905f-773b-41ec-a587-46fbc9616a71,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -f000bdaf-706c-4697-9857-1c353e67595b,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -87db822d-5e54-4af7-b9fc-72d406d4022f,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -87db822d-5e54-4af7-b9fc-72d406d4022f,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -90445b39-e719-4c7f-ace1-d71a71f5bea9,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -90445b39-e719-4c7f-ace1-d71a71f5bea9,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -90445b39-e719-4c7f-ace1-d71a71f5bea9,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -113ccbd9-893d-40e9-a056-75e7cd01db28,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -113ccbd9-893d-40e9-a056-75e7cd01db28,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -9bd96bf7-88fa-4473-9860-3325e9ff885a,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -9bd96bf7-88fa-4473-9860-3325e9ff885a,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -6bec9301-8d62-4cf9-94fe-2e8f2d97ee73,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -6bec9301-8d62-4cf9-94fe-2e8f2d97ee73,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -6bec9301-8d62-4cf9-94fe-2e8f2d97ee73,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -d059a962-37a3-48fa-9af3-37880db525d0,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -1ff5d8ea-418d-44bc-8dec-f060a5f64081,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -1ff5d8ea-418d-44bc-8dec-f060a5f64081,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -583ee4f5-29d4-40e7-98cb-cbf68461d773,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -4386e677-e092-46eb-a79c-8ee258e91da5,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -701f1599-fcbd-4753-b75f-498883c7900b,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -701f1599-fcbd-4753-b75f-498883c7900b,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -701f1599-fcbd-4753-b75f-498883c7900b,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -d4b65285-68e4-4870-82ad-b733e034d9e5,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -d4b65285-68e4-4870-82ad-b733e034d9e5,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -05db8c85-ae12-46fa-aebe-ccf0ef9be26c,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -05db8c85-ae12-46fa-aebe-ccf0ef9be26c,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -c1c44c11-77fc-409f-8b17-0ec448d44257,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -c1c44c11-77fc-409f-8b17-0ec448d44257,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -3e0791a4-cda5-4953-9848-8817ece91242,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -3e0791a4-cda5-4953-9848-8817ece91242,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -4ad905c6-49ce-4b30-8cc7-463416f4f021,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -4ad905c6-49ce-4b30-8cc7-463416f4f021,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -4ad905c6-49ce-4b30-8cc7-463416f4f021,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -202abedb-2821-4155-8980-ba9e2d9c7e8a,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -202abedb-2821-4155-8980-ba9e2d9c7e8a,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -202abedb-2821-4155-8980-ba9e2d9c7e8a,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -e88ed74b-0ce6-4176-88ca-4fcdca0fdcc5,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -cba1ef47-5b4b-47ca-b3da-0c754b6cdb5b,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -989e2b58-4cde-4727-8fac-674a97b84be6,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -989e2b58-4cde-4727-8fac-674a97b84be6,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -0eb26845-18f4-4bb2-85fb-9b2068f92395,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -0eb26845-18f4-4bb2-85fb-9b2068f92395,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -0eb26845-18f4-4bb2-85fb-9b2068f92395,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -e613fd38-6424-460c-afc1-3ed0ce088e05,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -e613fd38-6424-460c-afc1-3ed0ce088e05,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -e613fd38-6424-460c-afc1-3ed0ce088e05,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -ae7959cf-a90a-4ff7-a26b-398cbb2ca918,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -ae7959cf-a90a-4ff7-a26b-398cbb2ca918,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -ae7959cf-a90a-4ff7-a26b-398cbb2ca918,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -ca98dd39-aca5-45c1-92f2-b9c576e0159e,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -3fce8fbb-d010-4a58-b088-c9c9207dcf17,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -3fce8fbb-d010-4a58-b088-c9c9207dcf17,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -2bff7d75-141b-4c75-956b-695e92d6dae4,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -261154c4-a23b-466a-af85-d248aa898967,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -8f5ad32e-6eb8-4caa-99df-7197af941145,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -8f5ad32e-6eb8-4caa-99df-7197af941145,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -18970d37-8b76-42a6-ba2a-6f25a52f5adf,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -18970d37-8b76-42a6-ba2a-6f25a52f5adf,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -18970d37-8b76-42a6-ba2a-6f25a52f5adf,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -e92dfb93-424f-416e-9405-9159a025529b,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -e92dfb93-424f-416e-9405-9159a025529b,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -e92dfb93-424f-416e-9405-9159a025529b,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -d27003ac-e8d3-4b7c-b637-c0af20f6443c,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -d2d1debe-f5f9-438c-b1f5-d1ce00a33bed,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -50187d8d-65e9-4e73-913a-78118fa8c07b,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -50187d8d-65e9-4e73-913a-78118fa8c07b,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -50187d8d-65e9-4e73-913a-78118fa8c07b,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -22d6c7a5-0128-48d7-8bfb-fa962bfced79,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -22d6c7a5-0128-48d7-8bfb-fa962bfced79,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -53d735f1-5116-418e-8a19-b61c797c3a81,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -53d735f1-5116-418e-8a19-b61c797c3a81,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -0e1c6bee-a73a-457f-93b8-3c210cbdd1cf,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -0e1c6bee-a73a-457f-93b8-3c210cbdd1cf,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -7d89fd1c-d8ea-4f4c-988d-f966c5f8fccd,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -7d89fd1c-d8ea-4f4c-988d-f966c5f8fccd,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -7d89fd1c-d8ea-4f4c-988d-f966c5f8fccd,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -d575ff50-16bb-43c2-9b4a-389f7a95defa,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -d575ff50-16bb-43c2-9b4a-389f7a95defa,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -d575ff50-16bb-43c2-9b4a-389f7a95defa,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -f2c5c3c3-542a-473a-ab71-4413e89b207f,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -f2c5c3c3-542a-473a-ab71-4413e89b207f,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -f2c5c3c3-542a-473a-ab71-4413e89b207f,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -f066d430-6bb9-4b1e-bf10-9d3e0094b4de,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -b89ed301-d83e-472f-9165-1d9e1694c870,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -b89ed301-d83e-472f-9165-1d9e1694c870,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -b89ed301-d83e-472f-9165-1d9e1694c870,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -1191e020-8e90-41ee-b499-e1b542e7f4a9,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -1191e020-8e90-41ee-b499-e1b542e7f4a9,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -74cc5700-641a-40c8-95df-92750df5d1cc,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -74cc5700-641a-40c8-95df-92750df5d1cc,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -82e5cf3b-7f79-47bc-acaa-c7d70ddc6afe,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -82e5cf3b-7f79-47bc-acaa-c7d70ddc6afe,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -82e5cf3b-7f79-47bc-acaa-c7d70ddc6afe,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -35f7ffb8-e48f-4d31-aa09-7290844dd028,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -35f7ffb8-e48f-4d31-aa09-7290844dd028,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -35f7ffb8-e48f-4d31-aa09-7290844dd028,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -8b6aca22-17f4-409e-a76e-febb07d3f0df,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -8b6aca22-17f4-409e-a76e-febb07d3f0df,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -8b6aca22-17f4-409e-a76e-febb07d3f0df,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -a4065c0e-cff6-4aa6-b793-42a3a8bfe656,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -8658bac3-61ab-46ad-b6cb-90f375c2d35d,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -8658bac3-61ab-46ad-b6cb-90f375c2d35d,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -aca9f63a-6f1a-4bee-b7a3-721f0d560fe6,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -aca9f63a-6f1a-4bee-b7a3-721f0d560fe6,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -aca9f63a-6f1a-4bee-b7a3-721f0d560fe6,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -e2335028-1b10-4a7a-8cc7-49e75e0c0ca2,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -e9d6345e-2aa0-4201-8428-64d459b7b7ef,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -e9d6345e-2aa0-4201-8428-64d459b7b7ef,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -e9d6345e-2aa0-4201-8428-64d459b7b7ef,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -9e45fef6-a66e-4239-8bec-a3482a4f2a2a,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -9e45fef6-a66e-4239-8bec-a3482a4f2a2a,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -9e45fef6-a66e-4239-8bec-a3482a4f2a2a,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -674f21bb-612e-489f-bd7a-04047e89c2aa,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -1b8bb294-3c32-4f90-b6e5-bd08c5e24198,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -465888b5-85da-48c5-ae3d-ca6cd4345fad,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -465888b5-85da-48c5-ae3d-ca6cd4345fad,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -c810eb00-ec6a-46d9-b1fd-533b28a2a31e,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -c810eb00-ec6a-46d9-b1fd-533b28a2a31e,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -1cd48d19-fc7d-4140-b001-9ff74c61b3c4,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -1cd48d19-fc7d-4140-b001-9ff74c61b3c4,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -1cd48d19-fc7d-4140-b001-9ff74c61b3c4,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -eeb45222-5c6a-4e85-b7c2-f553eaaaf5f8,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -eeb45222-5c6a-4e85-b7c2-f553eaaaf5f8,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -ad52d3db-928f-4e9b-983c-d109eb54ece7,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -45468383-4138-488a-8113-f5887d556180,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -45468383-4138-488a-8113-f5887d556180,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -45468383-4138-488a-8113-f5887d556180,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -90317ea7-224e-4e72-9265-de9fe8d08990,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -90317ea7-224e-4e72-9265-de9fe8d08990,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -90317ea7-224e-4e72-9265-de9fe8d08990,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -82a2da28-f000-4177-8595-fa7cca3065a7,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -82a2da28-f000-4177-8595-fa7cca3065a7,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -82a2da28-f000-4177-8595-fa7cca3065a7,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -de793a9a-c166-4814-b21a-dd95ba0adbe7,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -f1e6bfe4-f3bc-4c9b-b61b-7642a61e2b49,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -f1e6bfe4-f3bc-4c9b-b61b-7642a61e2b49,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -afe28da3-e658-49d6-a586-2598131e59b1,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -e658dade-c630-4d23-a7dc-76c37d4266bd,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -4312941e-d402-4a83-9a32-7686d2df8450,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -1bc6e8ba-9a7f-4139-b01c-c92c8313de53,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -1bc6e8ba-9a7f-4139-b01c-c92c8313de53,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -160c907e-1971-40d1-9b24-22442a3baecc,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -49c162af-5610-4ba5-904f-5f43a62616d2,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -49c162af-5610-4ba5-904f-5f43a62616d2,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -49c162af-5610-4ba5-904f-5f43a62616d2,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -c3e347c3-8180-4b3e-bae7-cf2d3ad94863,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -7f38dc26-2a4c-40de-897a-e88bd291c77c,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -7f38dc26-2a4c-40de-897a-e88bd291c77c,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -3c41fbc0-e98e-456c-bbdf-5a373b05a4eb,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -3c41fbc0-e98e-456c-bbdf-5a373b05a4eb,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -7c1c774b-cd68-4dce-ac30-f4905f5a7251,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -7c1c774b-cd68-4dce-ac30-f4905f5a7251,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -4dd0098b-ab88-4dda-aafd-308ad0456c38,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -4dd0098b-ab88-4dda-aafd-308ad0456c38,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -1087c2c3-affd-4fce-a791-742bdcb01878,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -1087c2c3-affd-4fce-a791-742bdcb01878,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -1087c2c3-affd-4fce-a791-742bdcb01878,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -a12be331-f831-424f-96f1-09e422680f38,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -a12be331-f831-424f-96f1-09e422680f38,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -27076c94-cc27-4b6f-bc1d-6c2fdd1f1458,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -27076c94-cc27-4b6f-bc1d-6c2fdd1f1458,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -27076c94-cc27-4b6f-bc1d-6c2fdd1f1458,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -f9eaba43-d24d-49d8-a062-c2eca57c97d0,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -97c2ee97-14b1-44c2-9939-99108490bf8f,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -97c2ee97-14b1-44c2-9939-99108490bf8f,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -97c2ee97-14b1-44c2-9939-99108490bf8f,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -cb760ace-a606-4836-91d1-58bae4d14f01,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -941e35d9-74dc-4c1a-b8d1-e1b6d2b5efe3,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -7a112460-1b90-43e1-8ffb-6ce25e7562c8,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -7a112460-1b90-43e1-8ffb-6ce25e7562c8,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -60818647-e7ec-41de-8c47-2d8c76f63b50,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -01d906bc-0aa1-4959-ba9b-f11450bf0f14,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -01d906bc-0aa1-4959-ba9b-f11450bf0f14,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -01d906bc-0aa1-4959-ba9b-f11450bf0f14,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -bea008d8-e16b-405b-8c72-34305ce239eb,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -6381d23b-429b-4343-b47b-43e188034de2,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -6381d23b-429b-4343-b47b-43e188034de2,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -a54bc267-2c2e-471c-8257-8dd070bf16cb,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -85cc3d5f-a86e-4d1c-9de8-6c71cacec9e5,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -b823530f-a332-4c0a-a5e5-287087f73392,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -b823530f-a332-4c0a-a5e5-287087f73392,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -fe033c11-fe49-4589-a812-a8ed95864060,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -a6493420-feb3-419c-a575-d8a46706814f,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -a6493420-feb3-419c-a575-d8a46706814f,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -079cd360-debe-4f7c-8175-6e21157faa40,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -079cd360-debe-4f7c-8175-6e21157faa40,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -092e8987-9410-4d4c-8d49-ae8b2f432b55,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -092e8987-9410-4d4c-8d49-ae8b2f432b55,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -31307cf7-2acc-4e6b-9791-fc995119f739,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -31307cf7-2acc-4e6b-9791-fc995119f739,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -7982e470-306e-4986-a63a-1b583788d3ad,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -7982e470-306e-4986-a63a-1b583788d3ad,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -30a7ded3-4df7-4da3-b53a-0d8514ce5c46,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -30a7ded3-4df7-4da3-b53a-0d8514ce5c46,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -1f6122c6-dc9e-465c-a3ca-53806b01b4bb,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -00d17e82-4b20-45f7-8cd3-ae39b0d9f067,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -00d17e82-4b20-45f7-8cd3-ae39b0d9f067,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -00d17e82-4b20-45f7-8cd3-ae39b0d9f067,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -74002db9-b909-4580-b352-f1478c09e6d1,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -74002db9-b909-4580-b352-f1478c09e6d1,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -f6b360ab-b511-42f2-8c8b-d459d8da3d08,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -8aea56cf-ee17-4685-b945-3a9637f0a578,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -8aea56cf-ee17-4685-b945-3a9637f0a578,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -8aea56cf-ee17-4685-b945-3a9637f0a578,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -52a45f02-2ddf-44db-bb89-143bf4513ec5,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -2fe0a01a-9935-420b-9169-efa34bfcb9f3,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -34c33af0-995e-4cb7-87d3-cec4704a1729,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -34c33af0-995e-4cb7-87d3-cec4704a1729,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -b7d9779c-929e-4658-a1a0-aa19927f7bd0,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -1ba438d4-e8e8-4a7b-819a-917e6168b659,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -1ba438d4-e8e8-4a7b-819a-917e6168b659,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -1ba438d4-e8e8-4a7b-819a-917e6168b659,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -ff11fc82-3582-42ed-bf36-cd0e55c97496,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -c2c639b8-14e4-4f75-8f44-6fc2611b6026,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -f13c4566-0a91-4a66-8ab3-a1a0a4d47241,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -f13c4566-0a91-4a66-8ab3-a1a0a4d47241,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -e519f57e-02f7-45ed-ab07-30c138017c4d,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -2176dada-4fd8-49fc-b3e3-69dbf02f2f5e,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -2176dada-4fd8-49fc-b3e3-69dbf02f2f5e,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -69aef925-6a8a-41bb-b6d9-4eb4a0e1027f,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -69aef925-6a8a-41bb-b6d9-4eb4a0e1027f,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -69aef925-6a8a-41bb-b6d9-4eb4a0e1027f,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -c95033f5-8d99-41a0-b7d6-a45326cceb27,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -bf2c75ce-6ca1-4750-a629-64c22fed3d73,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -bf2c75ce-6ca1-4750-a629-64c22fed3d73,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -234f0289-52ee-4060-ad9f-22f60d0f1d47,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -234f0289-52ee-4060-ad9f-22f60d0f1d47,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -2a33f9fa-3777-4aa2-a4af-47550ead8e23,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -f877f156-00be-4d21-a6c7-323264502f40,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -f877f156-00be-4d21-a6c7-323264502f40,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -f877f156-00be-4d21-a6c7-323264502f40,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -6469a871-441d-480e-b493-8f368d5fa7c0,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -ed72292a-41e9-48ef-be2d-731fcb85055f,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -fcd76b72-2400-4a8e-a560-64053558a1c6,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -fcd76b72-2400-4a8e-a560-64053558a1c6,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -fcd76b72-2400-4a8e-a560-64053558a1c6,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -dc1e2dc8-6e64-4822-aa38-bde44855564d,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -2ad5eedf-1ff5-40a3-914f-93cf58800c69,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -2ad5eedf-1ff5-40a3-914f-93cf58800c69,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -2ad5eedf-1ff5-40a3-914f-93cf58800c69,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -05410bd8-71c8-4551-ad84-47737331bd20,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -05410bd8-71c8-4551-ad84-47737331bd20,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -05410bd8-71c8-4551-ad84-47737331bd20,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -4285853d-e4f4-4f00-a8f3-fac4f870032f,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -4285853d-e4f4-4f00-a8f3-fac4f870032f,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -86e2ecac-a12b-46e7-b89e-ee2653f7ead8,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -7844a834-455b-4228-be3f-4d903bdb3ce1,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -7844a834-455b-4228-be3f-4d903bdb3ce1,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -0147a158-d8f2-4ef9-a2ca-3704562e341a,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -0147a158-d8f2-4ef9-a2ca-3704562e341a,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -10e2116b-540e-4833-affe-5f7374aa30b8,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -e37fedb6-b4ca-49e7-8d96-b3b9acb47232,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -58a49339-ebc5-4251-a38f-3305bd0b0377,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -58a49339-ebc5-4251-a38f-3305bd0b0377,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -cdfd6f68-17ed-48cf-8fc3-7328a29737aa,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -1f62d401-2452-40fe-b1ae-02ca974943e2,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -3d0d97d1-eedb-425e-a5a8-d3dd5f183ce5,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -96597791-6929-46e5-8736-26d5a5805115,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -96597791-6929-46e5-8736-26d5a5805115,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -96597791-6929-46e5-8736-26d5a5805115,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -7f6749c3-9618-4560-bcca-609fd2f71a4a,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -36bf5844-8114-412f-add3-43f9de129dc3,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -36bf5844-8114-412f-add3-43f9de129dc3,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -0aab3ad5-b931-4d4a-92a5-c77efe1325a0,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -0aab3ad5-b931-4d4a-92a5-c77efe1325a0,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -0aab3ad5-b931-4d4a-92a5-c77efe1325a0,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -dec83a35-e440-4521-b95d-37d3f8bcfcf6,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -dec83a35-e440-4521-b95d-37d3f8bcfcf6,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -db5205a6-dd3b-4050-b6c4-7d83e78e60f5,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -db5205a6-dd3b-4050-b6c4-7d83e78e60f5,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -db5205a6-dd3b-4050-b6c4-7d83e78e60f5,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -ddcf795b-7d57-4840-9b0c-83576cc3462e,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -4777e1f4-4de5-43a6-b577-63831811e228,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -4777e1f4-4de5-43a6-b577-63831811e228,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -4777e1f4-4de5-43a6-b577-63831811e228,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -533a4011-4b04-4db7-922c-2c2a65c0d75b,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -533a4011-4b04-4db7-922c-2c2a65c0d75b,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -533a4011-4b04-4db7-922c-2c2a65c0d75b,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -c520be73-345a-45ae-8d0c-4afd04fbd273,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -c520be73-345a-45ae-8d0c-4afd04fbd273,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -c520be73-345a-45ae-8d0c-4afd04fbd273,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -644dce3f-5b59-420a-8abc-c65d4eef9a8c,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -644dce3f-5b59-420a-8abc-c65d4eef9a8c,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -14680984-c44c-4fff-9562-fd812dc4e28a,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -14680984-c44c-4fff-9562-fd812dc4e28a,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -14680984-c44c-4fff-9562-fd812dc4e28a,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -e40a75a8-e74d-490e-a70e-3f203b86e9a5,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -e40a75a8-e74d-490e-a70e-3f203b86e9a5,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -e40a75a8-e74d-490e-a70e-3f203b86e9a5,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -2dbbe1af-5720-48bf-aac5-8ebb060a65b5,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -bd7a9cb9-1e06-4d8b-97e2-dde2ac12e608,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -bd7a9cb9-1e06-4d8b-97e2-dde2ac12e608,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -bd7a9cb9-1e06-4d8b-97e2-dde2ac12e608,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -c3fcfeaf-4551-440e-916c-c7c41c395796,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -641a5bc4-7f92-4848-a1db-0efb24d8f08e,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -641a5bc4-7f92-4848-a1db-0efb24d8f08e,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -641a5bc4-7f92-4848-a1db-0efb24d8f08e,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -195800c8-6149-4527-820c-04b68bda3024,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -195800c8-6149-4527-820c-04b68bda3024,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -195800c8-6149-4527-820c-04b68bda3024,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -8e229e5a-b2a8-4743-b8b9-538796520b98,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -c8e72fbb-154f-4189-a375-ce31ad448485,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -a99a6b6b-fdbe-4c01-a7eb-91710fa3816f,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -a99a6b6b-fdbe-4c01-a7eb-91710fa3816f,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -d45c8319-f647-4a9d-b6ad-1fbd296e07b8,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -d45c8319-f647-4a9d-b6ad-1fbd296e07b8,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -b0f7f9b8-5979-40e4-8d23-2fc7940a26e4,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -6d2d9d4c-6078-4f23-aa8e-a1bb7510cda3,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -8c820b86-1122-4f9a-96d2-42478d2a06a8,e5950f0d-0d24-4e2f-b96a-36ebedb604a9,FAVORITE_PLAYER -8c820b86-1122-4f9a-96d2-42478d2a06a8,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -a25f0faf-9d3b-460d-96fb-7e085bf020f5,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -495c19a4-9f61-4884-bc78-7120f4c82657,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -495c19a4-9f61-4884-bc78-7120f4c82657,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -243c52aa-6f94-4e90-a9e2-9b635d96e216,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -243c52aa-6f94-4e90-a9e2-9b635d96e216,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -ef21a204-3ab9-4c09-a46c-1f4a8de0e55c,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -d3804f80-80c2-4689-a879-2a444732b5fa,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -01c16ab6-7874-4d7d-88f6-43529536b63b,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -01c16ab6-7874-4d7d-88f6-43529536b63b,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -01c71ee9-de12-4d14-8a49-2814363255d4,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -01c71ee9-de12-4d14-8a49-2814363255d4,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -61bb44dd-3741-47fa-9c40-014a72dc88fd,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -61bb44dd-3741-47fa-9c40-014a72dc88fd,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -d9ef4e28-3137-420b-9bfb-8d40a7ae1799,c800d89e-031f-4180-b824-8fd307cf6d2b,FAVORITE_PLAYER -d9ef4e28-3137-420b-9bfb-8d40a7ae1799,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -d9ef4e28-3137-420b-9bfb-8d40a7ae1799,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -387a7bfb-544c-4a06-accb-610c39d1006b,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -270ab524-c8da-4b49-a951-b383970113db,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -270ab524-c8da-4b49-a951-b383970113db,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -2a1a75dd-9d2b-4f13-892d-e82f38bdf0d6,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -77be89f1-02bd-4436-ad28-d8dfed2dd360,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -77be89f1-02bd-4436-ad28-d8dfed2dd360,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -77be89f1-02bd-4436-ad28-d8dfed2dd360,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -418f436b-ca0f-48cc-aed0-3da4e0c308b6,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -015d44a7-4ba8-400c-803f-a6361dbcd043,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -3bce46a4-d8b1-4ddf-9d7b-f96d616c36f2,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -1424d898-5eed-4ff3-bd54-9ec2e1fbb081,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -1424d898-5eed-4ff3-bd54-9ec2e1fbb081,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -5f30c8f2-42e4-42f7-a30d-04ea716c7e92,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -5f30c8f2-42e4-42f7-a30d-04ea716c7e92,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -6a99d992-bb6f-45dd-8515-80c50bb69c6e,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -969fdb84-f868-420f-8af0-486ef7871fb0,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -42431492-7452-4904-9f50-436e4e464ea5,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -42431492-7452-4904-9f50-436e4e464ea5,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -42431492-7452-4904-9f50-436e4e464ea5,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -7151d380-c893-452e-b23a-5a9c34d5cf99,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -7151d380-c893-452e-b23a-5a9c34d5cf99,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -7151d380-c893-452e-b23a-5a9c34d5cf99,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -a76e3e47-5eb5-4ec5-ac83-8f2207d3adc9,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -1d65de53-f487-436b-866d-dd5fb3223633,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -1d65de53-f487-436b-866d-dd5fb3223633,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -1d65de53-f487-436b-866d-dd5fb3223633,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -4e770f4b-edde-4a50-8351-622ce5e8770e,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -4e770f4b-edde-4a50-8351-622ce5e8770e,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -4e770f4b-edde-4a50-8351-622ce5e8770e,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -a0f6ec45-8a5f-4d20-9ac5-5b804127182a,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -a0f6ec45-8a5f-4d20-9ac5-5b804127182a,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -a42d55ac-3dbc-4c84-9b69-87b7c4bb980e,44b1d8d5-663c-485b-94d3-c72540441aa0,FAVORITE_PLAYER -a42d55ac-3dbc-4c84-9b69-87b7c4bb980e,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -0bbd22e6-9eb3-466a-a7dd-5e57fb2ac211,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -0bbd22e6-9eb3-466a-a7dd-5e57fb2ac211,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -d88549ce-f198-4e19-bc7d-9cf62b154f7a,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -d88549ce-f198-4e19-bc7d-9cf62b154f7a,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -d6d93756-85c2-4b08-98c2-67936633db11,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -d6d93756-85c2-4b08-98c2-67936633db11,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -55e2dfe2-e62a-41e5-a2d1-a462ea92f0cd,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -55e2dfe2-e62a-41e5-a2d1-a462ea92f0cd,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -b86c468e-c132-4917-82e1-50cc67bf6a67,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -206c8c83-f409-4114-a77f-251ba71f3bf2,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -874272a8-e81b-4b7b-8ee2-1954a6f0f3e7,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -874272a8-e81b-4b7b-8ee2-1954a6f0f3e7,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -874272a8-e81b-4b7b-8ee2-1954a6f0f3e7,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -cc8b0c6c-986d-48be-b345-83d14051a194,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -cc8b0c6c-986d-48be-b345-83d14051a194,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -cc8b0c6c-986d-48be-b345-83d14051a194,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -46ac5667-8b14-4a6a-b347-f6d33db7e349,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -796e1731-88c3-4d82-bf9f-5e866c76e87b,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -f5da009c-99a6-4986-b848-16f4a1c83256,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -f5da009c-99a6-4986-b848-16f4a1c83256,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -f5da009c-99a6-4986-b848-16f4a1c83256,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -24f3ede4-4fdf-4dba-8aae-9a7c9526cfd7,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -a6859562-e979-4665-842a-5834bb8d1464,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -051d7748-645e-4105-8091-303cdb413593,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -051d7748-645e-4105-8091-303cdb413593,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -051d7748-645e-4105-8091-303cdb413593,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -240733d2-dfe0-4ee3-8227-6af2454a397d,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -240733d2-dfe0-4ee3-8227-6af2454a397d,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -240733d2-dfe0-4ee3-8227-6af2454a397d,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -cf662999-aaf7-4bf7-8b73-c97edfcf750c,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -cf662999-aaf7-4bf7-8b73-c97edfcf750c,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -c4d47cb9-5369-4fae-83b8-e7a1fca2bc21,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -c4d47cb9-5369-4fae-83b8-e7a1fca2bc21,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -c4d47cb9-5369-4fae-83b8-e7a1fca2bc21,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -df504a07-e880-4f42-80da-427ca3ea93da,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -df504a07-e880-4f42-80da-427ca3ea93da,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -80ab8a01-3a1e-4b2c-b702-e27a503a6f72,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -5a2d658b-623f-42eb-8818-561c7ab75c70,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -5a2d658b-623f-42eb-8818-561c7ab75c70,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -b328ac76-0199-460a-acf3-091bf87767f2,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -46ba0df0-76cd-4cbc-9f9f-a85b838ad38f,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -856f1d20-2f98-4727-bb69-f3394f42d82f,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -856f1d20-2f98-4727-bb69-f3394f42d82f,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -856f1d20-2f98-4727-bb69-f3394f42d82f,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -07723c57-5d68-4ef8-9dad-01a65a98c075,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -ff8ccb14-9dc3-49fe-9c1d-8986b944c757,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -ff8ccb14-9dc3-49fe-9c1d-8986b944c757,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -ff8ccb14-9dc3-49fe-9c1d-8986b944c757,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -76d23484-da3f-46d5-9fc1-461786892aec,cde0a59d-19ab-44c9-ba02-476b0762e4a8,FAVORITE_PLAYER -76d23484-da3f-46d5-9fc1-461786892aec,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -43704037-c8b3-4e15-a334-16ba37286eba,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -43704037-c8b3-4e15-a334-16ba37286eba,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -43704037-c8b3-4e15-a334-16ba37286eba,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -315e7b76-1f71-44b3-9e9e-7c908efa81d8,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -315e7b76-1f71-44b3-9e9e-7c908efa81d8,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -315e7b76-1f71-44b3-9e9e-7c908efa81d8,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -01131bfb-5e3a-404b-a8b2-150560f2cca4,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -01131bfb-5e3a-404b-a8b2-150560f2cca4,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -01131bfb-5e3a-404b-a8b2-150560f2cca4,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -27ed89e1-0c58-428a-b7a4-156ecfee828a,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -c35d87bb-bc46-4720-af59-45ef3b7e2a9f,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -c35d87bb-bc46-4720-af59-45ef3b7e2a9f,9328e072-e82e-41ef-a132-ed54b649a5ca,FAVORITE_PLAYER -c35d87bb-bc46-4720-af59-45ef3b7e2a9f,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -581fe873-e932-4098-9d32-4324b377797c,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -581fe873-e932-4098-9d32-4324b377797c,89531f13-baf0-43d6-b9f4-42a95482753a,FAVORITE_PLAYER -581fe873-e932-4098-9d32-4324b377797c,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -e229dee4-6fe9-4f40-b945-e2a60a2b8f9a,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -e229dee4-6fe9-4f40-b945-e2a60a2b8f9a,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -e229dee4-6fe9-4f40-b945-e2a60a2b8f9a,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -e1889bf9-8883-41ae-a764-0b0ca424d2c1,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -e1889bf9-8883-41ae-a764-0b0ca424d2c1,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -fe836ed5-cc1d-413c-af57-3d6892dd7937,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -fe836ed5-cc1d-413c-af57-3d6892dd7937,79a00b55-fa24-45d8-a43f-772694b7776d,FAVORITE_PLAYER -10d329d8-5b8b-45e0-a903-d20ae9675faf,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -4a9b5030-3b57-4cb1-9d09-4b60cfd99445,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -4a9b5030-3b57-4cb1-9d09-4b60cfd99445,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -4a9b5030-3b57-4cb1-9d09-4b60cfd99445,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -31109c22-e805-4907-86be-966a3b80e5b6,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -31109c22-e805-4907-86be-966a3b80e5b6,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -28fa80eb-3cec-4a1b-80af-e516c383cbbd,86f109ac-c967-4c17-af5c-97395270c489,FAVORITE_PLAYER -a8884005-db29-4da0-bcc2-82876575d823,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -a8884005-db29-4da0-bcc2-82876575d823,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -a8884005-db29-4da0-bcc2-82876575d823,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -2352d839-de51-451f-bca0-bdfb4ef250d5,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -e59e51b7-29cd-4b55-aef3-a6821268011c,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -5dd460e0-c320-4fc4-8601-d33c3342aead,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -5dd460e0-c320-4fc4-8601-d33c3342aead,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -842284e1-de7b-4506-8b2f-58e195be1c95,052ec36c-e430-4698-9270-d925fe5bcaf4,FAVORITE_PLAYER -842284e1-de7b-4506-8b2f-58e195be1c95,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -a4876df8-5d73-4f69-a98d-8e280589f7b7,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -a4876df8-5d73-4f69-a98d-8e280589f7b7,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -9f06892a-5844-4d3b-86ba-534b377ca0a3,00d1db69-8b43-4d34-bbf8-17d4f00a8b71,FAVORITE_PLAYER -9f06892a-5844-4d3b-86ba-534b377ca0a3,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -9f06892a-5844-4d3b-86ba-534b377ca0a3,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -9d51a20b-2c58-4704-9870-15c5a7dfcccf,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -9d51a20b-2c58-4704-9870-15c5a7dfcccf,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -6cfd9010-a47e-4b5f-b833-5645f01135fd,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -32e9661c-6770-43b3-a32e-32ddfd5d87fd,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -5d7de6e4-ed07-443e-b5dd-d313346727bc,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -312f259f-e3c1-421e-9708-c44011604b20,b7c1b4e2-4d9c-47cc-8ac2-b6e0d2493157,FAVORITE_PLAYER -e6163766-59f0-402e-b98e-a149864835c8,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -e6163766-59f0-402e-b98e-a149864835c8,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -f8325ed0-ecdf-46fb-9e58-c2b64035c735,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -c6c207b2-f5a9-4cd4-95f3-4146b549e857,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -d7398945-4f63-4dae-80ae-56c5a44e4ca9,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -6e860149-0bdf-43b9-a312-411213c6ef7e,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -6e860149-0bdf-43b9-a312-411213c6ef7e,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -f15a51ad-0260-44d2-8901-c4b6b14f6429,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -f15a51ad-0260-44d2-8901-c4b6b14f6429,18df1544-69a6-460c-802e-7d262e83111d,FAVORITE_PLAYER -666eb85a-6a81-459e-b016-631b96b2acca,bb8b42ad-6042-40cd-b08c-2dc3a5cfc737,FAVORITE_PLAYER -666eb85a-6a81-459e-b016-631b96b2acca,c97d60e5-8c92-4d2e-b782-542ca7aa7799,FAVORITE_PLAYER -1d184270-fb3f-4439-8375-d906373b95f4,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -8fca6ff6-f5d4-4f57-85bf-541ade2c7b36,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -c66c10b7-779d-44fd-b7ff-bc2ff550d1a5,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -c66c10b7-779d-44fd-b7ff-bc2ff550d1a5,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -c66c10b7-779d-44fd-b7ff-bc2ff550d1a5,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -a4264dae-d997-48da-91cd-d1401c59dbbf,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -a4264dae-d997-48da-91cd-d1401c59dbbf,072a3483-b063-48fd-bc9c-5faa9b845425,FAVORITE_PLAYER -1ab13d83-6c2d-4103-a972-39d5f84e01c5,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -1ab13d83-6c2d-4103-a972-39d5f84e01c5,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -78d7da84-fb64-4bef-917e-94edab20be44,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -78d7da84-fb64-4bef-917e-94edab20be44,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -575b14f1-e17d-4f94-b6a9-0b83138a35d7,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -575b14f1-e17d-4f94-b6a9-0b83138a35d7,564daa89-38f8-4c8a-8760-de1923f9a681,FAVORITE_PLAYER -575b14f1-e17d-4f94-b6a9-0b83138a35d7,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -57c718b4-0e67-42d3-a619-df06ccaa89cf,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -7073e1d9-576c-45dc-bde3-c1436e151c80,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -7073e1d9-576c-45dc-bde3-c1436e151c80,c81b6283-b1aa-40d6-a825-f01410912435,FAVORITE_PLAYER -7073e1d9-576c-45dc-bde3-c1436e151c80,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -41af83fa-80e7-4912-994a-52d62bf8ad53,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -12fb0e9f-6e98-4510-98df-3b72a7ef7ba5,16794171-c7a0-4a0e-9790-6ab3b2cd3380,FAVORITE_PLAYER -12fb0e9f-6e98-4510-98df-3b72a7ef7ba5,2f95e3de-03de-4827-a4a7-aaed42817861,FAVORITE_PLAYER -12fb0e9f-6e98-4510-98df-3b72a7ef7ba5,f4c2cec2-d0b4-45a9-ac1b-478ce1a32b2c,FAVORITE_PLAYER -e7c13ca1-f4bd-4cc2-af1a-2f0468855693,1537733f-8218-4c45-9a0a-e00ff349a9d1,FAVORITE_PLAYER -270b2555-3bc1-4721-90a5-0ce2c52bc1a8,7d809297-6d2f-4515-ab3c-1ce3eb47e7a6,FAVORITE_PLAYER -270b2555-3bc1-4721-90a5-0ce2c52bc1a8,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -480db6ce-9fbd-4e74-acc2-d6a403637fc5,59e3afa0-cb40-4f8e-9052-88b9af20e074,FAVORITE_PLAYER -480db6ce-9fbd-4e74-acc2-d6a403637fc5,7dfc6f25-07a8-4618-954b-b9dd96cee86e,FAVORITE_PLAYER -703ead76-6c18-46ea-b0ba-7072feea9c50,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -703ead76-6c18-46ea-b0ba-7072feea9c50,aeb5a55c-4554-4116-9de0-76910e66e154,FAVORITE_PLAYER -3a01405e-913c-4f61-8f72-6b33cddc15e0,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -3a01405e-913c-4f61-8f72-6b33cddc15e0,4ca8e082-d358-46bf-af14-9eaab40f4fe9,FAVORITE_PLAYER -bb5403c7-6bec-48ce-9434-1d58b3087d64,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -bb5403c7-6bec-48ce-9434-1d58b3087d64,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -c4d6d1ab-18da-41db-8eb7-d743e7fb6340,9ecde51b-8b49-40a3-ba42-e8c5787c279c,FAVORITE_PLAYER -c4d6d1ab-18da-41db-8eb7-d743e7fb6340,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -c4d6d1ab-18da-41db-8eb7-d743e7fb6340,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -10095fbb-a73c-472c-a43f-6598f6f948a6,3227c040-7d18-4803-b4b4-799667344a6d,FAVORITE_PLAYER -10095fbb-a73c-472c-a43f-6598f6f948a6,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -86939f61-1769-4a52-b0fe-5d41db23c4fd,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -86939f61-1769-4a52-b0fe-5d41db23c4fd,9cf4b059-d05c-4d22-9ca3-c5aee41ebfdc,FAVORITE_PLAYER -86939f61-1769-4a52-b0fe-5d41db23c4fd,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -132d8dcc-e935-46be-9664-2e5a03a53470,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -132d8dcc-e935-46be-9664-2e5a03a53470,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -7a059ca6-2224-4ec0-bf73-0ff3eb09980d,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -7a059ca6-2224-4ec0-bf73-0ff3eb09980d,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -09cc38ea-2049-4a5c-a909-51cea56e7b79,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -b544b377-adc9-46c9-91be-69697bc9cd88,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -b544b377-adc9-46c9-91be-69697bc9cd88,67214339-8a36-45b9-8b25-439d97b06703,FAVORITE_PLAYER -4e986bfc-aa3b-4bec-9f40-41c12edafe78,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -4e986bfc-aa3b-4bec-9f40-41c12edafe78,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -4e986bfc-aa3b-4bec-9f40-41c12edafe78,26e72658-4503-47c4-ad74-628545e2402a,FAVORITE_PLAYER -4a974ac7-f653-4e9f-b44a-bd47a0d6f86d,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -4a974ac7-f653-4e9f-b44a-bd47a0d6f86d,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -4a974ac7-f653-4e9f-b44a-bd47a0d6f86d,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -9dc50fc2-e337-4a73-aa27-18b124eed2b8,7774475d-ab11-4247-a631-9c7d29ba9745,FAVORITE_PLAYER -9dc50fc2-e337-4a73-aa27-18b124eed2b8,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -333d643d-4beb-4f3a-b85e-864091020429,61a0a607-be7b-429d-b492-59523fad023e,FAVORITE_PLAYER -333d643d-4beb-4f3a-b85e-864091020429,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -4548118e-ac99-4696-98fd-060839a694ef,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -209c5e49-b653-4463-b565-5fedc3c2f7a9,31da633a-a7f1-4ec4-a715-b04bb85e0b5f,FAVORITE_PLAYER -f8c7358f-09ad-4aca-bf9d-db33fc5e7b1b,587c7609-ba56-4d22-b1e6-c12576c428fd,FAVORITE_PLAYER -09fd3061-e90b-4b0b-a21b-07c9ab664e41,7bee6f18-bd56-4920-a132-107c8af22bef,FAVORITE_PLAYER -09fd3061-e90b-4b0b-a21b-07c9ab664e41,14026aa2-5f8c-45bf-9b92-0971d92127e6,FAVORITE_PLAYER -09fd3061-e90b-4b0b-a21b-07c9ab664e41,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -c8e859a3-38e0-4b3c-b70f-473a285e3904,cdd0eadc-19e2-4ca1-bba5-6846c9ac642b,FAVORITE_PLAYER -c8e859a3-38e0-4b3c-b70f-473a285e3904,d000d0a3-a7ba-442d-92af-0d407340aa2f,FAVORITE_PLAYER -6fdf794b-5ca1-41b4-993b-f4774145b009,3fe4cd72-43e3-40ea-8016-abb2b01503c7,FAVORITE_PLAYER -6fdf794b-5ca1-41b4-993b-f4774145b009,c737a041-c713-43f6-8205-f409b349e2b6,FAVORITE_PLAYER -ee9b3f96-a7e4-4276-9cda-e840997b57a2,577eb875-f886-400d-8b14-ec28a2cc5eae,FAVORITE_PLAYER -ee9b3f96-a7e4-4276-9cda-e840997b57a2,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -33998a41-206b-415c-a332-bde00f70beb9,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -33998a41-206b-415c-a332-bde00f70beb9,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -33998a41-206b-415c-a332-bde00f70beb9,cb00e672-232a-4137-a259-f3cf0382d466,FAVORITE_PLAYER -a2ad5611-198f-4add-98ba-9e63397b4aa6,f037f86a-6952-49a5-b6d3-6ce43b8e1d3d,FAVORITE_PLAYER -a2ad5611-198f-4add-98ba-9e63397b4aa6,6cb2d19f-f0a4-4ece-9190-76345d1abc54,FAVORITE_PLAYER -bd7e99c9-0a2c-408e-bcdd-8c7e04fb46aa,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -bd7e99c9-0a2c-408e-bcdd-8c7e04fb46aa,4bf9f546-d80c-4cb4-8692-73d8ac68d1f1,FAVORITE_PLAYER -bd7e99c9-0a2c-408e-bcdd-8c7e04fb46aa,473d4c85-cc2c-4020-9381-c49a7236ad68,FAVORITE_PLAYER -a7edea99-68ad-4564-8160-3828ec327ee8,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER -9528f26e-5586-4b3a-9342-1504096ccc31,63b288c1-4434-4120-867c-cee4dadd8c8a,FAVORITE_PLAYER -9528f26e-5586-4b3a-9342-1504096ccc31,c3b8f82b-92c0-4a5d-85ef-7ddaec7d3a87,FAVORITE_PLAYER -9528f26e-5586-4b3a-9342-1504096ccc31,e665afb5-904a-4e86-a6da-1d859cc81f90,FAVORITE_PLAYER -4451e65f-3ca5-402f-a5c2-b5de7cbce090,f51beff4-e90c-4b73-9253-8699c46a94ff,FAVORITE_PLAYER -ddfe3796-df4b-4907-a3e7-9a7f3b4cef95,c1f595b7-9043-4569-9ff6-97e0f31a5ba5,FAVORITE_PLAYER -ddfe3796-df4b-4907-a3e7-9a7f3b4cef95,6a1545de-63fd-4c04-bc27-58ba334e7a91,FAVORITE_PLAYER -ddfe3796-df4b-4907-a3e7-9a7f3b4cef95,724825a5-7a0b-422d-946e-ce9512ad7add,FAVORITE_PLAYER -07518c9b-0de2-4444-914e-fbe9ac794546,ad391cbf-b874-4b1e-905b-2736f2b69332,FAVORITE_PLAYER -07518c9b-0de2-4444-914e-fbe9ac794546,069b6392-804b-4fcb-8654-d67afad1fd91,FAVORITE_PLAYER -07518c9b-0de2-4444-914e-fbe9ac794546,fe86f2c6-8576-4e77-b1df-a3df995eccf8,FAVORITE_PLAYER -6c6a59a9-da26-4f56-9e3b-ac591ffae733,5162b93a-4f44-45fd-8d6b-f5714f4c7e91,FAVORITE_PLAYER -a856f0c8-83ce-4026-8b20-b43b45c744e0,f35d154a-0a53-476e-b0c2-49ae5d33b7eb,FAVORITE_PLAYER -a856f0c8-83ce-4026-8b20-b43b45c744e0,21d23c5c-28c0-4b66-8d17-2f5c76de48ed,FAVORITE_PLAYER -7df9380c-a626-4d41-862c-7c6534be6800,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -7df9380c-a626-4d41-862c-7c6534be6800,741c6fa0-0254-4f85-9066-6d46fcc1026e,FAVORITE_PLAYER -7df9380c-a626-4d41-862c-7c6534be6800,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -aa45056d-8ca5-48ab-8d53-a2264cb4cada,dcecbaa2-2803-4716-a729-45e1c80d6ab8,FAVORITE_PLAYER -aa45056d-8ca5-48ab-8d53-a2264cb4cada,262ea245-93dc-4c61-aa41-868bc4cc5dcf,FAVORITE_PLAYER -d7102ef9-95ef-4104-89f9-5615702e409f,27bf8c9c-7193-4f43-9533-32f1293d1bf0,FAVORITE_PLAYER -6f4e0ce8-82b9-4a80-a6b5-98b191729409,a9f79e66-ff50-49eb-ae50-c442d23955fc,FAVORITE_PLAYER -6f4e0ce8-82b9-4a80-a6b5-98b191729409,d1b16c10-c5b3-4157-bd9d-7f289f17df81,FAVORITE_PLAYER -8c8639ce-1bfe-4cc4-83e9-6d92e7ec75c2,57f29e6b-9082-4637-af4b-0d123ef4542d,FAVORITE_PLAYER -8c8639ce-1bfe-4cc4-83e9-6d92e7ec75c2,59845c40-7efc-4514-9ed6-c29d983fba31,FAVORITE_PLAYER -8c8639ce-1bfe-4cc4-83e9-6d92e7ec75c2,ad3e3f2e-ee06-4406-8874-ea1921c52328,FAVORITE_PLAYER -0736033f-1df6-43aa-8e8d-6d3a7501e696,ba2cf281-cffa-4de5-9db9-2109331e455d,FAVORITE_PLAYER -ce4973d7-fefa-4fdd-a40c-0acfa7168e54,839c425d-d9b0-4b60-8c68-80d14ae382f7,FAVORITE_PLAYER -a09cd84b-b01c-404c-8da0-0c95811e5aec,787758c9-4e9a-44f2-af68-c58165d0bc03,FAVORITE_PLAYER -0a9a00d2-05e5-493a-b31d-7813b35899d4,514f3569-5435-48bb-bc74-6b08d3d78ca9,FAVORITE_PLAYER diff --git a/data/test_cases.txt b/data/test_cases.txt deleted file mode 100644 index 7be36e0f9f53802a75a3e127b536bb158ac3452d..0000000000000000000000000000000000000000 --- a/data/test_cases.txt +++ /dev/null @@ -1,55 +0,0 @@ -======================================== - Test Cases for 2024–2025 49ers Graph -======================================== - -Below are Cypher queries designed to test that the new data structure -(Player, Game, Community, Fan) is fully and correctly loaded. - --------------------------------------------------------------------------------- -A) BASIC ENTITY EXPLORATION --------------------------------------------------------------------------------- - -1) COUNT ALL NODES ------------------------------------------------------------- -MATCH (n) -RETURN labels(n) AS nodeLabels, count(*) AS total - -2) LIST ALL PLAYERS ------------------------------------------------------------- -MATCH (p:Player) -RETURN p.name AS playerName, p.position AS position, p.jersey_number AS jerseyNumber -ORDER BY p.jersey_number - -3) LIST ALL GAMES ------------------------------------------------------------- -MATCH (g:Game) -RETURN g.date AS date, g.location AS location, g.home_team AS homeTeam, g.away_team AS awayTeam, g.result AS finalScore -ORDER BY g.date - -4) LIST ALL FAN COMMUNITIES ------------------------------------------------------------- -MATCH (c:Community) -RETURN c.fan_chapter_name AS chapterName, c.city AS city, c.state AS state, c.email_contact AS contactEmail -ORDER BY chapterName - -5) LIST ALL FANS ------------------------------------------------------------- -MATCH (f:Fan) -RETURN f.first_name AS firstName, f.last_name AS lastName, f.email AS email -LIMIT 20 - --------------------------------------------------------------------------------- -B) RELATIONSHIP & NETWORK ANALYSIS --------------------------------------------------------------------------------- - -1) MOST-FAVORITED PLAYERS ------------------------------------------------------------- -MATCH (f:Fan)-[:FAVORITE_PLAYER]->(p:Player) -RETURN p.name AS playerName, count(f) AS fanCount -ORDER BY fanCount DESC -LIMIT 5 - -2) COMMUNITIES WITH MOST MEMBERS ------------------------------------------------------------- -MATCH (f:Fan)-[:MEMBER_OF]->(c:Community) -RETURN c.fan_chapter_name AS chapterName, diff --git a/data/z_old/create_embeddings.py b/data/z_old/create_embeddings.py deleted file mode 100644 index a73a605b14e1989eefc4351769276086a1815574..0000000000000000000000000000000000000000 --- a/data/z_old/create_embeddings.py +++ /dev/null @@ -1,50 +0,0 @@ -import pandas as pd -from openai import OpenAI -import os -from dotenv import load_dotenv -import numpy as np - -# Load environment variables from .env file (for API key) -load_dotenv() - -# Set up OpenAI client -client = OpenAI(api_key=os.getenv("OPENAI_API_KEY")) - -def get_embedding(text): - """Get embedding for text using OpenAI's text-embedding-3-small.""" - if pd.isna(text) or text == "Specific game details are not available.": - # Return an array of zeros for missing data or non-specific summaries - return [0] * 1536 # text-embedding-3-small produces 1536-dimensional embeddings - - response = client.embeddings.create( - input=text.strip(), - model="text-embedding-3-small" - ) - return response.data[0].embedding - -def main(): - # Read the CSV file - input_path = "merged/data/niners_output/schedule_with_result.csv" - output_path = "merged/data/niners_output/schedule_with_result_embedding.csv" - - print(f"Reading from {input_path}") - df = pd.read_csv(input_path) - - # Check if Summary column exists - if "Summary" not in df.columns: - print("Error: 'Summary' column not found in the CSV file.") - return - - # Generate embeddings for each summary - print("Generating embeddings...") - - # Add embeddings directly to the original dataframe - df['embedding'] = df['Summary'].apply(get_embedding) - - # Save to CSV - print(f"Saving embeddings to {output_path}") - df.to_csv(output_path, index=False) - print("Done!") - -if __name__ == "__main__": - main() \ No newline at end of file diff --git a/data/z_old/kml_cleanup.py b/data/z_old/kml_cleanup.py deleted file mode 100644 index 6cf2156139ca8b87b37aa5c84f4d8f5ee10221ef..0000000000000000000000000000000000000000 --- a/data/z_old/kml_cleanup.py +++ /dev/null @@ -1,50 +0,0 @@ -from xml.etree import ElementTree as ET -import pandas as pd - -# Define the KML namespace -ns = {'kml': 'http://www.opengis.net/kml/2.2'} - -# 1. Parse the KML file -tree = ET.parse("merged/data/temp_unzipped/doc.kml") -root = tree.getroot() - -# 2. Find all Folder elements using the namespace -folders = root.findall(".//kml:Folder", ns) - -# 3. Choose the second folder -# Print folder names to help identify the correct one -print("Available folders:") -for i, folder in enumerate(folders): - name = folder.find(".//kml:name", ns) - print(f"{i}: {name.text if name is not None else 'Unnamed folder'}") - -interesting_folder = folders[1] # You might want to adjust this index based on the output - -# 4. For each Placemark, gather data -rows = [] -for placemark in interesting_folder.findall(".//kml:Placemark", ns): - row_data = {} - - # Get placemark name if available - name = placemark.find(".//kml:name", ns) - if name is not None: - row_data['Name'] = name.text - - # ExtendedData -> Data elements - extended_data = placemark.find(".//kml:ExtendedData", ns) - if extended_data is not None: - data_elements = extended_data.findall(".//kml:Data", ns) - for data_el in data_elements: - col_name = data_el.get("name") - val_el = data_el.find(".//kml:value", ns) - value = val_el.text if val_el is not None else None - row_data[col_name] = value - - rows.append(row_data) - -# Convert to DataFrame and save as CSV -df = pd.DataFrame(rows) -df.to_csv("merged/data/output.csv", index=False) - -print(f"Processed {len(rows)} placemarks") -print("Output saved to merged/data/output.csv") diff --git a/data/z_old/kmz_file_explorer.ipynb b/data/z_old/kmz_file_explorer.ipynb deleted file mode 100644 index aad0b567db8cc2857a4452c3cc0df363e474708f..0000000000000000000000000000000000000000 --- a/data/z_old/kmz_file_explorer.ipynb +++ /dev/null @@ -1,13563 +0,0 @@ -{ - "cells": [ - { - "cell_type": "code", - "execution_count": 6, - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Collecting fastkml\n", - " Downloading fastkml-1.1.0-py3-none-any.whl.metadata (8.0 kB)\n", - "Requirement already satisfied: arrow in /opt/anaconda3/lib/python3.12/site-packages (from fastkml) (1.2.3)\n", - "Collecting pygeoif>=1.5 (from fastkml)\n", - " Downloading pygeoif-1.5.1-py3-none-any.whl.metadata (14 kB)\n", - "Requirement already satisfied: typing-extensions>4 in /opt/anaconda3/lib/python3.12/site-packages (from fastkml) (4.11.0)\n", - "Requirement already satisfied: python-dateutil>=2.7.0 in /opt/anaconda3/lib/python3.12/site-packages (from arrow->fastkml) (2.9.0.post0)\n", - "Requirement already satisfied: six>=1.5 in /opt/anaconda3/lib/python3.12/site-packages (from python-dateutil>=2.7.0->arrow->fastkml) (1.16.0)\n", - "Downloading fastkml-1.1.0-py3-none-any.whl (107 kB)\n", - "Downloading pygeoif-1.5.1-py3-none-any.whl (28 kB)\n", - "Installing collected packages: pygeoif, fastkml\n", - "Successfully installed fastkml-1.1.0 pygeoif-1.5.1\n" - ] - } - ], - "source": [ - "#!pip install fastkml" - ] - }, - { - "cell_type": "code", - "execution_count": 18, - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Requirement already satisfied: lxml in /opt/anaconda3/lib/python3.12/site-packages (5.2.1)\n" - ] - } - ], - "source": [ - "!pip install lxml" - ] - }, - { - "cell_type": "code", - "execution_count": 19, - "metadata": {}, - "outputs": [ - { - "name": "stdout", - "output_type": "stream", - "text": [ - "Trying path: --f=/Users/alex.liss/Library/Jupyter/runtime/kernel-v3452aeb21f01dc22f1ba4a44eaf93aa20d3e82e83.json\n", - "Trying path: merged/data/temp_unzipped/doc.kml\n", - "Trying path: doc.kml\n", - "Trying path: data/doc.kml\n", - "Trying path: temp_unzipped/doc.kml\n", - "Attempting to read KML file from: /Users/alex.liss/Documents/1_DS AI LIVE /NEW MERGED PROJECT/merged/data/temp_unzipped/doc.kml\n", - "Analyzing KML file structure...\n", - "File size: 1996505 bytes\n", - "First 500 characters of file: \n", - "\n", - " \n", - " 49ers Fan Chapters\n", - " \n", - " \n", - " - - - - normal - #icon-1698-BDBDBD-normal - - - highlight - #icon-1698-BDBDBD-highlight - - - - - - - normal - #icon-1899-A52714-normal - - - highlight - #icon-1899-A52714-highlight - - - - 49ers Fan Chapters- NFL Stadium List.xlsx - - State Farm Stadium -
1 Cardinals Dr. Glendale Arizona 85305
- addresss: 1 Cardinals Dr.
City: Glendale
State: Arizona
Zip Code: 85305]]>
- #icon-1698-BDBDBD - - - Arizona Cardinals - - - 1 Cardinals Dr. - - - Glendale - - - Arizona - - - 85305 - - -
- - Mercedes-Benz Stadium -
1 AMB Drive NW Atlanta Georgia 30313
- addresss: 1 AMB Drive NW
City: Atlanta
State: Georgia
Zip Code: 30313]]>
- #icon-1698-BDBDBD - - - Atlanta Falcons - - - 1 AMB Drive NW - - - Atlanta - - - Georgia - - - 30313 - - -
- - -
 1101 Russell St Baltimore Maryland 21230
- addresss:  1101 Russell St
City: Baltimore
State: Maryland
Zip Code: 21230]]>
- #icon-1698-BDBDBD - - - Baltimore Ravens - - -  1101 Russell St - - - Baltimore - - - Maryland - - - 21230 - - -
- - Highmark Stadium -
1 Bills Dr Orchard Park New York 14127
- addresss: 1 Bills Dr
City: Orchard Park
State: New York
Zip Code: 14127]]>
- #icon-1698-BDBDBD - - - Buffalo Bills - - - 1 Bills Dr - - - Orchard Park - - - New York - - - 14127 - - -
- - Bank of America Stadium -
800 S Mint St Charlotte North Carolina 28202
- addresss: 800 S Mint St
City: Charlotte
State: North Carolina
Zip Code: 28202]]>
- #icon-1698-BDBDBD - - - Carolina Panthers - - - 800 S Mint St - - - Charlotte - - - North Carolina - - - 28202 - - -
- - Soldier Field -
1410 Museum Campus Dr Chicago Illinois 60605
- addresss: 1410 Museum Campus Dr
City: Chicago
State: Illinois
Zip Code: 60605]]>
- #icon-1698-BDBDBD - - - Chicago Bears - - - 1410 Museum Campus Dr - - - Chicago - - - Illinois - - - 60605 - - -
- - Paul Brown Stadium -
1 Paul Brown Stadium Cincinnati Ohio 45202
- addresss: 1 Paul Brown Stadium
City: Cincinnati
State: Ohio
Zip Code: 45202]]>
- #icon-1698-BDBDBD - - - Cincinnati Bengals - - - 1 Paul Brown Stadium - - - Cincinnati - - - Ohio - - - 45202 - - -
- - FirstEnergy Stadium -
100 Alfred Lerner Way Cleveland Ohio 44114
- addresss: 100 Alfred Lerner Way
City: Cleveland
State: Ohio
Zip Code: 44114]]>
- #icon-1698-BDBDBD - - - Cleveland Browns - - - 100 Alfred Lerner Way - - - Cleveland - - - Ohio - - - 44114 - - -
- - -
- addresss: 1 AT&T Way
City: Arlington
State: Texas
Zip Code: 76011]]>
- #icon-1698-BDBDBD - - - Dallas Cowboys - - - - - - Arlington - - - Texas - - - 76011 - - -
- - Empower Field at Mile High -
 1701 Bryant St Denver Colorado 80204
- addresss:  1701 Bryant St
City: Denver
State: Colorado
Zip Code: 80204]]>
- #icon-1698-BDBDBD - - - Denver Broncos - - -  1701 Bryant St - - - Denver - - - Colorado - - - 80204 - - -
- - Ford Field -
2000 Brush St Detroit Michigan 48226
- addresss: 2000 Brush St
City: Detroit
State: Michigan
Zip Code: 48226]]>
- #icon-1698-BDBDBD - - - Detroit Lions - - - 2000 Brush St - - - Detroit - - - Michigan - - - 48226 - - -
- - Lambeau Field -
1265 Lombardi Ave Green Bay Wisconsin 54304
- addresss: 1265 Lombardi Ave
City: Green Bay
State: Wisconsin
Zip Code: 54304]]>
- #icon-1698-BDBDBD - - - Green Bay Packers - - - 1265 Lombardi Ave - - - Green Bay - - - Wisconsin - - - 54304 - - -
- - NRG Stadium -
NRG Pkwy Houston Texas 77054
- addresss: NRG Pkwy
City: Houston
State: Texas
Zip Code: 77054]]>
- #icon-1698-BDBDBD - - - Houston Texans - - - NRG Pkwy - - - Houston - - - Texas - - - 77054 - - -
- - Lucas Oil Stadium -
500 S Capitol Ave Indianapolis Indiana 46225
- addresss: 500 S Capitol Ave
City: Indianapolis
State: Indiana
Zip Code: 46225]]>
- #icon-1698-BDBDBD - - - Indianapolis Colts - - - 500 S Capitol Ave - - - Indianapolis - - - Indiana - - - 46225 - - -
- - EverBank Field -
1 Everbank Field Dr Jacksonville Florida 32202
- addresss: 1 Everbank Field Dr
City: Jacksonville
State: Florida
Zip Code: 32202]]>
- #icon-1698-BDBDBD - - - Jacksonville Jaguars - - - 1 Everbank Field Dr - - - Jacksonville - - - Florida - - - 32202 - - -
- - Arrowhead Stadium -
1 Arrowhead Dr Kansas City Missouri 64129
- addresss: 1 Arrowhead Dr
City: Kansas City
State: Missouri
Zip Code: 64129]]>
- #icon-1698-BDBDBD - - - Kansas City Chiefs - - - 1 Arrowhead Dr - - - Kansas City - - - Missouri - - - 64129 - - -
- - SoFi Stadium -
1001 Stadium Dr Inglewood California 90301
- addresss: 1001 Stadium Dr
City: Inglewood
State: California
Zip Code: 90301]]>
- #icon-1698-BDBDBD - - - - - - 1001 Stadium Dr - - - Inglewood - - - California - - - 90301 - - -
- - Hard Rock Stadium -
347 Don Shula Dr Miami Gardens Florida 33056
- addresss: 347 Don Shula Dr
City: Miami Gardens
State: Florida
Zip Code: 33056]]>
- #icon-1698-BDBDBD - - - Miami Dolphins - - - 347 Don Shula Dr - - - Miami Gardens - - - Florida - - - 33056 - - -
- - U.S. Bank Stadium -
401 Chicago Avenue Minneapolis Minnesota 55415
- addresss: 401 Chicago Avenue
City: Minneapolis
State: Minnesota
Zip Code: 55415]]>
- #icon-1698-BDBDBD - - - Minnesota Vikings - - - 401 Chicago Avenue - - - Minneapolis - - - Minnesota - - - 55415 - - -
- - Gillette Stadium -
1 Patriot Pl Foxborough Massachusetts 2035
- addresss: 1 Patriot Pl
City: Foxborough
State: Massachusetts
Zip Code: 2035]]>
- #icon-1698-BDBDBD - - - New England Patriots - - - 1 Patriot Pl - - - Foxborough - - - Massachusetts - - - 2035 - - -
- - Caesars Superdome -
1500 Sugar Bowl Dr New Orleans Louisiana 70112
- addresss: 1500 Sugar Bowl Dr
City: New Orleans
State: Louisiana
Zip Code: 70112]]>
- #icon-1698-BDBDBD - - - New Orleans Saints - - - 1500 Sugar Bowl Dr - - - New Orleans - - - Louisiana - - - 70112 - - -
- - MetLife Stadium -
1 MetLife Stadium D East Rutherford New Jersey 7073
- addresss: 1 MetLife Stadium D
City: East Rutherford
State: New Jersey
Zip Code: 7073]]>
- #icon-1698-BDBDBD - - - - - - 1 MetLife Stadium D - - - East Rutherford - - - New Jersey - - - 7073 - - -
- - Allegiant Stadium -
3333 Al Davis Way Las Vegas Nevada 89118
- addresss: 3333 Al Davis Way
City: Las Vegas
State: Nevada
Zip Code: 89118]]>
- #icon-1698-BDBDBD - - - Las Vegas Raiders - - - 3333 Al Davis Way - - - Las Vegas - - - Nevada - - - 89118 - - -
- - Lincoln Financial Field -
1 Lincoln Financial Field Way Philadelphia Pennsylvania 19148
- addresss: 1 Lincoln Financial Field Way
City: Philadelphia
State: Pennsylvania
Zip Code: 19148]]>
- #icon-1698-BDBDBD - - - Philadelphia Eagles - - - 1 Lincoln Financial Field Way - - - Philadelphia - - - Pennsylvania - - - 19148 - - -
- - Heinz Field -
100 Art Rooney Ave Pittsburgh Pennsylvania 15212
- addresss: 100 Art Rooney Ave
City: Pittsburgh
State: Pennsylvania
Zip Code: 15212]]>
- #icon-1698-BDBDBD - - - Pittsburgh Steelers - - - 100 Art Rooney Ave - - - Pittsburgh - - - Pennsylvania - - - 15212 - - -
- - -
4900 Marie P DeBartolo Way Santa Clara California 95054
- addresss: 4900 Marie P DeBartolo Way
City: Santa Clara
State: California
Zip Code: 95054]]>
- #icon-1698-BDBDBD - - - San Francisco 49ers - - - 4900 Marie P DeBartolo Way - - - Santa Clara - - - California - - - 95054 - - -
- - Lumen Field -
800 Occidental Ave Seattle Washington 98134
- addresss: 800 Occidental Ave
City: Seattle
State: Washington
Zip Code: 98134]]>
- #icon-1698-BDBDBD - - - Seattle Seahawks - - - 800 Occidental Ave - - - Seattle - - - Washington - - - 98134 - - -
- - Raymond James Stadium -
4201 N Dale Mabry Hwy Tampa Florida 33607
- addresss: 4201 N Dale Mabry Hwy
City: Tampa
State: Florida
Zip Code: 33607]]>
- #icon-1698-BDBDBD - - - Tampa Bay Buccaneers - - - 4201 N Dale Mabry Hwy - - - Tampa - - - Florida - - - 33607 - - -
- - Nissan Stadium -
1 Titans Way Nashville Tennessee 37213
- addresss: 1 Titans Way
City: Nashville
State: Tennessee
Zip Code: 37213]]>
- #icon-1698-BDBDBD - - - Tennessee Titans - - - 1 Titans Way - - - Nashville - - - Tennessee - - - 37213 - - -
- - FedExField -
1600 Fedex Way Landover Maryland 20785
- addresss: 1600 Fedex Way
City: Landover
State: Maryland
Zip Code: 20785]]>
- #icon-1698-BDBDBD - - - Washington Comanders - - - 1600 Fedex Way - - - Landover - - - Maryland - - - 20785 - - -
-
- - 49ers Fan Chapters - - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Aguascalientes
President First Name: Cesar
President Last Name: Romo
Email Address: ninersaguascalientes@gmail.com
City: Aguascalientes
State:
Country: Mexico
Venue: Vikingo Bar
Venue Location: Av de la Convención de 1914 Sur 312-A, Las Américas, 20230 Aguascalientes, Ags., Mexico
Total Fans: 174
Facebook: https://www.facebook.com/share/1Wa7TPzBMX/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 4492612712 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Aguascalientes - - - Cesar - - - Romo - - - ninersaguascalientes@gmail.com - - - Aguascalientes - - - - - - Mexico - - - Vikingo Bar - - - Av de la Convención de 1914 Sur 312-A, Las Américas, 20230 Aguascalientes, Ags., Mexico - - - 174.0 - - - https://www.facebook.com/share/1Wa7TPzBMX/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Bajio Faithful
President First Name: Hector
President Last Name: Camarena
Email Address: hectorcamarena@hotmail.com
City: Celaya, GTO
State:
Country: Mexico
Venue: California Prime Rib Restaurant
Venue Location: Av. Constituyentes 1000 A, 3 Guerras, 38080 Celaya, Gto., Mexico
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (46) 1219 7801 - - - - - - - - - - - - - - - - - - - - - - - - Bajio Faithful - - - Hector - - - Camarena - - - hectorcamarena@hotmail.com - - - Celaya, GTO - - - - - - Mexico - - - California Prime Rib Restaurant - - - Av. Constituyentes 1000 A, 3 Guerras, 38080 Celaya, Gto., Mexico - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Chiapas
President First Name: Aroshi
President Last Name: Narvaez
Email Address: ninerempirechiapas@hotmail.com
City: Chiapas
State:
Country: Mexico
Venue: Alitas Tuxtla
Venue Location: Blvd. Belisario Dominguez 1861 Loc K1 Tuxtl Fracc, Bugambilias, 29060 Tuxtla Gutiérrez, Chis., Mexico
Total Fans: 250
Facebook: Niner Empire Chiapas
Instagram: https://www.instagram.com/49erschiapas/?hl=en
X (Twitter): Niner Empire Chiapas
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (96) 1654-1513 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Chiapas - - - Aroshi - - - Narvaez - - - ninerempirechiapas@hotmail.com - - - Chiapas - - - - - - Mexico - - - Alitas Tuxtla - - - Blvd. Belisario Dominguez 1861 Loc K1 Tuxtl Fracc, Bugambilias, 29060 Tuxtla Gutiérrez, Chis., Mexico - - - 250.0 - - - Niner Empire Chiapas - - - https://www.instagram.com/49erschiapas/?hl=en - - - Niner Empire Chiapas - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Faithful Chihuahua Oficial
President First Name: Jorge
President Last Name: Otamendi
Email Address: chihuahua49ersfaithful@gmail.com
City: Chihuahua
State:
Country: Mexico
Venue: El Coliseo Karaoke Sports Bar
Venue Location: C. Jose Maria Morelos 111, Zona Centro, 31000 Chihuahua, Chih., Mexico
Total Fans: 300
Facebook: https://www.facebook.com/share/g/14tnsAwWFc/
Instagram: https://www.instagram.com/49ersfaithfulchihuahua?igsh=bHE5ZWd6eTUxOWl3
X (Twitter):
TikTok: https://www.tiktok.com/@49ers.faithful.ch?_t=8rv1vcLFfBI&_r=1
WhatsApp:
YouTube: ]]>
- - - 52 (61) 4404-1411 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Faithful Chihuahua Oficial - - - Jorge - - - Otamendi - - - chihuahua49ersfaithful@gmail.com - - - Chihuahua - - - - - - Mexico - - - El Coliseo Karaoke Sports Bar - - - C. Jose Maria Morelos 111, Zona Centro, 31000 Chihuahua, Chih., Mexico - - - 300.0 - - - https://www.facebook.com/share/g/14tnsAwWFc/ - - - https://www.instagram.com/49ersfaithfulchihuahua?igsh=bHE5ZWd6eTUxOWl3 - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Gold Rush Chihuahua Spartans
President First Name: Juan
President Last Name: García
Email Address: juga49er@gmail.com
City: Chihuahua
State:
Country: Mexico
Venue: 34 Billiards & Drinks
Venue Location: Av. Tecnológico 4903, Las Granjas 31100
Total Fans: 976
Facebook: https://www.facebook.com/groups/170430893136916/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (61) 41901197 - - - - - - - - - - - - - - - - - - - - - - - - Gold Rush Chihuahua Spartans - - - Juan - - - García - - - juga49er@gmail.com - - - Chihuahua - - - - - - Mexico - - - - - - Av. Tecnológico 4903, Las Granjas 31100 - - - 976.0 - - - https://www.facebook.com/groups/170430893136916/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Club 49ers Mexico
President First Name: German
President Last Name: Rodriguez
Email Address: club49ersmexico@hotmail.com
City: Ciudad de Mexico, Mexico
State:
Country: Mexico
Venue: Bar 49
Venue Location: 16 Septiembre #27 Colonia Centro Historico Ciudad de Mexico
Total Fans: 800
Facebook:
Instagram: club49ersmexico
X (Twitter): club49ersmexico
TikTok: Club49ersmexicooficial
WhatsApp:
YouTube: ]]>
- - - 52 (55) 6477-1279 - - - - - - - - - - - - - - - - - - - - - - - - Club 49ers Mexico - - - German - - - Rodriguez - - - club49ersmexico@hotmail.com - - - Ciudad de Mexico, Mexico - - - - - - Mexico - - - Bar 49 - - - 16 Septiembre #27 Colonia Centro Historico Ciudad de Mexico - - - 800.0 - - - - - - club49ersmexico - - - club49ersmexico - - - Club49ersmexicooficial - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Club 49ers Durango Oficial
President First Name: Victor
President Last Name: Arballo
Email Address: Club49ersdurango@gmail.com
City: Durango
State:
Country: Mexico
Venue: Restaurante Buffalucas Constitución
Venue Location: C. Constitución 107B, Zona Centro, 34000 Durango, Dgo., Mexico
Total Fans: 170
Facebook: https://www.facebook.com/share/1TaDBVZmx2/?mibextid=LQQJ4d
Instagram: https://www.instagram.com/49ers_dgo?igsh=ams1dHdibXZmN28w
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (55) 6904-5174 - - - - - - - - - - - - - - - - - - - - - - - - Club 49ers Durango Oficial - - - Victor - - - Arballo - - - Club49ersdurango@gmail.com - - - Durango - - - - - - Mexico - - - Restaurante Buffalucas Constitución - - - C. Constitución 107B, Zona Centro, 34000 Durango, Dgo., Mexico - - - 170.0 - - - https://www.facebook.com/share/1TaDBVZmx2/?mibextid=LQQJ4d - - - https://www.instagram.com/49ers_dgo?igsh=ams1dHdibXZmN28w - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Edo Mex
President First Name: Alberto
President Last Name: Velasco
Email Address: ninerempireedomex@hotmail.com
City: Estado de Mexico
State:
Country: Mexico
Venue: Beer Garden Satélite
Venue Location: Cto. Circunvalación Ote. 10-L-4, Cd. Satélite, 53100 Naucalpan de Juárez, Méx., Mexico
Total Fans: 250
Facebook:
Instagram: https://www.instagram.com/ninerempireedomex/
X (Twitter): https://x.com/ninerempedomex
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (55) 707169 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Edo Mex - - - Alberto - - - Velasco - - - ninerempireedomex@hotmail.com - - - Estado de Mexico - - - - - - Mexico - - - Beer Garden Satélite - - - Cto. Circunvalación Ote. 10-L-4, Cd. Satélite, 53100 Naucalpan de Juárez, Méx., Mexico - - - 250.0 - - - - - - https://www.instagram.com/ninerempireedomex/ - - - https://x.com/ninerempedomex - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Club 49ers Jalisco
President First Name: Marcela
President Last Name: Medina
Email Address: 49ersjalisco@gmail.com
City: Guadalajara, Jalisco
State:
Country: Mexico
Venue: Restaurante Modo Avión Zapopan
Venue Location: Calzada Nte 14, Granja, 45010 Zapopan, Jal., Mexico
Total Fans: 40
Facebook:
Instagram: club49ersjalisco
X (Twitter): Club 49ers Jalisco
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (33) 2225-4392 - - - - - - - - - - - - - - - - - - - - - - - - Club 49ers Jalisco - - - Marcela - - - Medina - - - 49ersjalisco@gmail.com - - - Guadalajara, Jalisco - - - - - - Mexico - - - Restaurante Modo Avión Zapopan - - - Calzada Nte 14, Granja, 45010 Zapopan, Jal., Mexico - - - 40.0 - - - - - - club49ersjalisco - - - Club 49ers Jalisco - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Jalisco
President First Name: Alonso
President Last Name: Partida
Email Address: ninerempirejal49@gmail.com
City: Guadalajara, Jalisco
State:
Country: Mexico
Venue: SkyGames Sports Bar
Venue Location: Av. Vallarta 874 entre Camarena y, C. Escorza, Centro, 44100 Guadalajara, Jal., Mexico
Total Fans: 200
Facebook:
Instagram: niner_empire_jalisco
X (Twitter): NinerEmpireJal
TikTok: ninerempirejal
WhatsApp:
YouTube: ]]>
- - - 52 (33) 1046 3607 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Jalisco - - - Alonso - - - Partida - - - ninerempirejal49@gmail.com - - - Guadalajara, Jalisco - - - - - - Mexico - - - SkyGames Sports Bar - - - Av. Vallarta 874 entre Camarena y, C. Escorza, Centro, 44100 Guadalajara, Jal., Mexico - - - 200.0 - - - - - - niner_empire_jalisco - - - NinerEmpireJal - - - ninerempirejal - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Juarez Oficial
President First Name: Hugo
President Last Name: Montero
Email Address: JuarezFaithful@outlook.com
City: Juarez
State:
Country: Mexico
Venue: Sport Bar Silver Fox
Venue Location: Av. Paseo Triunfo de la República 430, Las Fuentes, 32530 Juárez, Chih., Mexico
Total Fans: 300
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (65) 6228-3719 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Juarez Oficial - - - Hugo - - - Montero - - - JuarezFaithful@outlook.com - - - Juarez - - - - - - Mexico - - - Sport Bar Silver Fox - - - Av. Paseo Triunfo de la República 430, Las Fuentes, 32530 Juárez, Chih., Mexico - - - 300.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Merida Oficial
President First Name: Liliana
President Last Name: Vargas
Email Address: contacto@49ersmerida.mx
City: Merida
State:
Country: Mexico
Venue: Taproom Mastache
Venue Location: Av. Cámara de Comercio 263, San Ramón Nte, 97117 Mérida, Yuc., Mexico
Total Fans: 290
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (99) 9172-2810 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Merida Oficial - - - Liliana - - - Vargas - - - contacto@49ersmerida.mx - - - Merida - - - - - - Mexico - - - Taproom Mastache - - - Av. Cámara de Comercio 263, San Ramón Nte, 97117 Mérida, Yuc., Mexico - - - 290.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Mexicali
President First Name: Gabriel
President Last Name: Carbajal
Email Address: ninerempiremxl@outlook.com
City: Mexicali
State:
Country: Mexico
Venue: La Gambeta Terraza Sports Bar
Venue Location: Calz. Cuauhtémoc 328, Aviación, 21230 Mexicali, B.C., Mexico
Total Fans: 45
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (686) 243 7235 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Mexicali - - - Gabriel - - - Carbajal - - - ninerempiremxl@outlook.com - - - Mexicali - - - - - - Mexico - - - La Gambeta Terraza Sports Bar - - - Calz. Cuauhtémoc 328, Aviación, 21230 Mexicali, B.C., Mexico - - - 45.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Monterrey Oficial
President First Name: Luis
President Last Name: González
Email Address: 49ersmonterrey@gmail.com
City: Monterrey
State:
Country: Mexico
Venue: Buffalo Wild Wings Insurgentes
Venue Location: Av Insurgentes 3961, Sin Nombre de Col 31, 64620 Monterrey, N.L., Mexico
Total Fans: 1200
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (81) 1500-4400 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Monterrey Oficial - - - Luis - - - González - - - 49ersmonterrey@gmail.com - - - Monterrey - - - - - - Mexico - - - Buffalo Wild Wings Insurgentes - - - Av Insurgentes 3961, Sin Nombre de Col 31, 64620 Monterrey, N.L., Mexico - - - 1200.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Club 49ers Puebla
President First Name: Elias
President Last Name: Mendez
Email Address: club49erspuebla@hotmail.com
City: Puebla
State:
Country: Mexico
Venue: Bar John Barrigón
Venue Location: Av. Juárez 2925, La Paz, 72160 Heroica Puebla de Zaragoza, Pue., Mexico
Total Fans:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (22) 21914254 - - - - - - - - - - - - - - - - - - - - - - - - Club 49ers Puebla - - - Elias - - - Mendez - - - club49erspuebla@hotmail.com - - - Puebla - - - - - - Mexico - - - Bar John Barrigón - - - Av. Juárez 2925, La Paz, 72160 Heroica Puebla de Zaragoza, Pue., Mexico - - - - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niners Empire Saltillo
President First Name: Carlos
President Last Name: Carrizales
Email Address: Ninerssaltillo21@gmail.com
City: Saltillo
State:
Country: Mexico
Venue: Cervecería La Huérfana
Venue Location: Blvd. Venustiano Carranza 7046-Int 9, Los Rodríguez, 25200 Saltillo, Coah., Mexico
Total Fans:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (84) 4130-0064 - - - - - - - - - - - - - - - - - - - - - - - - Niners Empire Saltillo - - - Carlos - - - Carrizales - - - Ninerssaltillo21@gmail.com - - - Saltillo - - - - - - Mexico - - - Cervecería La Huérfana - - - Blvd. Venustiano Carranza 7046-Int 9, Los Rodríguez, 25200 Saltillo, Coah., Mexico - - - - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: San Luis Potosi Oficial
President First Name: Jose
President Last Name: Robledo
Email Address: club49erssanluispotosi@hotmail.com
City: San Luis Potosi
State:
Country: Mexico
Venue: Bar VIC
Venue Location: Av Nereo Rodríguez Barragán 1399, Fuentes del Bosque, 78220 San Luis Potosí, S.L.P., Mexico
Total Fans:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (44) 4257-3609 - - - - - - - - - - - - - - - - - - - - - - - - San Luis Potosi Oficial - - - Jose - - - Robledo - - - club49erssanluispotosi@hotmail.com - - - San Luis Potosi - - - - - - Mexico - - - Bar VIC - - - Av Nereo Rodríguez Barragán 1399, Fuentes del Bosque, 78220 San Luis Potosí, S.L.P., Mexico - - - - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Tijuana Fans Oficial
President First Name: Anthony
President Last Name: Daniel
Email Address: ant49ers14@gmail.com
City: Tijuana
State:
Country: Mexico
Venue: Titan Sports Bar
Venue Location: J. Gorostiza 1209, Zona Urbana Rio Tijuana, 22320 Tijuana, B.C., Mexico
Total Fans: 460
Facebook: https://www.facebook.com/groups/49erstijuanafans/?ref=share&mibextid=NSMWBT
Instagram: https://www.instagram.com/49erstijuanafansoficial/?igshid=OGQ5ZDc2ODk2ZA%3D%3D&fbclid=IwZXh0bgNhZW0CMTEAAR0SXTcgDss1aAUjjzK6Ge0Uhx9JkNszzeQgTRq94F_5Zzat-arK9kXEqWk_aem_sKUysPZe1NpmFRPlJppOYw&sfnsn=scwspwa
X (Twitter): -
TikTok: -
WhatsApp: -
YouTube: -]]>
- - - 52 (66) 4220-6991 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Tijuana Fans Oficial - - - Anthony - - - Daniel - - - ant49ers14@gmail.com - - - Tijuana - - - - - - Mexico - - - Titan Sports Bar - - - J. Gorostiza 1209, Zona Urbana Rio Tijuana, 22320 Tijuana, B.C., Mexico - - - 460.0 - - - - - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Club Toluca Oficial
President First Name: Fernando
President Last Name: Salazar
Email Address: ninersdealtura@gmail.com
City: Toluca
State:
Country: Mexico
Venue: Revel Wings Carranza
Venue Location: Calle Gral. Venustiano Carranza 20 Pte. 905, Residencial Colón y Col Ciprés, 50120 Toluca de Lerdo, Méx., Mexico
Total Fans:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (72) 2498-5443 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Club Toluca Oficial - - - Fernando - - - Salazar - - - ninersdealtura@gmail.com - - - Toluca - - - - - - Mexico - - - Revel Wings Carranza - - - Calle Gral. Venustiano Carranza 20 Pte. 905, Residencial Colón y Col Ciprés, 50120 Toluca de Lerdo, Méx., Mexico - - - - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Cluib de Fans 49ers Veracruz
President First Name: Luis
President Last Name: Mata
Email Address: los49ersdexalapa@gmail.com
City: Veracruz
State:
Country: Mexico
Venue: Wings Army del Urban Center
Venue Location: C. Lázaro Cárdenas 102, Rafael Lucio, 91110 Xalapa-Enríquez, Ver., Mexico
Total Fans:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 52 (228) 159-8578 - - - - - - - - - - - - - - - - - - - - - - - - Cluib de Fans 49ers Veracruz - - - Luis - - - Mata - - - los49ersdexalapa@gmail.com - - - Veracruz - - - - - - Mexico - - - Wings Army del Urban Center - - - C. Lázaro Cárdenas 102, Rafael Lucio, 91110 Xalapa-Enríquez, Ver., Mexico - - - - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ersFanZone.net
President First Name: Clemens
President Last Name: Kaposi
Email Address: webmaster@49ersfanzone.net
City: Bad Vigaun
State:
Country: Austria
Venue:
Venue Location: Neuwirtsweg 315
Total Fans: 183
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6646124565 - - - - - - - - - - - - - - - - - - - - - - - - 49ersFanZone.net - - - Clemens - - - Kaposi - - - webmaster@49ersfanzone.net - - - Bad Vigaun - - - - - - Austria - - - - - - Neuwirtsweg 315 - - - 183.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Niner Empire France
President First Name: Gilles
President Last Name: Schlienger
Email Address: gilles.schlienger@orange.fr
City: Nousseviller Saint Nabor
State:
Country: France
Venue: 4 voie romaine
Venue Location: 4 voie romaine
Total Fans: 250
Facebook: https://www.facebook.com/groups/295995597696338
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 33 (0)6 365 269 84 - - - - - - - - - - - - - - - - - - - - - - - - The Niner Empire France - - - Gilles - - - Schlienger - - - gilles.schlienger@orange.fr - - - Nousseviller Saint Nabor - - - - - - France - - - 4 voie romaine - - - 4 voie romaine - - - 250.0 - - - https://www.facebook.com/groups/295995597696338 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Germany-Bavaria Chapter
President First Name: Mike
President Last Name: Beckmann
Email Address: beckmannm55@gmail.com
City: Ismaning
State:
Country: Germany
Venue: 49er's Sports & Partybar
Venue Location: Muenchener Strasse 79
Total Fans: 35
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1704753958 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Germany-Bavaria Chapter - - - Mike - - - Beckmann - - - beckmannm55@gmail.com - - - Ismaning - - - - - - Germany - - - - - - Muenchener Strasse 79 - - - 35.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 4T9 Mob Germany Family
President First Name: Chris
President Last Name: Grawert
Email Address: chrisgrawert@web.de
City: Hamburg
State:
Country: Germany
Venue: Jolly Roger
Venue Location: Budapester Str. 44
Total Fans: 6
Facebook: https://www.facebook.com/4T9MOBGermany
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1735106462 - - - - - - - - - - - - - - - - - - - - - - - - 4T9 Mob Germany Family - - - Chris - - - Grawert - - - chrisgrawert@web.de - - - Hamburg - - - - - - Germany - - - Jolly Roger - - - Budapester Str. 44 - - - 6.0 - - - https://www.facebook.com/4T9MOBGermany - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49 Niner Empire
President First Name: Andra
President Last Name: Theunert
Email Address: jan.andre77@web.de
City: Cologne State: NRW
State:
Country: Germany
Venue: Joe Camps Sports Bar
Venue Location: Joe Champs
Total Fans: 104
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 49 15758229310 - - - - - - - - - - - - - - - - - - - - - - - - 49 Niner Empire - - - Andra - - - Theunert - - - jan.andre77@web.de - - - Cologne State: NRW - - - - - - Germany - - - Joe Camps Sports Bar - - - Joe Champs - - - 104.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Niner Empire Germany Berlin Chapter
President First Name: Jermaine
President Last Name: Benthin
Email Address: jermaine.benthin@icloud.com
City: Berlin
State:
Country: Germany
Venue: Sportsbar Tor133
Venue Location: Torstrasse 133
Total Fans: 17
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1795908826 - - - - - - - - - - - - - - - - - - - - - - - - The Niner Empire Germany Berlin Chapter - - - Jermaine - - - Benthin - - - jermaine.benthin@icloud.com - - - Berlin - - - - - - Germany - - - Sportsbar Tor133 - - - Torstrasse 133 - - - 17.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name:
President First Name: Heltewig
President Last Name: Thorsten
Email Address: t.heltewig@t-online.de
City: Bornhöved
State:
Country: Germany
Venue: Comeback
Venue Location: Mühlenstraße 11
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1607512643 - - - - - - - - - - - - - - - - - - - - - - - - - - - Heltewig - - - Thorsten - - - t.heltewig@t-online.de - - - Bornhöved - - - - - - Germany - - - Comeback - - - Mühlenstraße 11 - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Fans Bavaria
President First Name: Thomas
President Last Name: Igerl
Email Address: thomas.igerl@gmx.de
City: Ampfing
State:
Country: Germany
Venue: Holzheim 1a/Ampfing
Venue Location: Holzheim 1a
Total Fans: 30
Facebook: https://www.facebook.com/49ersfansbavaria
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1738803983 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Fans Bavaria - - - Thomas - - - Igerl - - - thomas.igerl@gmx.de - - - Ampfing - - - - - - Germany - - - Holzheim 1a/Ampfing - - - Holzheim 1a - - - 30.0 - - - https://www.facebook.com/49ersfansbavaria - - - - - - - - - - - - - - - - - -
- - - Website: http://germany.theninerempire.com/
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Niner Empire Germany - North Rhine-Westphalia Chapter
President First Name: Timo
President Last Name: Allhoff
Email Address: timo.allhoff@web.de
City: Duesseldorf
State:
Country: Germany
Venue: Knoten
Venue Location: Kurze Strasse 1A
Total Fans: 62
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1234567899 - - - http://germany.theninerempire.com/ - - - - - - - - - - - - - - - - - - - - - The Niner Empire Germany - North Rhine-Westphalia Chapter - - - Timo - - - Allhoff - - - timo.allhoff@web.de - - - Duesseldorf - - - - - - Germany - - - Knoten - - - Kurze Strasse 1A - - - 62.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Germany-NRW Chapter
President First Name: Hermann
President Last Name: van
Email Address: vanbebberhermann@yahoo.com
City: Cologne
State:
Country: Germany
Venue: Joe Champs Sportsbar Cologne
Venue Location: Hohenzollernring 1 -3
Total Fans: 27
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1708859408 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Germany-NRW Chapter - - - Hermann - - - van - - - vanbebberhermann@yahoo.com - - - Cologne - - - - - - Germany - - - Joe Champs Sportsbar Cologne - - - Hohenzollernring 1 -3 - - - 27.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Irish Faithful
President First Name: Colly
President Last Name: Mc
Email Address: 49ersire@gmail.com
City: Dublin 13
State:
Country: Ireland
Venue: Busker On The Ball
Venue Location: 13 - 17 Fleet Street
Total Fans: 59
Facebook:
Instagram:
X (Twitter): https://twitter.com/49ersIre
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3.53E+11 - - - - - - - - - - - - - - - - - - - - - - - - The Irish Faithful - - - Colly - - - Mc - - - 49ersire@gmail.com - - - Dublin 13 - - - - - - Ireland - - - Busker On The Ball - - - 13 - 17 Fleet Street - - - 59.0 - - - - - - - - - https://twitter.com/49ersIre - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Italian Fan Club
President First Name: Enzo
President Last Name: Marrocchino
Email Address: 49ers.italian@gmail.com + marrocchino.enxo@gmail.com
City: Fiorano Modenese
State:
Country: Italy
Venue: The Beer Corner
Venue Location: Via Roma, 2/A
Total Fans: 50
Facebook: https://www.facebook.com/groups/49ersItalianFanClub
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 0039 3282181898 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Italian Fan Club - - - Enzo - - - Marrocchino - - - 49ers.italian@gmail.com + marrocchino.enxo@gmail.com - - - Fiorano Modenese - - - - - - Italy - - - The Beer Corner - - - Via Roma, 2/A - - - 50.0 - - - https://www.facebook.com/groups/49ersItalianFanClub - - - - - - - - - - - - - - - - - -
- - - Website: https://laminapodcast.wixsite.com/lamina
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Mineros Spanish Faithful
President First Name: Luis
President Last Name: Miguel
Email Address: laminapodcast@gmail.com + luismiperez17@gmail.com
City: Madrid
State:
Country: Spain
Venue: Penalti Lounge Bar
Venue Location: Avenida Reina 15
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 649058694 - - - https://laminapodcast.wixsite.com/lamina - - - - - - - - - - - - - - - - - - - - - Mineros Spanish Faithful - - - Luis - - - Miguel - - - laminapodcast@gmail.com + luismiperez17@gmail.com - - - Madrid - - - - - - Spain - - - Penalti Lounge Bar - - - Avenida Reina 15 - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website: http://www.sportssf.com.br
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Equipe Sports SF
President First Name: Alessandro
President Last Name: Marques
Email Address: alessandro.quiterio@sportssf.com.br
City: Sao Paulo
State:
Country: Brazil
Venue: Website, Podcast, Facebook Page, Twitter
Venue Location: Rua Hitoshi Ishibashi, 11 B
Total Fans: 14
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6507841235 - - - http://www.sportssf.com.br - - - - - - - - - - - - - - - - - - - - - Equipe Sports SF - - - Alessandro - - - Marques - - - alessandro.quiterio@sportssf.com.br - - - Sao Paulo - - - - - - Brazil - - - Website, Podcast, Facebook Page, Twitter - - - Rua Hitoshi Ishibashi, 11 B - - - 14.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website: http://www.49ersbrasil.com.br
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Brasil
President First Name: Fabio
President Last Name: Moraes
Email Address: fbo_krun@live.co.uk
City: Campo Limpo, Sao Paulo
State:
Country: Brazil
Venue: Bars and Restaurants in São Paulo - SP
Venue Location:
Total Fans: 870
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1197444761 - - - http://www.49ersbrasil.com.br - - - - - - - - - - - - - - - - - - - - - 49ers Brasil - - - Fabio - - - Moraes - - - fbo_krun@live.co.uk - - - Campo Limpo, Sao Paulo - - - - - - Brazil - - - Bars and Restaurants in São Paulo - SP - - - - - - 870.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: San Francisco 49ers Brasil
President First Name: Otavio
President Last Name: Alban
Email Address: otavio.alban@gmail.com
City: Sao Bernardo do Campo, Sao Paulo
State:
Country: Brazil
Venue: Multiple locations around south and southeast states of Brazil
Venue Location:
Total Fans: 104
Facebook: https://www.facebook.com/groups/49ninersbrasil/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5511992650 - - - - - - - - - - - - - - - - - - - - - - - - San Francisco 49ers Brasil - - - Otavio - - - Alban - - - otavio.alban@gmail.com - - - Sao Bernardo do Campo, Sao Paulo - - - - - - Brazil - - - Multiple locations around south and southeast states of Brazil - - - - - - 104.0 - - - https://www.facebook.com/groups/49ninersbrasil/ - - - - - - - - - - - - - - - - - -
- - - Website: http://www.theninerempire.com
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire --Vanouver,BC Chapter
President First Name: Hector
President Last Name: Alvarado/Neil
Email Address: hector_alvarado21@hotmail.com
City: Vancouver, BC
State:
Country: Canada
Venue: The Sharks Club--Langley, BC
Venue Location: 20169 88 Avenue
Total Fans: 31
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6046266697 - - - http://www.theninerempire.com - - - - - - - - - - - - - - - - - - - - - Niner Empire --Vanouver,BC Chapter - - - Hector - - - Alvarado/Neil - - - hector_alvarado21@hotmail.com - - - Vancouver, BC - - - - - - Canada - - - The Sharks Club--Langley, BC - - - 20169 88 Avenue - - - 31.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: True North Niners
President First Name: Shawn
President Last Name: Vromman
Email Address: truenorthniners@gmail.com
City: Bolton, Ontario
State:
Country: Canada
Venue: Maguire's Pub
Venue Location: 284 Queen st E
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4167796921 - - - - - - - - - - - - - - - - - - - - - - - - True North Niners - - - Shawn - - - Vromman - - - truenorthniners@gmail.com - - - Bolton, Ontario - - - - - - Canada - - - - - - 284 Queen st E - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Faithful Panama
President First Name: Ricardo
President Last Name: Vallarino
Email Address: ricardovallarino@hotmail.com
City:
State:
Country: Panama
Venue: 5inco Panama
Venue Location: 8530 NW 72ND ST
Total Fans: 249
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 507 66737171 - - - - - - - - - - - - - - - - - - - - - - - - Faithful Panama - - - Ricardo - - - Vallarino - - - ricardovallarino@hotmail.com - - - - - - - - - Panama - - - 5inco Panama - - - 8530 NW 72ND ST - - - 249.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire New Zealand
President First Name: Karam
President Last Name: Chand
Email Address: karam.chand@asb.co.nz
City: Auckland
State:
Country: New Zealand
Venue: The Kingslander
Venue Location: 470 New North Road
Total Fans: 15
Facebook: https://www.facebook.com/#!/groups/212472585456813/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6493015128 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire New Zealand - - - Karam - - - Chand - - - karam.chand@asb.co.nz - - - Auckland - - - - - - New Zealand - - - The Kingslander - - - 470 New North Road - - - 15.0 - - - https://www.facebook.com/#!/groups/212472585456813/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Fans-Tonga
President First Name: Nusi
President Last Name: Taumoepeau
Email Address: nusi.taumoepeau@gmail.com
City: Nuku'alofa
State:
Country: Tonga
Venue: Tali'eva Bar
Venue Location: 14 Taufa'ahau Rd
Total Fans: 8
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6768804977 - - - - - - - - - - - - - - - - - - - - - - - - 49er Fans-Tonga - - - Nusi - - - Taumoepeau - - - nusi.taumoepeau@gmail.com - - - - - - - - - Tonga - - - - - - - - - 8.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Faithful UK
President First Name: Mike
President Last Name: Palmer
Email Address: 49erfaithfuluk@gmail.com
City: Greater Manchester
State:
Country: United Kingdom
Venue: the green
Venue Location: Ducie street Manchester Greater Manchester Lancashire m1 United Kingdom
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7857047023 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Faithful UK - - - Mike - - - Palmer - - - 49erfaithfuluk@gmail.com - - - Greater Manchester - - - - - - United Kingdom - - - the green - - - Ducie street Manchester Greater Manchester Lancashire m1 United Kingdom - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website: www.49erfaithfuluk.co.uk
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Faithful UK
President First Name: Lee
President Last Name: Gowland
Email Address: contact@49erfaithfuluk.co.uk
City: Newcastle
State:
Country: United Kingdom
Venue: Grosvenor Casino
Venue Location: 100 St James' Blvd Newcastle Tyne & Wear CA 95054 United Kingdom
Total Fans: 3000
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7506116581 - - - www.49erfaithfuluk.co.uk - - - - - - - - - - - - - - - - - - - - - 49er Faithful UK - - - Lee - - - Gowland - - - contact@49erfaithfuluk.co.uk - - - Newcastle - - - - - - United Kingdom - - - Grosvenor Casino - - - - - - 3000.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers of United Kingdom
President First Name: Nauman
President Last Name: Malik
Email Address: naumalik@gmail.com
City: London
State:
Country: United Kingdom
Venue: The Sports Cafe
Venue Location: 80 Haymarket London SW1Y 4TE United Kingdom
Total Fans: 8
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8774734977 - - - - - - - - - - - - - - - - - - - - - - - - 49ers of United Kingdom - - - Nauman - - - Malik - - - naumalik@gmail.com - - - London - - - - - - United Kingdom - - - The Sports Cafe - - - 80 Haymarket London SW1Y 4TE United Kingdom - - - 8.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire UK
President First Name: Mike
President Last Name: Palmer
Email Address: ninerempireuk@gmail.com
City: Manchester
State:
Country: United Kingdom
Venue: The Green
Venue Location: Bridge House 26 Ducie Street, Manchester, Manchester M1 2dq United Kingdom
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1616553629 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire UK - - - Mike - - - Palmer - - - ninerempireuk@gmail.com - - - Manchester - - - - - - United Kingdom - - - The Green - - - Bridge House 26 Ducie Street, Manchester, Manchester M1 2dq United Kingdom - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: San Francisco 49er Fans of Charleston, SC
President First Name: Kurtis
President Last Name: Johnson
Email Address: kajohnson854@yahoo.com
City: Charleston
State: SC
Country: United States
Venue: Recovery Room Tavern
Venue Location: 685 King St
Total Fans: 12
Facebook: https://www.facebook.com/profile.php?id=100095655455065
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6264841085 - - - - - - - - - - - - - - - - - - - - - - - - San Francisco 49er Fans of Charleston, SC - - - Kurtis - - - Johnson - - - kajohnson854@yahoo.com - - - Charleston - - - SC - - - United States - - - Recovery Room Tavern - - - 685 King St - - - 12.0 - - - https://www.facebook.com/profile.php?id=100095655455065 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 530 Empire
President First Name: Oscar
President Last Name: Mendoza
Email Address: ninermendoza@gmail.com
City: Chico
State: Ca
Country: United States
Venue: Nash's
Venue Location: 1717 Esplanade
Total Fans: 45
Facebook:
Instagram: https://www.instagram.com/530empire?igsh=OGQ5ZDc2ODk2ZA%3D%3D&utm_source=qr
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5309536097 - - - - - - - - - - - - - - - - - - - - - - - - 530 Empire - - - Oscar - - - Mendoza - - - ninermendoza@gmail.com - - - Chico - - - Ca - - - United States - - - - - - 1717 Esplanade - - - 45.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 303 Denver Chapter Niner Empire
President First Name: Andy
President Last Name: Martinez
Email Address: 303denverchapter@gmail.com
City: Aurora
State: CO
Country: United States
Venue: Moes Bbq
Venue Location: 2727 s Parker rd
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (720) 345-2580 - - - - - - - - - - - - - - - - - - - - - - - - 303 Denver Chapter Niner Empire - - - Andy - - - Martinez - - - 303denverchapter@gmail.com - - - Aurora - - - CO - - - United States - - - Moes Bbq - - - 2727 s Parker rd - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 40NINERS L.A. CHAPTER
President First Name: JOSE
President Last Name: DIAZ
Email Address: 40ninerslachapter@att.net
City: bell
State: ca
Country: United States
Venue: KRAZY WINGS SPORTS & GRILL
Venue Location: 7016 ATLANTIC AVE
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3238332262 - - - - - - - - - - - - - - - - - - - - - - - - 40NINERS L.A. CHAPTER - - - JOSE - - - DIAZ - - - 40ninerslachapter@att.net - - - bell - - - ca - - - United States - - - - - - 7016 ATLANTIC AVE - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 434 Virginia Niner Empire
President First Name: Thomas
President Last Name: Hunt
Email Address: 434vaninerempire@gmail.com
City: Danville
State: VA
Country: United States
Venue: Kickbacks Jacks
Venue Location: 140 Crown Dr
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (434) 441-1187 - - - - - - - - - - - - - - - - - - - - - - - - 434 Virginia Niner Empire - - - Thomas - - - Hunt - - - 434vaninerempire@gmail.com - - - Danville - - - VA - - - United States - - - Kickbacks Jacks - - - 140 Crown Dr - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 480 Gilbert Niner Empire LLC
President First Name: Betty
President Last Name: OLIVARES
Email Address: 480ninerempire@gmail.com
City: Gilbert
State: AZ
Country: United States
Venue: The Brass Tap
Venue Location: 313 n Gilbert rd
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (925) 457-6175 - - - - - - - - - - - - - - - - - - - - - - - - 480 Gilbert Niner Empire LLC - - - Betty - - - OLIVARES - - - 480ninerempire@gmail.com - - - Gilbert - - - AZ - - - United States - - - The Brass Tap - - - 313 n Gilbert rd - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Midwest Empire
President First Name: Travis
President Last Name: Bonnell
Email Address: 49er4life05@gmail.com
City: Evansville
State: IN
Country: United States
Venue: Hooters Evansville
Venue Location: 2112 Bremmerton Dr
Total Fans: 6
Facebook: https://www.facebook.com/share/5KGRDSPtyHgFYRSP/?mibextid=K35XfP
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8126048419 - - - - - - - - - - - - - - - - - - - - - - - - Midwest Empire - - - Travis - - - Bonnell - - - 49er4life05@gmail.com - - - Evansville - - - IN - - - United States - - - Hooters Evansville - - - 2112 Bremmerton Dr - - - 6.0 - - - https://www.facebook.com/share/5KGRDSPtyHgFYRSP/?mibextid=K35XfP - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Booster Club of Vacaville
President First Name: Josh
President Last Name: Ojeda
Email Address: 49erboostervacaville@gmail.com
City: Vacaville
State: CA
Country: United States
Venue: Blondies Bar and Grill
Venue Location: 555 Main Street
Total Fans: 75
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7075921442 - - - - - - - - - - - - - - - - - - - - - - - - 49er Booster Club of Vacaville - - - Josh - - - Ojeda - - - 49erboostervacaville@gmail.com - - - Vacaville - - - CA - - - United States - - - Blondies Bar and Grill - - - 555 Main Street - - - 75.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Empire High Desert
President First Name: TJ
President Last Name: Hilliard
Email Address: 49erempirehighdesert@gmail.com
City: Hesperia
State: California
Country: United States
Venue: Whiskey Barrel
Venue Location: 12055 Mariposa Rd.
Total Fans: 89
Facebook: https://www.facebook.com/groups/49erEmpireHighDesertChapter/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7602655202 - - - - - - - - - - - - - - - - - - - - - - - - 49er Empire High Desert - - - TJ - - - Hilliard - - - 49erempirehighdesert@gmail.com - - - Hesperia - - - California - - - United States - - - Whiskey Barrel - - - 12055 Mariposa Rd. - - - 89.0 - - - https://www.facebook.com/groups/49erEmpireHighDesertChapter/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Cool 49er Booster Club
President First Name: Paul
President Last Name: Jones
Email Address: 49erpaul@comcast.net
City: Cool
State: CA
Country: United States
Venue: The Cool Beerworks
Venue Location: 5020 Ellinghouse Dr Suite H
Total Fans: 59
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5308239740 - - - - - - - - - - - - - - - - - - - - - - - - Cool 49er Booster Club - - - Paul - - - Jones - - - 49erpaul@comcast.net - - - Cool - - - CA - - - United States - - - The Cool Beerworks - - - 5020 Ellinghouse Dr Suite H - - - 59.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ersBeachCitiesSoCal
President First Name: Rick
President Last Name: Mitchell
Email Address: 49ersbeachcitiessocal@gmail.com
City: Hermosa Beach
State: CA
Country: United States
Venue: American Junkie Sky Light Bar
Venue Location: American Junkie
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8183269651 - - - - - - - - - - - - - - - - - - - - - - - - 49ersBeachCitiesSoCal - - - Rick - - - Mitchell - - - 49ersbeachcitiessocal@gmail.com - - - Hermosa Beach - - - CA - - - United States - - - American Junkie Sky Light Bar - - - American Junkie - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Denver Empire
President First Name: Miguel
President Last Name: Alaniz
Email Address: 49ersDenverEmpire@gmail.com
City: Aurora
State: Co
Country: United States
Venue: Moe's Original BBQ Aurora
Venue Location: 2727 S Parker Rd
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7202278251 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Denver Empire - - - Miguel - - - Alaniz - - - 49ersDenverEmpire@gmail.com - - - Aurora - - - Co - - - United States - - - - - - 2727 S Parker Rd - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Forever Faithfuls
President First Name: Wayne
President Last Name: Yelloweyes-Ripoyla
Email Address: 49ersforeverfaithfuls@gmail.com
City: Vancouver
State: Wa
Country: United States
Venue: Hooligan's sports bar and grill
Venue Location: 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3605679487 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Forever Faithfuls - - - Wayne - - - Yelloweyes-Ripoyla - - - 49ersforeverfaithfuls@gmail.com - - - Vancouver - - - Wa - - - United States - - - - - - 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662 - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: South Texas 49ers Chapter
President First Name: Patty
President Last Name: Torres
Email Address: 49erslakersfaithful@gmail.com
City: Harlingen
State: TX
Country: United States
Venue: Wing barn
Venue Location: 412 sunny side ln
Total Fans: 350
Facebook: https://www.facebook.com/groups/2815298045413319/?ref=share
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9566600391 - - - - - - - - - - - - - - - - - - - - - - - - South Texas 49ers Chapter - - - Patty - - - Torres - - - 49erslakersfaithful@gmail.com - - - Harlingen - - - TX - - - United States - - - Wing barn - - - 412 sunny side ln - - - 350.0 - - - https://www.facebook.com/groups/2815298045413319/?ref=share - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Los Angeles
President First Name: Jeff
President Last Name: Cheung
Email Address: 49ersLosAngeles@gmail.com
City: Hollywood
State: CA
Country: United States
Venue: Dave & Buster's Hollywood
Venue Location: 6801 Hollywood Blvd.
Total Fans: 27
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3109547822 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Los Angeles - - - Jeff - - - Cheung - - - 49ersLosAngeles@gmail.com - - - Hollywood - - - CA - - - United States - - - - - - 6801 Hollywood Blvd. - - - 27.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers United Of Frisco TX
President First Name: Frank
President Last Name: Murillo
Email Address: 49ersunitedoffriscotx@gmail.com
City: Frisco
State: TX
Country: United States
Venue: The Frisco Bar and Grill
Venue Location: 6750 Gaylord Pkwy
Total Fans: 1020
Facebook: https://www.facebook.com/groups/49ersunitedoffriscotx/?ref=share&mibextid=hubsqH
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3234765148 - - - - - - - - - - - - - - - - - - - - - - - - 49ers United Of Frisco TX - - - Frank - - - Murillo - - - 49ersunitedoffriscotx@gmail.com - - - Frisco - - - TX - - - United States - - - The Frisco Bar and Grill - - - 6750 Gaylord Pkwy - - - 1020.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 619ers San Diego Niner Empire
President First Name: Ana
President Last Name: Pino
Email Address: 619erssandiego@gmail.com
City: San Diego
State: California
Country: United States
Venue: Bridges Bar & Grill
Venue Location: 4800 Art Street
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6193151122 - - - - - - - - - - - - - - - - - - - - - - - - 619ers San Diego Niner Empire - - - Ana - - - Pino - - - 619erssandiego@gmail.com - - - San Diego - - - California - - - United States - - - - - - 4800 Art Street - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 626 FAITHFUL'S
President First Name: Isaac
President Last Name: C. De La Fuente
Email Address: 626faithfulchapter@gmail.com
City: City of Industry
State: California
Country: United States
Venue: Hacienda Heights Pizza Co.
Venue Location: 15239 E Gale Ave
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6266742121 - - - - - - - - - - - - - - - - - - - - - - - - - - - Isaac - - - C. De La Fuente - - - 626faithfulchapter@gmail.com - - - City of Industry - - - California - - - United States - - - Hacienda Heights Pizza Co. - - - 15239 E Gale Ave - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire 650 Chapter
President First Name: Vanessa
President Last Name: Corea
Email Address: 650ninerchapter@gmail.com
City: Redwood City
State: CA
Country: United States
Venue: 5th Quarter
Venue Location: 976 Woodside Rd
Total Fans: 35
Facebook:
Instagram: http://www.instagram.com/650ninerempire
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6507438522 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire 650 Chapter - - - Vanessa - - - Corea - - - 650ninerchapter@gmail.com - - - Redwood City - - - CA - - - United States - - - 5th Quarter - - - 976 Woodside Rd - - - 35.0 - - - - - - http://www.instagram.com/650ninerempire - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 714 Niner Empire
President First Name: Daniel
President Last Name: Hernandez
Email Address: 714ninerempire@gmail.com
City: Oxnard
State: CA
Country: United States
Venue: Bottoms Up Tavern, 2162 West Lincoln Ave, Anaheim CA 92801
Venue Location: 3206 Lisbon Lane
Total Fans: 4
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6199949071 - - - - - - - - - - - - - - - - - - - - - - - - 714 Niner Empire - - - Daniel - - - Hernandez - - - 714ninerempire@gmail.com - - - Oxnard - - - CA - - - United States - - - Bottoms Up Tavern, 2162 West Lincoln Ave, Anaheim CA 92801 - - - 3206 Lisbon Lane - - - 4.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 9er Elite Niner Empire
President First Name: Penny
President Last Name: Mapes
Email Address: 9erelite@gmail.com
City: Lake Elsinore
State: California
Country: United States
Venue: Pin 'n' Pockets
Venue Location: 32250 Mission Trail
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9513704443 - - - - - - - - - - - - - - - - - - - - - - - - 9er Elite Niner Empire - - - Penny - - - Mapes - - - 9erelite@gmail.com - - - Lake Elsinore - - - California - - - United States - - - - - - 32250 Mission Trail - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Az 49er Faithful
President First Name: Kimberly
President Last Name: ""Kimi"" Daniel
Email Address: 9rzfan@gmail.com
City: Gilbert
State: Az
Country: United States
Venue: Fox and Hound!
Venue Location: 1017 E Baseline Rd
Total Fans: 58
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4806780578 - - - - - - - - - - - - - - - - - - - - - - - - Az 49er Faithful - - - Kimberly - - - - - - 9rzfan@gmail.com - - - Gilbert - - - Az - - - United States - - - Fox and Hound! - - - 1017 E Baseline Rd - - - 58.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niners Winers
President First Name: A.m.
President Last Name: Early
Email Address: a.m.early@icloud.com
City: Forestville
State: Ca
Country: United States
Venue: Bars and wineries in sonoma and napa counties
Venue Location: River road
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7078896983 - - - - - - - - - - - - - - - - - - - - - - - - Niners Winers - - - A.m. - - - Early - - - a.m.early@icloud.com - - - Forestville - - - Ca - - - United States - - - Bars and wineries in sonoma and napa counties - - - River road - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: a_49er fan
President First Name: Angel
President Last Name: Barba
Email Address: a_49erfan@aol.com
City: wylie
State: texas
Country: United States
Venue: Wylie
Venue Location: 922 cedar creek dr.
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2144897300 - - - - - - - - - - - - - - - - - - - - - - - - a_49er fan - - - Angel - - - Barba - - - a_49erfan@aol.com - - - wylie - - - texas - - - United States - - - Wylie - - - 922 cedar creek dr. - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Marin
President First Name: Aaron
President Last Name: Clark
Email Address: aaron.clark@ninerempiremarin.com
City: Novato
State: CA
Country: United States
Venue: Moylan's Brewery & Restaurant
Venue Location: 15 Rowland Way
Total Fans: 13
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4153206471 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Marin - - - Aaron - - - Clark - - - aaron.clark@ninerempiremarin.com - - - Novato - - - CA - - - United States - - - - - - 15 Rowland Way - - - 13.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 4T9 Mob
President First Name: Angel
President Last Name: Cruz
Email Address: ac_0779@live.com
City: Modesto
State: ca
Country: United States
Venue: Jack's pizza cafe
Venue Location: 2001 Mchenry ave
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2095344459 - - - - - - - - - - - - - - - - - - - - - - - - 4T9 Mob - - - Angel - - - Cruz - - - ac_0779@live.com - - - Modesto - - - ca - - - United States - - - - - - 2001 Mchenry ave - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: North Eastern Pennsyvania chapter
President First Name: Benjamin
President Last Name: Simon
Email Address: acuraman235@yahoo.com
City: Larksville
State: PA
Country: United States
Venue: Zlo joes sports bar
Venue Location: 234 Nesbitt St
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5708529383 - - - - - - - - - - - - - - - - - - - - - - - - North Eastern Pennsyvania chapter - - - Benjamin - - - Simon - - - acuraman235@yahoo.com - - - Larksville - - - PA - - - United States - - - Zlo joes sports bar - - - 234 Nesbitt St - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: PDX Frisco Fanatics
President First Name: Adam
President Last Name: Hunter
Email Address: adam@oakbrew.com
City: Portland
State: Or
Country: United States
Venue: Suki's bar and Grill
Venue Location: 2401 sw 4th ave
Total Fans: 8
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5039150229 - - - - - - - - - - - - - - - - - - - - - - - - PDX Frisco Fanatics - - - Adam - - - Hunter - - - adam@oakbrew.com - - - Portland - - - Or - - - United States - - - - - - 2401 sw 4th ave - - - 8.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The 101 Niner Empire
President First Name: ANDRONICO [Adrian]
President Last Name: FERNANDEZ
Email Address: adriannoel@mail.com
City: Morgan Hill
State: CA
Country: United States
Venue: Huntington Station restaurant and sports pub
Venue Location: Huntington Station restaurant and sports pub
Total Fans: 10
Facebook: https://www.facebook.com/THE101NINEREMPIRE/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (408) 981-0615 - - - - - - - - - - - - - - - - - - - - - - - - The 101 Niner Empire - - - ANDRONICO [Adrian] - - - FERNANDEZ - - - adriannoel@mail.com - - - Morgan Hill - - - CA - - - United States - - - Huntington Station restaurant and sports pub - - - Huntington Station restaurant and sports pub - - - 10.0 - - - https://www.facebook.com/THE101NINEREMPIRE/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Faithful Tri-State Empire
President First Name: Armando
President Last Name: Holguin
Email Address: AHolguinJr@gmail.com
City: Erie
State: PA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 2099 Interchange Rd
Total Fans: 10
Facebook: https://www.facebook.com/groups/1145565166387786/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8147901621 - - - - - - - - - - - - - - - - - - - - - - - - Faithful Tri-State Empire - - - Armando - - - Holguin - - - AHolguinJr@gmail.com - - - Erie - - - PA - - - United States - - - Buffalo Wild Wings - - - 2099 Interchange Rd - - - 10.0 - - - https://www.facebook.com/groups/1145565166387786/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: YUMA Faithfuls
President First Name: Steven
President Last Name: Navarro
Email Address: airnavarro@yahoo.com
City: Yuma
State: AZ
Country: United States
Venue: Hooters
Venue Location: 1519 S Yuma Palms Pkwy
Total Fans: 305
Facebook: Yuma Faithfuls (FaceBook group page)
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9282100493 - - - - - - - - - - - - - - - - - - - - - - - - YUMA Faithfuls - - - Steven - - - Navarro - - - airnavarro@yahoo.com - - - Yuma - - - AZ - - - United States - - - Hooters - - - 1519 S Yuma Palms Pkwy - - - 305.0 - - - Yuma Faithfuls (FaceBook group page) - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ER EMPIRE SF Bay Area Core Chapter
President First Name: AJ
President Last Name: Esperanza
Email Address: ajay049@yahoo.com
City: Fremont
State: california
Country: United States
Venue: Jack's Brewery
Venue Location: 39176 Argonaut Way
Total Fans: 1500
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5103146643 - - - - - - - - - - - - - - - - - - - - - - - - 49ER EMPIRE SF Bay Area Core Chapter - - - AJ - - - Esperanza - - - ajay049@yahoo.com - - - Fremont - - - california - - - United States - - - - - - 39176 Argonaut Way - - - 1500.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Orlando Chapter
President First Name: Aaron
President Last Name: Hill
Email Address: ajhill77@hotmail.com
City: Orlando
State: FL
Country: United States
Venue: Underground Public House
Venue Location: 19 S Orange Ave
Total Fans: 50
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8506982520 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Orlando Chapter - - - Aaron - - - Hill - - - ajhill77@hotmail.com - - - Orlando - - - FL - - - United States - - - Underground Public House - - - 19 S Orange Ave - - - 50.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Artillery Empire
President First Name: Alicia/Airieus
President Last Name: DeLeon/Ervin
Email Address: al1c1a3@aol.com
City: 517 E Gore Blvd
State: OK
Country: United States
Venue: Sweet Play/ Mike's Sports Grill
Venue Location: 2610 Sw Lee Blvd Suite 3 / 517 E Gore Blvd
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5805913565 - - - - - - - - - - - - - - - - - - - - - - - - Niner Artillery Empire - - - Alicia/Airieus - - - DeLeon/Ervin - - - al1c1a3@aol.com - - - 517 E Gore Blvd - - - OK - - - United States - - - - - - 2610 Sw Lee Blvd Suite 3 / 517 E Gore Blvd - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 510 Empire
President First Name: Alex
President Last Name: Banks
Email Address: alexjacobbanks@gmail.com
City: Alameda
State: CA
Country: United States
Venue: McGee's Bar and Grill
Venue Location: 1645 Park ST
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5104993415 - - - - - - - - - - - - - - - - - - - - - - - - 510 Empire - - - Alex - - - Banks - - - alexjacobbanks@gmail.com - - - Alameda - - - CA - - - United States - - - - - - 1645 Park ST - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Garlic City Faithful
President First Name: Abdul
President Last Name: Momeni
Email Address: amomeni34@gmail.com
City: Gilroy
State: CA
Country: United States
Venue: Straw Hat Pizza
Venue Location: 1053 1st Street
Total Fans: 3
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5105082055 - - - - - - - - - - - - - - - - - - - - - - - - Garlic City Faithful - - - Abdul - - - Momeni - - - amomeni34@gmail.com - - - Gilroy - - - CA - - - United States - - - Straw Hat Pizza - - - 1053 1st Street - - - 3.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Faithful to the Bay
President First Name: Angel
President Last Name: Alvarez
Email Address: angel.jalvarez0914@gmail.com
City: Merced
State: CA
Country: United States
Venue: Home
Venue Location: Mountain mikes pizza
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2092918080 - - - - - - - - - - - - - - - - - - - - - - - - Faithful to the Bay - - - Angel - - - Alvarez - - - angel.jalvarez0914@gmail.com - - - Merced - - - CA - - - United States - - - Home - - - Mountain mikes pizza - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: O.C. NINER EMPIRE FAITHFUL'S
President First Name: Angel
President Last Name: Grijalva
Email Address: angelgrijalva4949@gmail.com
City: Buena park
State: CA
Country: United States
Venue: Ciro's pizza
Venue Location: 6969 la Palma Ave
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5627391639 - - - - - - - - - - - - - - - - - - - - - - - - - - - Angel - - - Grijalva - - - angelgrijalva4949@gmail.com - - - Buena park - - - CA - - - United States - - - - - - 6969 la Palma Ave - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 408 Faithfuls
President First Name: Angelina
President Last Name: Arevalo
Email Address: angelina.arevalo@yahoo.com
City: Milpitas
State: CA
Country: United States
Venue: Big Al's Silicon Valley
Venue Location: 27 Ranch Drive
Total Fans: 50
Facebook: IG- @408faithfuls
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 408-209-1677 - - - - - - - - - - - - - - - - - - - - - - - - 408 Faithfuls - - - Angelina - - - Arevalo - - - angelina.arevalo@yahoo.com - - - Milpitas - - - CA - - - United States - - - - - - 27 Ranch Drive - - - 50.0 - - - IG- @408faithfuls - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 415 chapter
President First Name: Angelo
President Last Name: Hernandez
Email Address: angeloh650@gmail.com
City: san francisco
State: California
Country: United States
Venue: 49er Faithful house
Venue Location: 2090 Bryant street
Total Fans: 200
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6507841235 - - - - - - - - - - - - - - - - - - - - - - - - 415 chapter - - - Angelo - - - Hernandez - - - angeloh650@gmail.com - - - san francisco - - - California - - - United States - - - 49er Faithful house - - - 2090 Bryant street - - - 200.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: HairWorks
President First Name: Annie
President Last Name:
Email Address: anniewallace6666@gmail.com
City: Denver
State: Co
Country: United States
Venue: hairworks
Venue Location: 2201 Lafayette at
Total Fans: 1
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3038641585 - - - - - - - - - - - - - - - - - - - - - - - - HairWorks - - - Annie - - - - - - anniewallace6666@gmail.com - - - Denver - - - Co - - - United States - - - hairworks - - - 2201 Lafayette at - - - 1.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Room The Next Generation Of Faithfuls
President First Name: Antonio
President Last Name: Caballero
Email Address: Anthonycaballero49@gmail.com
City: Tlalnepantla de Baz
State: CA
Country: United States
Venue: Buffalo Wild Wings Mindo E
Venue Location: Blvd. Manuel Avila Camacho 1007
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (925) 481-0343 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Room The Next Generation Of Faithfuls - - - Antonio - - - Caballero - - - Anthonycaballero49@gmail.com - - - Tlalnepantla de Baz - - - CA - - - United States - - - Buffalo Wild Wings Mindo E - - - Blvd. Manuel Avila Camacho 1007 - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire 209 Modesto Chapter
President First Name: Paul
President Last Name: Marin
Email Address: apolinarmarin209@gmail.com
City: Modesto
State: CA
Country: United States
Venue: Rivets American Grill
Venue Location: 2307 Oakdale Rd
Total Fans: 50
Facebook: https://www.facebook.com/niner.ninjas?ref=bookmarks
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2098182020 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire 209 Modesto Chapter - - - Paul - - - Marin - - - apolinarmarin209@gmail.com - - - Modesto - - - CA - - - United States - - - Rivets American Grill - - - 2307 Oakdale Rd - - - 50.0 - - - https://www.facebook.com/niner.ninjas?ref=bookmarks - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Lady Niners of Washington
President First Name: April
President Last Name: Costello
Email Address: aprilrichardson24@hotmail.com
City: Auburn
State: Wa
Country: United States
Venue: Sports Page
Venue Location: 2802 Auburn Way N
Total Fans: 13
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2539616009 - - - - - - - - - - - - - - - - - - - - - - - - Lady Niners of Washington - - - April - - - Costello - - - aprilrichardson24@hotmail.com - - - Auburn - - - Wa - - - United States - - - Sports Page - - - 2802 Auburn Way N - - - 13.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: AZ 49ER EMPIRE
President First Name: GARY
President Last Name: MARTINEZ
Email Address: az49erempire@gmail.com
City: Phoenix
State: AZ
Country: United States
Venue: The Native New Yorker (Ahwatukee)
Venue Location: 5030 E Ray Rd.
Total Fans: 130
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4803290483 - - - - - - - - - - - - - - - - - - - - - - - - AZ 49ER EMPIRE - - - GARY - - - MARTINEZ - - - az49erempire@gmail.com - - - Phoenix - - - AZ - - - United States - - - The Native New Yorker (Ahwatukee) - - - 5030 E Ray Rd. - - - 130.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Bulls Eye Bar 49ers
President First Name: Armando
President Last Name: M. Macias
Email Address: BA1057@blackangus.com
City: Montclair
State: California
Country: United States
Venue: Black Angus Montclair California
Venue Location: 9415 Monte Vista Ave.
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9096214821 - - - - - - - - - - - - - - - - - - - - - - - - The Bulls Eye Bar 49ers - - - Armando - - - M. Macias - - - BA1057@blackangus.com - - - Montclair - - - California - - - United States - - - Black Angus Montclair California - - - 9415 Monte Vista Ave. - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NoVa Tru9er Empire
President First Name: Jay
President Last Name: balthrop
Email Address: balthrop007@gmail.com
City: Woodbridge
State: va
Country: United States
Venue: Morgan's sports bar & lounge
Venue Location: 3081 galansky blvd
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5404245114 - - - - - - - - - - - - - - - - - - - - - - - - NoVa Tru9er Empire - - - Jay - - - balthrop - - - balthrop007@gmail.com - - - Woodbridge - - - va - - - United States - - - - - - 3081 galansky blvd - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire 951 Faithfuls
President First Name: Samuel
President Last Name: Betancourt
Email Address: betancourtsgb@gmail.com
City: Hemet
State: CA
Country: United States
Venue: George's Pizza 2920 E. Florida Ave. Hemet, Ca.
Venue Location: 2920 E. Florida Ave.
Total Fans: 30
Facebook: https://www.facebook.com/951Faithfuls/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (951) 691-6631 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire 951 Faithfuls - - - Samuel - - - Betancourt - - - betancourtsgb@gmail.com - - - Hemet - - - CA - - - United States - - - - - - 2920 E. Florida Ave. - - - 30.0 - - - https://www.facebook.com/951Faithfuls/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Spartan Niner Empire Texas
President First Name: Adreana
President Last Name: Corralejo
Email Address: biga005@gmail.com
City: Arlington
State: TX
Country: United States
Venue: Bombshells Restaurant & Bar
Venue Location: 701 N. Watson Rd.
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8174956499 - - - - - - - - - - - - - - - - - - - - - - - - Spartan Niner Empire Texas - - - Adreana - - - Corralejo - - - biga005@gmail.com - - - Arlington - - - TX - - - United States - - - - - - 701 N. Watson Rd. - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: THEE EMPIRE FAITHFUL LOS ANGELES COUNTY
President First Name: Dennis
President Last Name: Guerrero II
Email Address: bigd2375@yahoo.com
City: Los Angeles
State: CA
Country: United States
Venue: Home
Venue Location: 1422 Saybrook Ave
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3234720160 - - - - - - - - - - - - - - - - - - - - - - - - THEE EMPIRE FAITHFUL LOS ANGELES COUNTY - - - Dennis - - - Guerrero II - - - bigd2375@yahoo.com - - - Los Angeles - - - CA - - - United States - - - Home - - - 1422 Saybrook Ave - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Richmond 510 Chapter
President First Name: David
President Last Name: Watkins
Email Address: bigdave510@gmail.com
City: San Pablo
State: Ca
Country: United States
Venue: Noya Lounge
Venue Location: 14350 Laurie Lane
Total Fans: 50
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5103756841 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Richmond 510 Chapter - - - David - - - Watkins - - - bigdave510@gmail.com - - - San Pablo - - - Ca - - - United States - - - Noya Lounge - - - 14350 Laurie Lane - - - 50.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Thee Empire Faithful The Bay Area
President First Name: Ant
President Last Name: Caballero
Email Address: biggant23@gmail.com
City: Oakley
State: Ca
Country: United States
Venue: Sabrina's Pizzeria
Venue Location: 2587 Main St
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9254810343 - - - - - - - - - - - - - - - - - - - - - - - - Thee Empire Faithful The Bay Area - - - Ant - - - Caballero - - - biggant23@gmail.com - - - Oakley - - - Ca - - - United States - - - - - - 2587 Main St - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Mid Atlantic Niner Empire Chapter
President First Name: Jacob
President Last Name: Tyree
Email Address: BigJ80@msn.com
City: Mechanicsville
State: Va
Country: United States
Venue: The Ville
Venue Location: 7526 Mechanicsville Turnpike
Total Fans: 10
Facebook: https://www.facebook.com/#!/groups/290644124347980/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8049013890 - - - - - - - - - - - - - - - - - - - - - - - - The Mid Atlantic Niner Empire Chapter - - - Jacob - - - Tyree - - - BigJ80@msn.com - - - Mechanicsville - - - Va - - - United States - - - The Ville - - - 7526 Mechanicsville Turnpike - - - 10.0 - - - https://www.facebook.com/#!/groups/290644124347980/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Big Sky SF 49ers
President First Name: Jo
President Last Name: Poor Bear
Email Address: bigsky49ers@gmail.com
City: Billings
State: MT
Country: United States
Venue: Old Chicago - Billings
Venue Location: 920 S 24th Street W
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6058683729 - - - - - - - - - - - - - - - - - - - - - - - - Big Sky SF 49ers - - - Jo - - - Poor Bear - - - bigsky49ers@gmail.com - - - Billings - - - MT - - - United States - - - Old Chicago - Billings - - - 920 S 24th Street W - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Hawaii Niner Empire
President First Name: Bryson
President Last Name: Kerston
Email Address: bjkk808@yahoo.com
City: Waipahu
State: HI
Country: United States
Venue: The Hale
Venue Location: 94-983 kahuailani st
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 808-387-7075 - - - - - - - - - - - - - - - - - - - - - - - - Hawaii Niner Empire - - - Bryson - - - Kerston - - - bjkk808@yahoo.com - - - Waipahu - - - HI - - - United States - - - The Hale - - - 94-983 kahuailani st - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Porterville Cen Cal 559
President First Name: Olivia
President Last Name: ""bo"" Ortiz or Patricia Sanchez
Email Address: boliviaortiz@hotmail.com
City: Porterville
State: Ca
Country: United States
Venue: Pizza Factory/ Local Bar & Grill
Venue Location: 897 W. Henderson
Total Fans: 34
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5597896991 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Porterville Cen Cal 559 - - - Olivia - - - - - - boliviaortiz@hotmail.com - - - Porterville - - - Ca - - - United States - - - - - - 897 W. Henderson - - - 34.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: W.MA CHAPTER NINER EMPIRE
President First Name: BECKY
President Last Name: OSORIO
Email Address: BOSORIO2005@YAHOO.COM
City: CHICOPEE
State: MA
Country: United States
Venue: MAXIMUM CAPACITY
Venue Location: 116 SCHOOL ST
Total Fans: 36
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4132734010 - - - - - - - - - - - - - - - - - - - - - - - - W.MA CHAPTER NINER EMPIRE - - - BECKY - - - OSORIO - - - BOSORIO2005@YAHOO.COM - - - CHICOPEE - - - MA - - - United States - - - MAXIMUM CAPACITY - - - 116 SCHOOL ST - - - 36.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Hampton Roads Niner Empire (Southside Chapter)
President First Name: Braxton
President Last Name: Gaskins
Email Address: braq2010@gmail.com
City: Norfolk
State: VA
Country: United States
Venue: Azalea Inn / Timeout Sports Bar
Venue Location: Azalea Inn / Timeout Sports Bar
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (757) 708-0662 - - - - - - - - - - - - - - - - - - - - - - - - Hampton Roads Niner Empire (Southside Chapter) - - - Braxton - - - Gaskins - - - braq2010@gmail.com - - - Norfolk - - - VA - - - United States - - - Azalea Inn / Timeout Sports Bar - - - Azalea Inn / Timeout Sports Bar - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Central Valley Niners
President First Name: Jesse
President Last Name: moreno
Email Address: brittsdad319@yahoo.com
City: Visalia
State: Ca
Country: United States
Venue: Pizza factory
Venue Location: 3121 w noble
Total Fans: 35
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5598042288 - - - - - - - - - - - - - - - - - - - - - - - - Central Valley Niners - - - Jesse - - - moreno - - - brittsdad319@yahoo.com - - - Visalia - - - Ca - - - United States - - - Pizza factory - - - 3121 w noble - - - 35.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Knights
President First Name: Bryan
President Last Name: Teel
Email Address: bryan_teel2002@yahoo.com
City: Ewing Twp
State: NJ
Country: United States
Venue: Game Room of River Edge Apts
Venue Location: 1009 Country Lane
Total Fans: 35
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6094038767 - - - - - - - - - - - - - - - - - - - - - - - - Niner Knights - - - Bryan - - - Teel - - - bryan_teel2002@yahoo.com - - - Ewing Twp - - - NJ - - - United States - - - Game Room of River Edge Apts - - - 1009 Country Lane - - - 35.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Lone Star Niner Empire
President First Name: Myrna
President Last Name: Martinez
Email Address: Buttercup2218@hotmail.com
City: Houston
State: TX
Country: United States
Venue: Post oak ice house
Venue Location: 5610 Richmond Ave.
Total Fans: 33
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3463344898 - - - - - - - - - - - - - - - - - - - - - - - - Lone Star Niner Empire - - - Myrna - - - Martinez - - - Buttercup2218@hotmail.com - - - Houston - - - TX - - - United States - - - Post oak ice house - - - 5610 Richmond Ave. - - - 33.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Hawaii Faithfuls
President First Name: Rey
President Last Name: Buzon
Email Address: buzon.rey@gmail.com
City: Honolulu
State: HI
Country: United States
Venue: Champions Bar & Grill
Venue Location: 1108 Keeaumoku Street
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8082657452 - - - - - - - - - - - - - - - - - - - - - - - - Hawaii Faithfuls - - - Rey - - - Buzon - - - buzon.rey@gmail.com - - - Honolulu - - - HI - - - United States - - - - - - 1108 Keeaumoku Street - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Faithful of Murrieta
President First Name: Colleen
President Last Name: Hancock
Email Address: cammck@verizon.net
City: Murrieta
State: CA
Country: United States
Venue: Sidelines Bar & Grill
Venue Location: 24910 Washington Ave
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9099571468 - - - - - - - - - - - - - - - - - - - - - - - - 49er Faithful of Murrieta - - - Colleen - - - Hancock - - - cammck@verizon.net - - - Murrieta - - - CA - - - United States - - - - - - 24910 Washington Ave - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Capitol City 49ers
President First Name: Erica
President Last Name: Medina
Email Address: capitolcityshowstoppersee@gmail.com
City: Sacramento
State: CA
Country: United States
Venue: Tom's Watch Bar DOCO
Venue Location: Tom's Watch Bar 414 K St suite 180
Total Fans: 1300
Facebook: https://www.facebook.com/groups/1226671178132767/?ref=share
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9168221256 - - - - - - - - - - - - - - - - - - - - - - - - Capitol City 49ers - - - Erica - - - Medina - - - capitolcityshowstoppersee@gmail.com - - - Sacramento - - - CA - - - United States - - - - - - - - - 1300.0 - - - https://www.facebook.com/groups/1226671178132767/?ref=share - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Huntington Beach Faithfuls
President First Name: Carlos
President Last Name: Pizarro
Email Address: carlos@beachfront301.com
City: Huntington Beach
State: CA
Country: United States
Venue: BEACHFRONT 301
Venue Location: 301 Main St. Suite 101
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3103496959 - - - - - - - - - - - - - - - - - - - - - - - - Huntington Beach Faithfuls - - - Carlos - - - Pizarro - - - carlos@beachfront301.com - - - Huntington Beach - - - CA - - - United States - - - BEACHFRONT 301 - - - 301 Main St. Suite 101 - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Saltillo
President First Name: Carlos
President Last Name: Carrizales
Email Address: carrizalez21@yahoo.com.mx
City: Saltillo
State: TX
Country: United States
Venue: Cadillac Saltillo Bar
Venue Location: Cadillac Saltillo Bar
Total Fans: 116
Facebook: Club 49ers Saltillo @ Facebook
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (210) 375-6746 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Saltillo - - - Carlos - - - Carrizales - - - carrizalez21@yahoo.com.mx - - - Saltillo - - - TX - - - United States - - - Cadillac Saltillo Bar - - - Cadillac Saltillo Bar - - - 116.0 - - - Club 49ers Saltillo @ Facebook - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Germantown 49er's Club
President First Name: CM
President Last Name: Rosenthal
Email Address: carterrosenthal@gmail.com
City: Memphis
State: TN
Country: United States
Venue: Mr. P's Sports Bar Hacks Cross Rd.
Venue Location: 3284 Hacks Cross Road
Total Fans: 103
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9035527931 - - - - - - - - - - - - - - - - - - - - - - - - - - - CM - - - Rosenthal - - - carterrosenthal@gmail.com - - - Memphis - - - TN - - - United States - - - - - - 3284 Hacks Cross Road - - - 103.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers faithful
President First Name: Ray
President Last Name: Castillo
Email Address: castillonicki62@yahoo.com
City: KEYES
State: CA
Country: United States
Venue: Mt mikes ceres ca
Venue Location: 4618 Blanca Ct
Total Fans: 8
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 12093462496 - - - - - - - - - - - - - - - - - - - - - - - - 49ers faithful - - - Ray - - - Castillo - - - castillonicki62@yahoo.com - - - KEYES - - - CA - - - United States - - - Mt mikes ceres ca - - - 4618 Blanca Ct - - - 8.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Ladies Of The Empire
President First Name: Catherine
President Last Name: Tate
Email Address: Cat@LadiesOfTheEmpire.com
City: Manteca
State: Ca
Country: United States
Venue: Central Valley and Bay Area
Venue Location: 1660 W. Yosemite Ave
Total Fans: 247
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2094561796 - - - - - - - - - - - - - - - - - - - - - - - - Ladies Of The Empire - - - Catherine - - - Tate - - - Cat@LadiesOfTheEmpire.com - - - Manteca - - - Ca - - - United States - - - Central Valley and Bay Area - - - 1660 W. Yosemite Ave - - - 247.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Las Vegas Niner Empire 702
President First Name: blu
President Last Name: villegas
Email Address: catarinocastanedajr@yahoo.com
City: Las Vegas
State: NV
Country: United States
Venue: Calico Jack's
Venue Location: 8200 W. Charleston rd
Total Fans: 300
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7027735380 - - - - - - - - - - - - - - - - - - - - - - - - Las Vegas Niner Empire 702 - - - blu - - - villegas - - - catarinocastanedajr@yahoo.com - - - Las Vegas - - - NV - - - United States - - - - - - 8200 W. Charleston rd - - - 300.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Faithfuls in DC
President First Name: Catie
President Last Name: Bailard
Email Address: catie.bailard@gmail.com
City: Washington
State: DC
Country: United States
Venue: Town Tavern
Venue Location: 2323 18th Street NW
Total Fans: 150
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3107487035 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Faithfuls in DC - - - Catie - - - Bailard - - - catie.bailard@gmail.com - - - Washington - - - DC - - - United States - - - Town Tavern - - - 2323 18th Street NW - - - 150.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Booster Club of Roseville
President First Name: Cece
President Last Name: Moats
Email Address: cecesupplies@gmail.com
City: Roseville
State: CA
Country: United States
Venue: Bunz Sports Pub & Grub
Venue Location: 311 Judah Street
Total Fans: 32
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6619722639 - - - - - - - - - - - - - - - - - - - - - - - - 49er Booster Club of Roseville - - - Cece - - - Moats - - - cecesupplies@gmail.com - - - Roseville - - - CA - - - United States - - - - - - 311 Judah Street - - - 32.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Kern County Niner Empire
President First Name: Sal
President Last Name: Luna
Email Address: cellysal08@yahoo.com
City: Bakersfield
State: Ca
Country: United States
Venue: Firehouse Restaurant
Venue Location: 7701 White Lane
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6613033911 - - - - - - - - - - - - - - - - - - - - - - - - Kern County Niner Empire - - - Sal - - - Luna - - - cellysal08@yahoo.com - - - Bakersfield - - - Ca - - - United States - - - Firehouse Restaurant - - - 7701 White Lane - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Central Coast Niner Empire 831
President First Name: Rafael
President Last Name: Garcia
Email Address: centralcoastninerempire831@gmail.com
City: Salinas
State: CA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 1988 North Main St
Total Fans: 11
Facebook: Facebook.com/CentralCoastNinerEmpire831
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8315126139 - - - - - - - - - - - - - - - - - - - - - - - - Central Coast Niner Empire 831 - - - Rafael - - - Garcia - - - centralcoastninerempire831@gmail.com - - - Salinas - - - CA - - - United States - - - Buffalo Wild Wings - - - 1988 North Main St - - - 11.0 - - - Facebook.com/CentralCoastNinerEmpire831 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Central Coast Niner Empire 831
President First Name: Rafael
President Last Name: Garcia
Email Address: centralcoastninermepire831@gmail.com
City: Salinas
State: CA
Country: United States
Venue: Pizza Factory
Venue Location: 1945 Natividad Rd
Total Fans: 22
Facebook: Facebook.com/CentralCoastNinerEmpire831
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8315126139 - - - - - - - - - - - - - - - - - - - - - - - - Central Coast Niner Empire 831 - - - Rafael - - - Garcia - - - centralcoastninermepire831@gmail.com - - - Salinas - - - CA - - - United States - - - Pizza Factory - - - 1945 Natividad Rd - - - 22.0 - - - Facebook.com/CentralCoastNinerEmpire831 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Houston Niner Empire
President First Name: Carlos
President Last Name: Duarte
Email Address: cgduarte21@icloud.com
City: Houston
State: TX
Country: United States
Venue: Home Plate Bar & Grill
Venue Location: 1800 Texas Street
Total Fans: 107
Facebook: https://m.facebook.com/HoustonNinerEmpire/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2817509505 - - - - - - - - - - - - - - - - - - - - - - - - Houston Niner Empire - - - Carlos - - - Duarte - - - cgduarte21@icloud.com - - - Houston - - - TX - - - United States - - - - - - 1800 Texas Street - - - 107.0 - - - https://m.facebook.com/HoustonNinerEmpire/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Train Whistle Faithful
President First Name: Christopher
President Last Name: Gunnare
Email Address: cgunnare@hotmail.com
City: Mountain View
State: CA
Country: United States
Venue: Savvy Cellar
Venue Location: 750 W. Evelyn Avenue
Total Fans: 13
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4068535155 - - - - - - - - - - - - - - - - - - - - - - - - Train Whistle Faithful - - - Christopher - - - Gunnare - - - cgunnare@hotmail.com - - - Mountain View - - - CA - - - United States - - - Savvy Cellar - - - 750 W. Evelyn Avenue - - - 13.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Corpus Christi Chapter Niner Empire
President First Name: Arturo
President Last Name: Hernandez
Email Address: champions6@gmail.com
City: Corpus Christi
State: TX
Country: United States
Venue: Cheers
Venue Location: 419 Starr St.
Total Fans: 37
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3104659461 - - - - - - - - - - - - - - - - - - - - - - - - Corpus Christi Chapter Niner Empire - - - Arturo - - - Hernandez - - - champions6@gmail.com - - - Corpus Christi - - - TX - - - United States - - - Cheers - - - 419 Starr St. - - - 37.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Dade City
President First Name: Fernando
President Last Name: Chavez
Email Address: chavpuncker82@yahoo.com
City: Dade City
State: Florida
Country: United States
Venue: Beef O Brady's Sports Bar
Venue Location: 14136 7th Street
Total Fans: 22
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3528070372 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Dade City - - - Fernando - - - Chavez - - - chavpuncker82@yahoo.com - - - Dade City - - - Florida - - - United States - - - - - - 14136 7th Street - - - 22.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Chico Faithfuls
President First Name: Oscar
President Last Name: Mendoza
Email Address: chicofaithfuls@gmail.com
City: Chico
State: CA
Country: United States
Venue: Mountain Mikes Pizza
Venue Location: 1722 Mangrove Ave
Total Fans: 32
Facebook: http://facebook.com/chicofaithfuls
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5309536097 - - - - - - - - - - - - - - - - - - - - - - - - Chico Faithfuls - - - Oscar - - - Mendoza - - - chicofaithfuls@gmail.com - - - Chico - - - CA - - - United States - - - Mountain Mikes Pizza - - - 1722 Mangrove Ave - - - 32.0 - - - http://facebook.com/chicofaithfuls - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Chicago Niners
President First Name: Chris
President Last Name: Johnston
Email Address: chris@cpgrestaurants.com
City: Chicago
State: IL
Country: United States
Venue: Cheesie's Pub & Grub 958 W Belmont Ave Chicago IL 60657
Venue Location: 958 W Belmont Ave
Total Fans: 75
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8473099909 - - - - - - - - - - - - - - - - - - - - - - - - Chicago Niners - - - Chris - - - Johnston - - - chris@cpgrestaurants.com - - - Chicago - - - IL - - - United States - - - - - - 958 W Belmont Ave - - - 75.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire 916 Sac Town
President First Name: Lehi
President Last Name: Amado/Anthony Moreno
Email Address: cindyram83@gmail.com
City: Sacramento
State: CA
Country: United States
Venue: El Toritos
Venue Location: 1598 Arden blvd
Total Fans: 40
Facebook: http://www.Facebook.com
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7076556423 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire 916 Sac Town - - - Lehi - - - Amado/Anthony Moreno - - - cindyram83@gmail.com - - - Sacramento - - - CA - - - United States - - - El Toritos - - - 1598 Arden blvd - - - 40.0 - - - http://www.Facebook.com - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ER EMPIRE COLORADO CHAPTER
President First Name: CHARLES
President Last Name: M. DUNCAN
Email Address: cmd9ers5x2000@yahoo.com
City: Colorado Springs
State: Co.
Country: United States
Venue: FOX & HOUND COLORADO SPRINGS
Venue Location: 3101 New Center Pt.
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7193377546 - - - - - - - - - - - - - - - - - - - - - - - - 49ER EMPIRE COLORADO CHAPTER - - - CHARLES - - - M. DUNCAN - - - cmd9ers5x2000@yahoo.com - - - Colorado Springs - - - Co. - - - United States - - - - - - 3101 New Center Pt. - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers NC Triad Chapter
President First Name: Christopher
President Last Name: Miller
Email Address: cnnresources06@yahoo.com
City: Greensboro
State: NC
Country: United States
Venue: Kickback Jack's
Venue Location: 1600 Battleground Ave.
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3364512567 - - - - - - - - - - - - - - - - - - - - - - - - 49ers NC Triad Chapter - - - Christopher - - - Miller - - - cnnresources06@yahoo.com - - - Greensboro - - - NC - - - United States - - - - - - 1600 Battleground Ave. - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Central Oregon 49ers Faithful
President First Name: George
President Last Name: Bravo
Email Address: CO49ersFaithful@gmail.com
City: Redmond
State: OR
Country: United States
Venue: Redmond Oregon
Venue Location: 495 NW 28th St
Total Fans: 1
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4588992022 - - - - - - - - - - - - - - - - - - - - - - - - Central Oregon 49ers Faithful - - - George - - - Bravo - - - CO49ersFaithful@gmail.com - - - Redmond - - - OR - - - United States - - - Redmond Oregon - - - 495 NW 28th St - - - 1.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Westside 9ers
President First Name: Naimah
President Last Name: Shamsiddeen
Email Address: coachnai76@gmail.com
City: Carson
State: CA
Country: United States
Venue: Los Angeles
Venue Location: 1462 E Gladwick St
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3108979404 - - - - - - - - - - - - - - - - - - - - - - - - Westside 9ers - - - Naimah - - - Shamsiddeen - - - coachnai76@gmail.com - - - Carson - - - CA - - - United States - - - Los Angeles - - - 1462 E Gladwick St - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Illinois Chapter
President First Name: Max
President Last Name: Tuttle
Email Address: crystaltarrant@yahoo.com
City: Mattoon
State: Illinois
Country: United States
Venue: residence, for now
Venue Location: 6 Apple Drive
Total Fans: 6
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2173173725 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Illinois Chapter - - - Max - - - Tuttle - - - crystaltarrant@yahoo.com - - - Mattoon - - - Illinois - - - United States - - - residence, for now - - - 6 Apple Drive - - - 6.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Treasure Valley 49er Faithful
President First Name: Curt
President Last Name: Starz
Email Address: cstarman41@yahoo.com
City: Star
State: ID
Country: United States
Venue: The Beer Guys Saloon
Venue Location: 10937 W State St
Total Fans: 50
Facebook: https://www.facebook.com/TV49erFaithful/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2089642981 - - - - - - - - - - - - - - - - - - - - - - - - Treasure Valley 49er Faithful - - - Curt - - - Starz - - - cstarman41@yahoo.com - - - Star - - - ID - - - United States - - - The Beer Guys Saloon - - - 10937 W State St - - - 50.0 - - - https://www.facebook.com/TV49erFaithful/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Ct faithful chapter
President First Name: Tim
President Last Name: Maroney
Email Address: ct49erfaithful@gmail.com
City: stamford
State: ct
Country: United States
Venue: buffalo wild wings
Venue Location: 208 summer st
Total Fans: 33
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2039484616 - - - - - - - - - - - - - - - - - - - - - - - - Ct faithful chapter - - - Tim - - - Maroney - - - ct49erfaithful@gmail.com - - - stamford - - - ct - - - United States - - - buffalo wild wings - - - 208 summer st - - - 33.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 305 FAITHFUL EMPIRE
President First Name: Damien
President Last Name: Lizano
Email Address: damien.lizano@yahoo.com
City: Miami
State: FL
Country: United States
Venue: Walk-On's
Venue Location: 9065 SW 162nd Ave
Total Fans: 18
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3057780667 - - - - - - - - - - - - - - - - - - - - - - - - 305 FAITHFUL EMPIRE - - - Damien - - - Lizano - - - damien.lizano@yahoo.com - - - Miami - - - FL - - - United States - - - - - - 9065 SW 162nd Ave - - - 18.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Fillmoe SF Niners Nation Chapter
President First Name: Daniel
President Last Name: Landry
Email Address: danielb.landry@yahoo.com
City: San Francisco
State: CA
Country: United States
Venue: Honey Arts Kitchen by Pinot's
Venue Location: 1861 Sutter Street
Total Fans: 16
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 1415902100 - - - - - - - - - - - - - - - - - - - - - - - - Fillmoe SF Niners Nation Chapter - - - Daniel - - - Landry - - - danielb.landry@yahoo.com - - - San Francisco - - - CA - - - United States - - - - - - 1861 Sutter Street - - - 16.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers So Cal Faithfuls
President First Name: Daniel
President Last Name: Hernandez
Email Address: danielth12@yahoo.com
City: Oxnard
State: CA
Country: United States
Venue: So Cal (Various locations with friends and family)
Venue Location: 3206 Lisbon Lane
Total Fans: 4
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6199949071 - - - - - - - - - - - - - - - - - - - - - - - - 49ers So Cal Faithfuls - - - Daniel - - - Hernandez - - - danielth12@yahoo.com - - - Oxnard - - - CA - - - United States - - - So Cal (Various locations with friends and family) - - - 3206 Lisbon Lane - - - 4.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire DFW
President First Name: Danny
President Last Name: Ramirez
Email Address: dannyramirez@yahoo.com
City: Arlington
State: TX
Country: United States
Venue: Walk-Ons Bistreaux
Venue Location: Walk-Ons Bistreaux
Total Fans: 75
Facebook: www.facebook.com/ninerempiredfw
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (817) 675-7644 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire DFW - - - Danny - - - Ramirez - - - dannyramirez@yahoo.com - - - Arlington - - - TX - - - United States - - - Walk-Ons Bistreaux - - - Walk-Ons Bistreaux - - - 75.0 - - - www.facebook.com/ninerempiredfw - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Duke City Faithful Niner Empire
President First Name: Danny
President Last Name: Roybal
Email Address: dannyroybal505@gmail.com
City: Albuquerque
State: NM
Country: United States
Venue: Duke City Bar And Grill
Venue Location: 6900 Montgomery Blvd NE
Total Fans: 93
Facebook: www.facebook.com/@dukecityfaithful505
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (505) 480-6101 - - - - - - - - - - - - - - - - - - - - - - - - Duke City Faithful Niner Empire - - - Danny - - - Roybal - - - dannyroybal505@gmail.com - - - Albuquerque - - - NM - - - United States - - - Duke City Bar And Grill - - - 6900 Montgomery Blvd NE - - - 93.0 - - - www.facebook.com/@dukecityfaithful505 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers @ Champions
President First Name: Davis
President Last Name: Price
Email Address: daprice80@gmail.com
City: Honolulu
State: Hawaii
Country: United States
Venue: Champions Bar and Grill
Venue Location: 1108 Keeaumoku St
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8089545569 - - - - - - - - - - - - - - - - - - - - - - - - 49ers @ Champions - - - Davis - - - Price - - - daprice80@gmail.com - - - Honolulu - - - Hawaii - - - United States - - - Champions Bar and Grill - - - 1108 Keeaumoku St - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Natural State Niners Club
President First Name: Denishio
President Last Name: Blanchett
Email Address: dblanchett@hotmail.com
City: Jonesboro
State: AR
Country: United States
Venue: Buffalo Wild Wings, Jonesboro, AR
Venue Location: Buffalo Wild Wings
Total Fans: 18
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 870-519-9373 - - - - - - - - - - - - - - - - - - - - - - - - Natural State Niners Club - - - Denishio - - - Blanchett - - - dblanchett@hotmail.com - - - Jonesboro - - - AR - - - United States - - - Buffalo Wild Wings, Jonesboro, AR - - - Buffalo Wild Wings - - - 18.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Empire - Georgia Chapter
President First Name: Brian
President Last Name: Register
Email Address: Deathfrolic@gmail.com
City: Marietta
State: ga
Country: United States
Venue: Dave & Busters of Marietta Georgia
Venue Location: 2215 D and B Dr SE
Total Fans: 23
Facebook: https://www.facebook.com/49erEmpireGeorgiaChapter
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7706664527 - - - - - - - - - - - - - - - - - - - - - - - - 49er Empire - Georgia Chapter - - - Brian - - - Register - - - Deathfrolic@gmail.com - - - Marietta - - - ga - - - United States - - - - - - 2215 D and B Dr SE - - - 23.0 - - - https://www.facebook.com/49erEmpireGeorgiaChapter - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: San Francisco 49ers of San Diego
President First Name: Denise
President Last Name: Hines
Email Address: denisehines777@gmail.com
City: San Diego
State: CA
Country: United States
Venue: Moonshine Beach
Venue Location: Moonshine Beach Bar
Total Fans: 80
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (928) 302-6266 - - - - - - - - - - - - - - - - - - - - - - - - San Francisco 49ers of San Diego - - - Denise - - - Hines - - - denisehines777@gmail.com - - - San Diego - - - CA - - - United States - - - Moonshine Beach - - - Moonshine Beach Bar - - - 80.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Sonoran Desert Niner Empire
President First Name: Derek
President Last Name: Yubeta
Email Address: derek_gnt_floral@yahoo.com
City: Maricopa
State: AZ
Country: United States
Venue: Cold beers and Cheeseburgers
Venue Location: 20350 N John Wayne pkwy
Total Fans: 50
Facebook: Facebook Sonoran Desert Niner Empire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5204147239 - - - - - - - - - - - - - - - - - - - - - - - - Sonoran Desert Niner Empire - - - Derek - - - Yubeta - - - derek_gnt_floral@yahoo.com - - - Maricopa - - - AZ - - - United States - - - Cold beers and Cheeseburgers - - - 20350 N John Wayne pkwy - - - 50.0 - - - Facebook Sonoran Desert Niner Empire - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Empire Syracuse 315 Chapter
President First Name: Dexter
President Last Name: Grady
Email Address: Dexgradyjr@gmail.com
City: Syracuse
State: NY
Country: United States
Venue: Change of pace sports bar
Venue Location: 1809 Grant Blvd
Total Fans: 233
Facebook: Facebook 49ers Empire Syracuse 315 Chapter
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 315-313-8105 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Empire Syracuse 315 Chapter - - - Dexter - - - Grady - - - Dexgradyjr@gmail.com - - - Syracuse - - - NY - - - United States - - - Change of pace sports bar - - - 1809 Grant Blvd - - - 233.0 - - - Facebook 49ers Empire Syracuse 315 Chapter - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Ventura Chapter
President First Name: Diego
President Last Name: Rodriguez
Email Address: diegoin805@msn.com
City: Ventura
State: CA
Country: United States
Venue: El Rey Cantina
Venue Location: El Rey Cantina
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8058901997 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Ventura Chapter - - - Diego - - - Rodriguez - - - diegoin805@msn.com - - - Ventura - - - CA - - - United States - - - El Rey Cantina - - - El Rey Cantina - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 540 Faithfuls of the Niner Empire
President First Name: Derrick
President Last Name: Lackey Sr
Email Address: djdlack@gmail.com
City: Fredericksburg
State: VA
Country: United States
Venue: Home Team Grill
Venue Location: 1109 Jefferson Davis Highway
Total Fans: 8
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (717) 406-4494 - - - - - - - - - - - - - - - - - - - - - - - - 540 Faithfuls of the Niner Empire - - - Derrick - - - Lackey Sr - - - djdlack@gmail.com - - - Fredericksburg - - - VA - - - United States - - - Home Team Grill - - - 1109 Jefferson Davis Highway - - - 8.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Ninerempire Tampafl Chapter
President First Name: john
President Last Name: downer
Email Address: downer68@gmail.com
City: tampa
State: fl
Country: United States
Venue: Ducky's
Venue Location: 1719 eest Kennedy blvd
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8134588746 - - - - - - - - - - - - - - - - - - - - - - - - Ninerempire Tampafl Chapter - - - john - - - downer - - - downer68@gmail.com - - - tampa - - - fl - - - United States - - - - - - 1719 eest Kennedy blvd - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Gold Diggers
President First Name: Drew
President Last Name: Nye
Email Address: drewnye@me.com
City: Rochester
State: New York
Country: United States
Venue: The Blossom Road Pub
Venue Location: 196 N. Winton Rd
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5857393739 - - - - - - - - - - - - - - - - - - - - - - - - Gold Diggers - - - Drew - - - Nye - - - drewnye@me.com - - - Rochester - - - New York - - - United States - - - The Blossom Road Pub - - - 196 N. Winton Rd - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Waco Chapter
President First Name: Dustin
President Last Name: Weins
Email Address: dustinweins@gmail.com
City: Waco
State: TX
Country: United States
Venue: Salty Dog
Venue Location: 2004 N. Valley Mills
Total Fans: 36
Facebook: https://www.facebook.com/groups/Waco49ersFans/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2545482581 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Waco Chapter - - - Dustin - - - Weins - - - dustinweins@gmail.com - - - Waco - - - TX - - - United States - - - Salty Dog - - - 2004 N. Valley Mills - - - 36.0 - - - https://www.facebook.com/groups/Waco49ersFans/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire of Brentwood
President First Name: Elvin
President Last Name: Geronimo
Email Address: e_geronimo@comcast.net
City: Brentwood
State: CA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 6051 Lone Tree Way
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9253823429 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire of Brentwood - - - Elvin - - - Geronimo - - - e_geronimo@comcast.net - - - Brentwood - - - CA - - - United States - - - Buffalo Wild Wings - - - 6051 Lone Tree Way - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NinerEmpire of Lancaster, PA
President First Name: Eli
President Last Name: Jiminez
Email Address: Eli@GenesisCleans.com
City: Lancaster
State: PA
Country: United States
Venue: PA Lancaster Niners Den
Venue Location: 2917 Marietta Avenue
Total Fans: 50
Facebook: https://www.facebook.com/NinerEmpireLancasterPA
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7173301611 - - - - - - - - - - - - - - - - - - - - - - - - NinerEmpire of Lancaster, PA - - - Eli - - - Jiminez - - - Eli@GenesisCleans.com - - - Lancaster - - - PA - - - United States - - - PA Lancaster Niners Den - - - 2917 Marietta Avenue - - - 50.0 - - - https://www.facebook.com/NinerEmpireLancasterPA - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Empire Tejas 915- El Paso TX
President First Name: Jr
President Last Name: & Yanet Esparza
Email Address: empiretejas915@gmail.com
City: El Paso
State: Tx
Country: United States
Venue: EL Luchador Taqueria/Bar
Venue Location: 1613 n Zaragoza
Total Fans: 28
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9156671234 - - - - - - - - - - - - - - - - - - - - - - - - Empire Tejas 915- El Paso TX - - - Jr - - - - - - empiretejas915@gmail.com - - - El Paso - - - Tx - - - United States - - - EL Luchador Taqueria/Bar - - - 1613 n Zaragoza - - - 28.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Capitol City 49ers fan club
President First Name: Erica
President Last Name: medina
Email Address: Erica.medina916@gmail.com
City: West Sacramento
State: CA
Country: United States
Venue: Burgers and Brew restaurant
Venue Location: 317 3rd St
Total Fans: 80
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9168221256 - - - - - - - - - - - - - - - - - - - - - - - - Capitol City 49ers fan club - - - Erica - - - medina - - - Erica.medina916@gmail.com - - - West Sacramento - - - CA - - - United States - - - Burgers and Brew restaurant - - - 317 3rd St - - - 80.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Golden Empire Hollywood
President First Name: Ernie
President Last Name: Todd Jr
Email Address: ernietoddjr@gmail.com
City: Los Angeles
State: CA
Country: United States
Venue: Nova Nightclub
Venue Location: 7046 Hollywood Blvd
Total Fans: 10
Facebook:
Instagram: https://www.instagram.com/goldenempire49ers/
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6269276427 - - - - - - - - - - - - - - - - - - - - - - - - Golden Empire Hollywood - - - Ernie - - - Todd Jr - - - ernietoddjr@gmail.com - - - Los Angeles - - - CA - - - United States - - - Nova Nightclub - - - 7046 Hollywood Blvd - - - 10.0 - - - - - - https://www.instagram.com/goldenempire49ers/ - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Spartan Niner Empire Denver
President First Name: Esley
President Last Name: Sullivan
Email Address: esulli925@gmail.com
City: Denver
State: CO
Country: United States
Venue: Downtown Denver
Venue Location: In transition
Total Fans: 9
Facebook: Facebook: Spartans of Denver
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7202714410 - - - - - - - - - - - - - - - - - - - - - - - - Spartan Niner Empire Denver - - - Esley - - - Sullivan - - - esulli925@gmail.com - - - Denver - - - CO - - - United States - - - Downtown Denver - - - In transition - - - 9.0 - - - Facebook: Spartans of Denver - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er empire of Frisco Texas
President First Name: Frank
President Last Name: Murillo
Email Address: f.murillo75@yahoo.com
City: Frisco
State: TX
Country: United States
Venue: The Irish Rover Pub & Restaurant
Venue Location: 8250 Gaylord Pkwy
Total Fans: 150
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3244765148 - - - - - - - - - - - - - - - - - - - - - - - - 49er empire of Frisco Texas - - - Frank - - - Murillo - - - f.murillo75@yahoo.com - - - Frisco - - - TX - - - United States - - - - - - 8250 Gaylord Pkwy - - - 150.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: FAIRFIELD CHAPTER
President First Name: CHARLES
President Last Name: MCCARVER JR
Email Address: FAIRFIELDCHAPTER49@gmail.com
City: Fairfield
State: CA
Country: United States
Venue: Legends Sports Bar & Grill
Venue Location: 3990 Paradise Valley Rd
Total Fans: 24
Facebook: https://www.facebook.com/pages/NINER-Empire-Fairfield-Chapter/124164624589973
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7079804862 - - - - - - - - - - - - - - - - - - - - - - - - FAIRFIELD CHAPTER - - - CHARLES - - - MCCARVER JR - - - FAIRFIELDCHAPTER49@gmail.com - - - Fairfield - - - CA - - - United States - - - - - - 3990 Paradise Valley Rd - - - 24.0 - - - https://www.facebook.com/pages/NINER-Empire-Fairfield-Chapter/124164624589973 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Shasta Niners
President First Name: Ruth
President Last Name: Rhodes
Email Address: faithful49erfootball@yahoo.com
City: Redding
State: CA
Country: United States
Venue: Shasta Niners Clubhouse
Venue Location: 4830 Cedars Rd
Total Fans: 80
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5302434949 - - - - - - - - - - - - - - - - - - - - - - - - Shasta Niners - - - Ruth - - - Rhodes - - - faithful49erfootball@yahoo.com - - - Redding - - - CA - - - United States - - - Shasta Niners Clubhouse - - - 4830 Cedars Rd - - - 80.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINER EMPIRE FREMONT CHAPTER
President First Name: Elmer
President Last Name: Urias
Email Address: fanofniners@gmail.com
City: Fremont
State: CA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 43821 Pacific Commons Blvd
Total Fans: 22
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4156021439 - - - - - - - - - - - - - - - - - - - - - - - - NINER EMPIRE FREMONT CHAPTER - - - Elmer - - - Urias - - - fanofniners@gmail.com - - - Fremont - - - CA - - - United States - - - Buffalo Wild Wings - - - 43821 Pacific Commons Blvd - - - 22.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Fargo 49ers Faithful
President First Name: Sara
President Last Name: Wald
Email Address: Fargo49ersFaithful@gmail.com
City: Fargo
State: ND
Country: United States
Venue: Herd & Horns
Venue Location: 1414 12th Ave N
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 701-200-2001 - - - - - - - - - - - - - - - - - - - - - - - - Fargo 49ers Faithful - - - Sara - - - Wald - - - Fargo49ersFaithful@gmail.com - - - Fargo - - - ND - - - United States - - - - - - 1414 12th Ave N - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ER ORIGINALS
President First Name: Noah
President Last Name: Abbott
Email Address: flatbillog@gmail.com
City: Redding
State: CA
Country: United States
Venue: BLEACHERS Sports Bar & Grill
Venue Location: 2167 Hilltop Drive
Total Fans: 50
Facebook: http://www.facebook.com/49ERORIGINALS
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5309022915 - - - - - - - - - - - - - - - - - - - - - - - - 49ER ORIGINALS - - - Noah - - - Abbott - - - flatbillog@gmail.com - - - Redding - - - CA - - - United States - - - - - - 2167 Hilltop Drive - - - 50.0 - - - http://www.facebook.com/49ERORIGINALS - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Flowertown Empire of Summerville, SC
President First Name: Michele
President Last Name: A. McGauvran
Email Address: FlowertownEmpire@yahoo.com
City: Summerville
State: South Carolina
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 109 Grandview Drive #1
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8439910310 - - - - - - - - - - - - - - - - - - - - - - - - 49er Flowertown Empire of Summerville, SC - - - Michele - - - A. McGauvran - - - FlowertownEmpire@yahoo.com - - - Summerville - - - South Carolina - - - United States - - - Buffalo Wild Wings - - - 109 Grandview Drive #1 - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers of Brevard County
President First Name: Anthony
President Last Name: Lambert
Email Address: football_lambert@yahoo.com
City: Port St Johns
State: FL
Country: United States
Venue: Beef O'Bradys in Port St. Johns
Venue Location: 3745 Curtis Blvd
Total Fans: 5
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (321) 684-1543 - - - - - - - - - - - - - - - - - - - - - - - - 49ers of Brevard County - - - Anthony - - - Lambert - - - football_lambert@yahoo.com - - - Port St Johns - - - FL - - - United States - - - - - - 3745 Curtis Blvd - - - 5.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Forever Faithful Clique
President First Name: Rosalinda
President Last Name: Arvizu
Email Address: foreverfaithfulclique@gmail.com
City: San Bernardino
State: CA
Country: United States
Venue: The Study Pub and Grill
Venue Location: 5244 University Pkwy Suite L
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9092227020 - - - - - - - - - - - - - - - - - - - - - - - - Forever Faithful Clique - - - Rosalinda - - - Arvizu - - - foreverfaithfulclique@gmail.com - - - San Bernardino - - - CA - - - United States - - - The Study Pub and Grill - - - 5244 University Pkwy Suite L - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ERS FOREVER
President First Name: BOBBY
President Last Name: MENDEZ
Email Address: FORTY49ERS@GMAIL.COM
City: REDLANDS
State: CALIFORNIA
Country: United States
Venue: UPPER DECK
Venue Location: 1101 N. CALIFORNIA ST.
Total Fans: 80
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9098090868 - - - - - - - - - - - - - - - - - - - - - - - - 49ERS FOREVER - - - BOBBY - - - MENDEZ - - - FORTY49ERS@GMAIL.COM - - - REDLANDS - - - CALIFORNIA - - - United States - - - UPPER DECK - - - 1101 N. CALIFORNIA ST. - - - 80.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Thee Empire Faithful Bakersfield
President First Name: Faustino
President Last Name: Gonzales
Email Address: frgonzales3@hotmail.com
City: Bakersfield
State: Ca
Country: United States
Venue: Senor Pepe's Mexican Restaurant
Venue Location: 8450 Granite Falls Dr
Total Fans: 20
Facebook: https://www.facebook.com/Thee-Empire-Faithful-Bakersfield-385021485035078/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6612050411 - - - - - - - - - - - - - - - - - - - - - - - - Thee Empire Faithful Bakersfield - - - Faustino - - - Gonzales - - - frgonzales3@hotmail.com - - - Bakersfield - - - Ca - - - United States - - - - - - 8450 Granite Falls Dr - - - 20.0 - - - https://www.facebook.com/Thee-Empire-Faithful-Bakersfield-385021485035078/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Saloon Suad
President First Name: Gary
President Last Name: Fowler
Email Address: garymfowler2000@gmail.com
City: Los Angeles
State: ca
Country: United States
Venue: San Francisco Saloon Bar
Venue Location: 11501
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3109022071 - - - - - - - - - - - - - - - - - - - - - - - - Saloon Suad - - - Gary - - - Fowler - - - garymfowler2000@gmail.com - - - Los Angeles - - - ca - - - United States - - - San Francisco Saloon Bar - - - 11501 - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Troy'a chapter
President First Name: Gerardo
President Last Name: Villanueva
Email Address: gerardovillanueva90@gmail.com
City: Troy
State: OH
Country: United States
Venue: Viva la fiesta restaurant
Venue Location: 836 w main st
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7028602312 - - - - - - - - - - - - - - - - - - - - - - - - - - - Gerardo - - - Villanueva - - - gerardovillanueva90@gmail.com - - - Troy - - - OH - - - United States - - - Viva la fiesta restaurant - - - 836 w main st - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire IE Chapter
President First Name: Gabriel
President Last Name: Arroyo
Email Address: gfarroyo24@gmail.com
City: San Bernardino
State: California
Country: United States
Venue: Don Martins Mexican Grill
Venue Location: 1970 Ostrems Way
Total Fans: 50
Facebook: http://www.facebook.com/#!/ninerempire.iechapter/info
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9099130140 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire IE Chapter - - - Gabriel - - - Arroyo - - - gfarroyo24@gmail.com - - - San Bernardino - - - California - - - United States - - - Don Martins Mexican Grill - - - 1970 Ostrems Way - - - 50.0 - - - http://www.facebook.com/#!/ninerempire.iechapter/info - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 20916 Faithful
President First Name: Joe
President Last Name: Trujillo
Email Address: gina.trujillo@blueshieldca.com
City: Elk Grove
State: CA
Country: United States
Venue: Sky River Casino
Venue Location: 1 Sky River Parkway
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2095701072 - - - - - - - - - - - - - - - - - - - - - - - - 20916 Faithful - - - Joe - - - Trujillo - - - gina.trujillo@blueshieldca.com - - - Elk Grove - - - CA - - - United States - - - Sky River Casino - - - 1 Sky River Parkway - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: SO. CAL GOLD BLOODED NINER'S
President First Name: Louie
President Last Name: Gutierrez
Email Address: goldbloodedniner1949@gmail.com
City: Hacienda heights
State: CA
Country: United States
Venue: SUNSET ROOM
Venue Location: 2029 hacinenda blvd
Total Fans: 20
Facebook: Facebook group page/instagram
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6265396855 - - - - - - - - - - - - - - - - - - - - - - - - - - - Louie - - - Gutierrez - - - goldbloodedniner1949@gmail.com - - - Hacienda heights - - - CA - - - United States - - - SUNSET ROOM - - - 2029 hacinenda blvd - - - 20.0 - - - Facebook group page/instagram - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: South Florida's Faithful, Niner Empire
President First Name: Dawn
President Last Name: Renae Desborough
Email Address: golden49ergirl@gmail.com
City: Homestead
State: Fl
Country: United States
Venue: Chili's in Homestead
Venue Location: 2220 NE 8TH St.
Total Fans: 10
Facebook: https://www.facebook.com/southfloridafaithfuls
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3053603672 - - - - - - - - - - - - - - - - - - - - - - - - - - - Dawn - - - Renae Desborough - - - golden49ergirl@gmail.com - - - Homestead - - - Fl - - - United States - - - - - - 2220 NE 8TH St. - - - 10.0 - - - https://www.facebook.com/southfloridafaithfuls - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Cesty's 49ers Faithful
President First Name: Pablo
President Last Name: Machiche
Email Address: gomez_michelle@hotmail.com
City: Chandler
State: AZ
Country: United States
Venue: Nando's Mexican Cafe
Venue Location: 1890 W Germann Rd
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4804527403 - - - - - - - - - - - - - - - - - - - - - - - - - - - Pablo - - - Machiche - - - gomez_michelle@hotmail.com - - - Chandler - - - AZ - - - United States - - - - - - 1890 W Germann Rd - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Gang Empire
President First Name: Marquez
President Last Name: Gonzalez
Email Address: gonzalezdanny1493@gmail.com
City: EDINBURG
State: TX
Country: United States
Venue: Danny Bar & Grill
Venue Location: 4409 Adriana
Total Fans: 2
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (956) 342-2285 - - - - - - - - - - - - - - - - - - - - - - - - Niner Gang Empire - - - Marquez - - - Gonzalez - - - gonzalezdanny1493@gmail.com - - - EDINBURG - - - TX - - - United States - - - - - - 4409 Adriana - - - 2.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Bell Ringers
President First Name: Gretchen
President Last Name: Gier
Email Address: gretchengier@gmail.com
City: Manhattan
State: KS
Country: United States
Venue: Jeff and Josie Schafer's House
Venue Location: 1517 Leavenworth St.
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7852700872 - - - - - - - - - - - - - - - - - - - - - - - - The Bell Ringers - - - Gretchen - - - Gier - - - gretchengier@gmail.com - - - Manhattan - - - KS - - - United States - - - - - - 1517 Leavenworth St. - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: O.C. NINER EMPIRE FAITHFUL'S
President First Name: Angel
President Last Name: Grijalva
Email Address: grijalvaangel7@gmail.com
City: Buena park
State: CA
Country: United States
Venue: Ciro's pizza
Venue Location: 6969 la Palma Ave
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5627391639 - - - - - - - - - - - - - - - - - - - - - - - - - - - Angel - - - Grijalva - - - grijalvaangel7@gmail.com - - - Buena park - - - CA - - - United States - - - - - - 6969 la Palma Ave - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire DFW
President First Name: Danny
President Last Name: Ramirez
Email Address: grimlock49@gmail.com
City: Bedford
State: TX
Country: United States
Venue: Papa G's
Venue Location: 2900 HIGHWAY 121
Total Fans: 50
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8176757644 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire DFW - - - Danny - - - Ramirez - - - grimlock49@gmail.com - - - Bedford - - - TX - - - United States - - - - - - 2900 HIGHWAY 121 - - - 50.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Hilmar Empire
President First Name: Brian
President Last Name: Lopes
Email Address: Hilmar49Empire@yahoo.com
City: Hilmar
State: Ca
Country: United States
Venue: Faithful House
Venue Location: 7836 Klint dr
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2092624468 - - - - - - - - - - - - - - - - - - - - - - - - Hilmar Empire - - - Brian - - - Lopes - - - Hilmar49Empire@yahoo.com - - - Hilmar - - - Ca - - - United States - - - Faithful House - - - 7836 Klint dr - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers of West Virginia
President First Name: Herbert
President Last Name: Moore IV
Email Address: hmoore11@pierpont.edu
City: Bridgeport
State: WV
Country: United States
Venue: Buffalo WIld Wings
Venue Location: 45 Betten Ct
Total Fans: 2
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3045082378 - - - - - - - - - - - - - - - - - - - - - - - - 49ers of West Virginia - - - Herbert - - - Moore IV - - - hmoore11@pierpont.edu - - - Bridgeport - - - WV - - - United States - - - Buffalo WIld Wings - - - 45 Betten Ct - - - 2.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 618 Niner Empire
President First Name: Jared
President Last Name: Holmes
Email Address: holmesjared77@gmail.com
City: Carbondale
State: IL
Country: United States
Venue: Home Basement aka ""The Local Tavern""
Venue Location: 401 N Allyn st
Total Fans: 3
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6185593569 - - - - - - - - - - - - - - - - - - - - - - - - 618 Niner Empire - - - Jared - - - Holmes - - - holmesjared77@gmail.com - - - Carbondale - - - IL - - - United States - - - - - - 401 N Allyn st - - - 3.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINER EMPIRE HAWAII 808
President First Name: KEVIN
President Last Name: MEWS
Email Address: HOODLUMSAINT@YAHOO.CM
City: HONOLULU
State: HI
Country: United States
Venue: DAVE AND BUSTERS
Venue Location: 1030 AUAHI ST
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 808-989-0030 - - - - - - - - - - - - - - - - - - - - - - - - NINER EMPIRE HAWAII 808 - - - KEVIN - - - MEWS - - - HOODLUMSAINT@YAHOO.CM - - - HONOLULU - - - HI - - - United States - - - DAVE AND BUSTERS - - - 1030 AUAHI ST - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINER EMPIRE HAWAII 808
President First Name: KEVIN
President Last Name: MEWS
Email Address: hoodlumsaint@yahoo.com
City: Honolulu
State: HI
Country: United States
Venue: Buffalo Wild Wings -Pearl City
Venue Location: 1644 Young St # E
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (808) 989-0030 - - - - - - - - - - - - - - - - - - - - - - - - NINER EMPIRE HAWAII 808 - - - KEVIN - - - MEWS - - - hoodlumsaint@yahoo.com - - - Honolulu - - - HI - - - United States - - - Buffalo Wild Wings -Pearl City - - - 1644 Young St # E - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: H-Town Empire
President First Name: Cedric
President Last Name: Robinson
Email Address: htownempire49@gmail.com
City: Houston
State: Tx
Country: United States
Venue: Skybox Bar and Grill
Venue Location: 11312 Westheimer
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8323734372 - - - - - - - - - - - - - - - - - - - - - - - - H-Town Empire - - - Cedric - - - Robinson - - - htownempire49@gmail.com - - - Houston - - - Tx - - - United States - - - Skybox Bar and Grill - - - 11312 Westheimer - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Hub City Faithful
President First Name: Alan
President Last Name: Thomas
Email Address: Hubcityfaithful@gmail.com
City: Hattiesburg
State: Mississippi
Country: United States
Venue: Mugshots
Venue Location: 204 N 40th Ave
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6015691741 - - - - - - - - - - - - - - - - - - - - - - - - Hub City Faithful - - - Alan - - - Thomas - - - Hubcityfaithful@gmail.com - - - Hattiesburg - - - Mississippi - - - United States - - - Mugshots - - - 204 N 40th Ave - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Spartan Niner Empire Georgia
President First Name: Idris
President Last Name: Finch
Email Address: idrisfinch@gmail.com
City: Duluth
State: GA
Country: United States
Venue: Bermuda Bar
Venue Location: 3473 Old Norcross Rd
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4043191365 - - - - - - - - - - - - - - - - - - - - - - - - Spartan Niner Empire Georgia - - - Idris - - - Finch - - - idrisfinch@gmail.com - - - Duluth - - - GA - - - United States - - - Bermuda Bar - - - 3473 Old Norcross Rd - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Westchester County New York 49ers Fans
President First Name: Victor
President Last Name: Delgado aka 49ers Matador
Email Address: IhateSherman@49ersMatador.com
City: Yonkers
State: New York
Country: United States
Venue: We meet at 3 locations, Burkes Bar in Yonkers, Matador's Fan Cave and Finnerty's
Venue Location: 14 Troy Lane
Total Fans: 46
Facebook: https://www.facebook.com/groups/250571711629937/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6462357661 - - - - - - - - - - - - - - - - - - - - - - - - Westchester County New York 49ers Fans - - - Victor - - - Delgado aka 49ers Matador - - - IhateSherman@49ersMatador.com - - - Yonkers - - - New York - - - United States - - - - - - 14 Troy Lane - - - 46.0 - - - https://www.facebook.com/groups/250571711629937/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire 831
President First Name: Luis
President Last Name: Pavon
Email Address: info@ninerempire831.com
City: Salinas
State: Ca
Country: United States
Venue: Straw Hat Pizza
Venue Location: 156 E. Laurel Drive
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8319702480 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire 831 - - - Luis - - - Pavon - - - info@ninerempire831.com - - - Salinas - - - Ca - - - United States - - - Straw Hat Pizza - - - 156 E. Laurel Drive - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Portland
President First Name: Joshua
President Last Name: F Billups
Email Address: info@ninerempirepdx.com
City: Clackamas
State: Oregon
Country: United States
Venue: Various
Venue Location: 14682 SE Sunnyside Rd
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5033080127 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Portland - - - Joshua - - - F Billups - - - info@ninerempirepdx.com - - - Clackamas - - - Oregon - - - United States - - - Various - - - 14682 SE Sunnyside Rd - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Empire Galveston County Chapter
President First Name: Terrance
President Last Name: Bell
Email Address: info@terrancebell.com
City: Nassau Bay
State: TX
Country: United States
Venue: Office
Venue Location: 1322 Space Park Dr.
Total Fans: 9
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2815464828 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Empire Galveston County Chapter - - - Terrance - - - Bell - - - info@terrancebell.com - - - Nassau Bay - - - TX - - - United States - - - Office - - - 1322 Space Park Dr. - - - 9.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINER EMPIRE
President First Name: Joe
President Last Name: Leonor
Email Address: info@theninerempire.com
City: Brisbane
State: Ca
Country: United States
Venue: 7 Mile House
Venue Location: 2800 Bayshore Blvd
Total Fans: 8000
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4153707725 - - - - - - - - - - - - - - - - - - - - - - - - NINER EMPIRE - - - Joe - - - Leonor - - - info@theninerempire.com - - - Brisbane - - - Ca - - - United States - - - 7 Mile House - - - 2800 Bayshore Blvd - - - 8000.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Boston San Francisco Bay Area Crew
President First Name: Isabel
President Last Name: Bourelle
Email Address: isabou@alumni.stanford.edu
City: Boston
State: MA
Country: United States
Venue: The Point Boston
Venue Location: 147 Hanover Street
Total Fans: 50
Facebook: https://www.facebook.com/groups/392222837571990/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6173350380 - - - - - - - - - - - - - - - - - - - - - - - - Boston San Francisco Bay Area Crew - - - Isabel - - - Bourelle - - - isabou@alumni.stanford.edu - - - Boston - - - MA - - - United States - - - The Point Boston - - - 147 Hanover Street - - - 50.0 - - - https://www.facebook.com/groups/392222837571990/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Faithful of Boston
President First Name: Isabel
President Last Name: Bourelle
Email Address: isabou@mit.edu
City: Boston
State: MA
Country: United States
Venue: The Point, Boston, MA
Venue Location: 147 Hanover Street
Total Fans: 100
Facebook: https://www.facebook.com/49ersfanBoston
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6173350380 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Faithful of Boston - - - Isabel - - - Bourelle - - - isabou@mit.edu - - - Boston - - - MA - - - United States - - - The Point, Boston, MA - - - 147 Hanover Street - - - 100.0 - - - https://www.facebook.com/49ersfanBoston - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Riverside 49ers Booster Club
President First Name: Gus
President Last Name: Esmerio
Email Address: ismerio77@gmail.com
City: Riverside
State: California
Country: United States
Venue: Lake Alice Trading Co Saloon &Eatery
Venue Location: 3616 University Ave
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9098153880 - - - - - - - - - - - - - - - - - - - - - - - - Riverside 49ers Booster Club - - - Gus - - - Esmerio - - - ismerio77@gmail.com - - - Riverside - - - California - - - United States - - - - - - 3616 University Ave - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 318 Niner Empire
President First Name: Dwane
President Last Name: Johnson (Jayrock)
Email Address: jayrock640@yahoo.com
City: Monroe
State: La.
Country: United States
Venue: 318 Niner Empire HQ
Venue Location: 400 Stone Ave.
Total Fans: 35
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3187893452 - - - - - - - - - - - - - - - - - - - - - - - - 318 Niner Empire - - - Dwane - - - Johnson (Jayrock) - - - jayrock640@yahoo.com - - - Monroe - - - La. - - - United States - - - 318 Niner Empire HQ - - - 400 Stone Ave. - - - 35.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Austin Faithful
President First Name: Jeffrey
President Last Name: Cerda
Email Address: jeffcerda12@gmail.com
City: Austin
State: TX
Country: United States
Venue: 8 Track
Venue Location: 2805 Manor Rd
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5127872407 - - - - - - - - - - - - - - - - - - - - - - - - The Austin Faithful - - - Jeffrey - - - Cerda - - - jeffcerda12@gmail.com - - - Austin - - - TX - - - United States - - - 8 Track - - - 2805 Manor Rd - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire San Antonio
President First Name: Jesus
President Last Name: Archuleta
Email Address: jesusarchuleta@hotmail.com
City: San Antonio
State: TX
Country: United States
Venue: Sir Winston's Pub
Venue Location: 2522 Nacogdoches Rd.
Total Fans: 150
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5599677071 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire San Antonio - - - Jesus - - - Archuleta - - - jesusarchuleta@hotmail.com - - - San Antonio - - - TX - - - United States - - - - - - 2522 Nacogdoches Rd. - - - 150.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINER EMPIRE OF THE 509
President First Name: JESUS
President Last Name: MACIAS
Email Address: jesusmaciasusarmy@yahoo.com
City: Spokane
State: WA
Country: United States
Venue: Mac daddy's
Venue Location: 808 W Main Ave #106, Spokane, WA 99201
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5097684738 - - - - - - - - - - - - - - - - - - - - - - - - NINER EMPIRE OF THE 509 - - - JESUS - - - MACIAS - - - jesusmaciasusarmy@yahoo.com - - - Spokane - - - WA - - - United States - - - - - - 808 W Main Ave #106, Spokane, WA 99201 - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: SOCAL OC 49ERS
President First Name: James
President Last Name: Di Cesare Jr
Email Address: jjandadice@gmail.com
City: Newport Beach
State: CA
Country: United States
Venue: The Blue Beet
Venue Location: 107 21st Place
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 19496329301 - - - - - - - - - - - - - - - - - - - - - - - - SOCAL OC 49ERS - - - James - - - Di Cesare Jr - - - jjandadice@gmail.com - - - Newport Beach - - - CA - - - United States - - - The Blue Beet - - - 107 21st Place - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Sin City Niner Empire
President First Name: Jay
President Last Name: Patrick Bryant-Chavez
Email Address: jly4bby@yahoo.com
City: Henderson
State: NV
Country: United States
Venue: Hi Scores Bar-Arcade
Venue Location: 65 S Stephanie St.
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7027692152 - - - - - - - - - - - - - - - - - - - - - - - - Sin City Niner Empire - - - Jay - - - Patrick Bryant-Chavez - - - jly4bby@yahoo.com - - - Henderson - - - NV - - - United States - - - Hi Scores Bar-Arcade - - - 65 S Stephanie St. - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Central Valley 9er Faithful
President First Name: Jenn
President Last Name: Palacio
Email Address: jm_palacio32@yahoo.com
City: Turlock
State: CA
Country: United States
Venue: Mountain Mike's
Venue Location: 409 S Orange St.
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2093862570 - - - - - - - - - - - - - - - - - - - - - - - - Central Valley 9er Faithful - - - Jenn - - - Palacio - - - jm_palacio32@yahoo.com - - - Turlock - - - CA - - - United States - - - - - - 409 S Orange St. - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Squad
President First Name: Joseph
President Last Name: Perez
Email Address: joeperez408@gmail.com
City: San Jose
State: CA
Country: United States
Venue: 4171 Gion Ave San Jose,Ca
Venue Location: 4171 Gion Ave
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4089104105 - - - - - - - - - - - - - - - - - - - - - - - - Niner Squad - - - Joseph - - - Perez - - - joeperez408@gmail.com - - - San Jose - - - CA - - - United States - - - 4171 Gion Ave San Jose,Ca - - - 4171 Gion Ave - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: merced niner empire
President First Name: john
President Last Name: candelaria sr
Email Address: johncandelariasr@gmail.com
City: merced
State: ca
Country: United States
Venue: round table pizza
Venue Location: 1728 w olive ave
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2094897540 - - - - - - - - - - - - - - - - - - - - - - - - merced niner empire - - - john - - - candelaria sr - - - johncandelariasr@gmail.com - - - merced - - - ca - - - United States - - - round table pizza - - - 1728 w olive ave - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINERS ROLLIN HARD IMPERIAL VALLEY CHAPTER
President First Name: Juan
President Last Name: Vallejo
Email Address: johnnyboy49.jv@gmail.com
City: Brawley
State: CA
Country: United States
Venue: SPOT 805
Venue Location: 550 main Street
Total Fans: 45
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7604120919 - - - - - - - - - - - - - - - - - - - - - - - - NINERS ROLLIN HARD IMPERIAL VALLEY CHAPTER - - - Juan - - - Vallejo - - - johnnyboy49.jv@gmail.com - - - Brawley - - - CA - - - United States - - - SPOT 805 - - - 550 main Street - - - 45.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Tooele County 49ers
President First Name: Jon
President Last Name: Proctor
Email Address: jonproctor1@msn.com
City: TOOELE
State: UT
Country: United States
Venue: Pins and Ales - 1111 N 200 W, Tooele, UT 84074
Venue Location: 1111 N 200 W
Total Fans: 30
Facebook: https://www.facebook.com/groups/173040274865599
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3856257232 - - - - - - - - - - - - - - - - - - - - - - - - Tooele County 49ers - - - Jon - - - Proctor - - - jonproctor1@msn.com - - - TOOELE - - - UT - - - United States - - - Pins and Ales - 1111 N 200 W, Tooele, UT 84074 - - - 1111 N 200 W - - - 30.0 - - - https://www.facebook.com/groups/173040274865599 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers united of wichita ks
President First Name: Josh
President Last Name: Henke
Email Address: Josh.Henke@pioneerks.com
City: Wichita
State: KS
Country: United States
Venue: Hurricane sports grill
Venue Location: 8641 w 13th st suite 111
Total Fans: 206
Facebook: Facebook 49ers united of wichita ks
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3165194699 - - - - - - - - - - - - - - - - - - - - - - - - 49ers united of wichita ks - - - Josh - - - Henke - - - Josh.Henke@pioneerks.com - - - Wichita - - - KS - - - United States - - - Hurricane sports grill - - - 8641 w 13th st suite 111 - - - 206.0 - - - Facebook 49ers united of wichita ks - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 828 NCNINERS
President First Name: Jovan
President Last Name: Hoover
Email Address: Jovan.hoover@yahoo.com
City: Hickory
State: NC
Country: United States
Venue: Coaches Neighborhood Bar and Grill
Venue Location: 2049 Catawba Valley Blvd SE
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8282919599 - - - - - - - - - - - - - - - - - - - - - - - - 828 NCNINERS - - - Jovan - - - Hoover - - - Jovan.hoover@yahoo.com - - - Hickory - - - NC - - - United States - - - Coaches Neighborhood Bar and Grill - - - 2049 Catawba Valley Blvd SE - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Chicago 49ers Club
President First Name: Jonathan
President Last Name: West
Email Address: jswest33@yahoo.com
City: Chicago
State: IL
Country: United States
Venue: The Globe Pub
Venue Location: 1934 West Irving Park Road
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3207749300 - - - - - - - - - - - - - - - - - - - - - - - - Chicago 49ers Club - - - Jonathan - - - West - - - jswest33@yahoo.com - - - Chicago - - - IL - - - United States - - - The Globe Pub - - - 1934 West Irving Park Road - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Vancouver
President First Name: Justin
President Last Name: Downs
Email Address: justin.downs25@yahoo.com
City: Vancouver
State: WA
Country: United States
Venue: Heathen feral public house
Venue Location: 1109 Washington St
Total Fans: 567
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5033174024 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Vancouver - - - Justin - - - Downs - - - justin.downs25@yahoo.com - - - Vancouver - - - WA - - - United States - - - Heathen feral public house - - - 1109 Washington St - - - 567.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Hampton Roads Niners Fanatics
President First Name: Steve
President Last Name: Mead
Email Address: kam9294@gmail.com
City: Hampton
State: VA
Country: United States
Venue: Nascar Grille
Venue Location: 1996 Power Plant Parkway
Total Fans: 65
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7572565334 - - - - - - - - - - - - - - - - - - - - - - - - Hampton Roads Niners Fanatics - - - Steve - - - Mead - - - kam9294@gmail.com - - - Hampton - - - VA - - - United States - - - Nascar Grille - - - 1996 Power Plant Parkway - - - 65.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Cincy Faithful
President First Name: Joshua
President Last Name: Karcher
Email Address: karch03@gmail.com
City: Newport
State: KY
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 83 Carothers Rd
Total Fans: 4
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (859) 991-8185 - - - - - - - - - - - - - - - - - - - - - - - - Cincy Faithful - - - Joshua - - - Karcher - - - karch03@gmail.com - - - Newport - - - KY - - - United States - - - Buffalo Wild Wings - - - 83 Carothers Rd - - - 4.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Southside OKC Faithful Niners
President First Name: Gary
President Last Name: Calton
Email Address: kat1031@hotmail.com
City: Oklahoma City
State: Oklahoma
Country: United States
Venue: CrosseEyed Moose
Venue Location: 10601 Sout Western Ave
Total Fans: 6
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4058028979 - - - - - - - - - - - - - - - - - - - - - - - - Southside OKC Faithful Niners - - - Gary - - - Calton - - - kat1031@hotmail.com - - - Oklahoma City - - - Oklahoma - - - United States - - - CrosseEyed Moose - - - 10601 Sout Western Ave - - - 6.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 707 FAITHFULS
President First Name: Enrique
President Last Name: Licea
Email Address: keakslicea@yahoo.com
City: Wine country
State: CA
Country: United States
Venue: Wine country
Venue Location: Breweries, restaurant's, wineries, private locations
Total Fans: 1000
Facebook:
Instagram: 707 faithfuls ( INSTAGRAM)
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7078899236 - - - - - - - - - - - - - - - - - - - - - - - - 707 FAITHFULS - - - Enrique - - - Licea - - - keakslicea@yahoo.com - - - Wine country - - - CA - - - United States - - - Wine country - - - - - - 1000.0 - - - - - - 707 faithfuls ( INSTAGRAM) - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINER EMPIRE MEMPHIS CHAPTER
President First Name: Kenita
President Last Name: Miller
Email Address: kenitamiller@hotmail.com
City: Memphis
State: Tennessee
Country: United States
Venue: 360 Sports Bar & Grill
Venue Location: 3896 Lamar Avenue
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6623134320 - - - - - - - - - - - - - - - - - - - - - - - - NINER EMPIRE MEMPHIS CHAPTER - - - Kenita - - - Miller - - - kenitamiller@hotmail.com - - - Memphis - - - Tennessee - - - United States - - - - - - 3896 Lamar Avenue - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Chucktown Empire 49ers of Charleston
President First Name: Kentaroe
President Last Name: Jenkins
Email Address: KENTAROEJENKINS@gmail.com
City: North Charleston
State: SC
Country: United States
Venue: Chill n' Grill Sports bar
Venue Location: 2810 Ashley Phosphate Rd A1, North Charleston, SC 29418
Total Fans: 20
Facebook: https://m.facebook.com/groups/1546441202286398?ref=bookmarks
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (843) 437-3101 - - - - - - - - - - - - - - - - - - - - - - - - Chucktown Empire 49ers of Charleston - - - Kentaroe - - - Jenkins - - - KENTAROEJENKINS@gmail.com - - - North Charleston - - - SC - - - United States - - - - - - 2810 Ashley Phosphate Rd A1, North Charleston, SC 29418 - - - 20.0 - - - https://m.facebook.com/groups/1546441202286398?ref=bookmarks - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Spartans Niner Empire Florida
President First Name: Ram
President Last Name: Keomek
Email Address: keomekfamily@yahoo.com
City: Tampa
State: FL
Country: United States
Venue: Ducky's Sports Bar
Venue Location: 1719 Kennedy Blvd
Total Fans: 12
Facebook: Spartans Empire Florida (Facebook)
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7278359840 - - - - - - - - - - - - - - - - - - - - - - - - Spartans Niner Empire Florida - - - Ram - - - Keomek - - - keomekfamily@yahoo.com - - - Tampa - - - FL - - - United States - - - - - - 1719 Kennedy Blvd - - - 12.0 - - - Spartans Empire Florida (Facebook) - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Palm Springs Area 49er Club
President First Name: Kevin
President Last Name: Casey
Email Address: kevincasey61@gmail.com
City: Palm Springs
State: CA
Country: United States
Venue: The Draughtsmen
Venue Location: 1501 N Palm Canyon
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4159871795 - - - - - - - - - - - - - - - - - - - - - - - - Palm Springs Area 49er Club - - - Kevin - - - Casey - - - kevincasey61@gmail.com - - - Palm Springs - - - CA - - - United States - - - The Draughtsmen - - - 1501 N Palm Canyon - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49th State Faithful
President First Name: James
President Last Name: Knudson
Email Address: knudson73@gmail.com
City: Anchorage
State: AK
Country: United States
Venue: Al's Alaskan Inn
Venue Location: 7830 Old Seward Hwy
Total Fans: 202
Facebook: Facebook 49th State Faithful
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 907351-8367 - - - - - - - - - - - - - - - - - - - - - - - - 49th State Faithful - - - James - - - Knudson - - - knudson73@gmail.com - - - Anchorage - - - AK - - - United States - - - - - - 7830 Old Seward Hwy - - - 202.0 - - - Facebook 49th State Faithful - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er faithful of Arizona ( of the West Valley )
President First Name: Koni
President Last Name: Raes
Email Address: koniraes@hotmail.com
City: Surprise
State: Az
Country: United States
Venue: Booty's Wings, Burgers and Beer Bar and Grill
Venue Location: 15557 W. Bell Rd. Suite 405
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6232241316 - - - - - - - - - - - - - - - - - - - - - - - - 49er faithful of Arizona ( of the West Valley ) - - - Koni - - - Raes - - - koniraes@hotmail.com - - - Surprise - - - Az - - - United States - - - - - - 15557 W. Bell Rd. Suite 405 - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINER CORE
President First Name: Mike
President Last Name: Fortunato
Email Address: Krazymyk909@gmail.com
City: Bloomington
State: CA
Country: United States
Venue: Traveling chapter
Venue Location: 18972 Grove pl
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 19096849033 - - - - - - - - - - - - - - - - - - - - - - - - NINER CORE - - - Mike - - - Fortunato - - - Krazymyk909@gmail.com - - - Bloomington - - - CA - - - United States - - - Traveling chapter - - - 18972 Grove pl - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Forever Faithful RGV (Rio Grande Valley)
President First Name: Karen
President Last Name: Schmidt
Email Address: ktschmidt@sbcglobal.net
City: McAllen
State: TX
Country: United States
Venue: My Place
Venue Location: 410 N 17th St
Total Fans: 1
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9168380550 - - - - - - - - - - - - - - - - - - - - - - - - Forever Faithful RGV (Rio Grande Valley) - - - Karen - - - Schmidt - - - ktschmidt@sbcglobal.net - - - McAllen - - - TX - - - United States - - - My Place - - - 410 N 17th St - - - 1.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Sacramento Faithfuls
President First Name: Leo
President Last Name: Placencia lll
Email Address: leoplacencia3@yahoo.com
City: West Sacramento
State: CA
Country: United States
Venue: Kick N Mule Restaurant and Sports Bar
Venue Location: 2901 W Capitol Ave
Total Fans: 250
Facebook:
Instagram: Instagram page 49erssacramentofaithfuls
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9166065299 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Sacramento Faithfuls - - - Leo - - - Placencia lll - - - leoplacencia3@yahoo.com - - - West Sacramento - - - CA - - - United States - - - Kick N Mule Restaurant and Sports Bar - - - 2901 W Capitol Ave - - - 250.0 - - - - - - Instagram page 49erssacramentofaithfuls - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: SO. CAL GOLDBLOOED NINERS
President First Name: Louie
President Last Name: Gutierrez
Email Address: Lglakers@aol.com
City: Industry
State: CA
Country: United States
Venue: Hacienda nights pizza co.
Venue Location: 15239 Gale ave
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9098964162 - - - - - - - - - - - - - - - - - - - - - - - - SO. CAL GOLDBLOOED NINERS - - - Louie - - - Gutierrez - - - Lglakers@aol.com - - - Industry - - - CA - - - United States - - - Hacienda nights pizza co. - - - 15239 Gale ave - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Hayward chapter
President First Name: Raul
President Last Name: Sosa
Email Address: lidiagonzales2001@comcast.net
City: Hayward
State: Ca
Country: United States
Venue: Strawhat pizza
Venue Location: 1163 industrial pkwy W
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5105867089 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Hayward chapter - - - Raul - - - Sosa - - - lidiagonzales2001@comcast.net - - - Hayward - - - Ca - - - United States - - - Strawhat pizza - - - 1163 industrial pkwy W - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Empire Iowa Chapter
President First Name: Lisa
President Last Name: Wertz
Email Address: lisemo73@yahoo.com
City: Chariton
State: Iowa
Country: United States
Venue: Shoemakers Steak House
Venue Location: 2130 Court Ave
Total Fans: 194
Facebook: https://www.facebook.com/groups/247559578738411/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6412033285 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Empire Iowa Chapter - - - Lisa - - - Wertz - - - lisemo73@yahoo.com - - - Chariton - - - Iowa - - - United States - - - Shoemakers Steak House - - - 2130 Court Ave - - - 194.0 - - - https://www.facebook.com/groups/247559578738411/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire of Fresno
President First Name: Luis
President Last Name: Lozano
Email Address: llozano_316@hotmail.com
City: Fresno
State: CA
Country: United States
Venue: Round Table Pizza
Venue Location: 5702 N. First st
Total Fans: 215
Facebook: Http://facebook.com/theninerempireoffresno
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5598923919 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire of Fresno - - - Luis - - - Lozano - - - llozano_316@hotmail.com - - - Fresno - - - CA - - - United States - - - Round Table Pizza - - - 5702 N. First st - - - 215.0 - - - Http://facebook.com/theninerempireoffresno - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Connecticut Spartan Niner Empire
President First Name: Maria
President Last Name: Ortiz
Email Address: Lollie_pop_style@yahoo.com
City: East Hartford
State: Connecticut
Country: United States
Venue: Silver Lanes Lounge
Venue Location: 748 Silverlane
Total Fans: 13
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8602057937 - - - - - - - - - - - - - - - - - - - - - - - - Connecticut Spartan Niner Empire - - - Maria - - - Ortiz - - - Lollie_pop_style@yahoo.com - - - East Hartford - - - Connecticut - - - United States - - - Silver Lanes Lounge - - - 748 Silverlane - - - 13.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Houston, TX Chapter
President First Name: Lorenzo
President Last Name: Puentes
Email Address: Lorenzo@squadrally.com
City: Houston
State: Texas
Country: United States
Venue: Little J's Bar
Venue Location: 5306 Washington Ave
Total Fans: 175
Facebook: https://www.facebook.com/NinerEmpireHTX
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2814602274 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Houston, TX Chapter - - - Lorenzo - - - Puentes - - - Lorenzo@squadrally.com - - - Houston - - - Texas - - - United States - - - - - - 5306 Washington Ave - - - 175.0 - - - https://www.facebook.com/NinerEmpireHTX - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Houston, TX
President First Name: lorenzo
President Last Name: puentes
Email Address: lorenzoflores88@gmail.com
City: Houston
State: Texas
Country: United States
Venue: coaches I-10
Venue Location: 17754 Katy Fwy #1
Total Fans: 150
Facebook: https://m.facebook.com/NinersFaithfulHTX
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2814085420 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Houston, TX - - - lorenzo - - - puentes - - - lorenzoflores88@gmail.com - - - Houston - - - Texas - - - United States - - - coaches I-10 - - - 17754 Katy Fwy #1 - - - 150.0 - - - https://m.facebook.com/NinersFaithfulHTX - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: SO. CAL GOLD BLOODED NINER'S
President First Name: Louie
President Last Name: Gutierrez
Email Address: louchekush13@gmail.com
City: Industry
State: CA
Country: United States
Venue: Hacienda heights Pizza Co
Venue Location: 15239 Gale Ave
Total Fans: 25
Facebook: Facebook group page/instagram
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6265396855 - - - - - - - - - - - - - - - - - - - - - - - - - - - Louie - - - Gutierrez - - - louchekush13@gmail.com - - - Industry - - - CA - - - United States - - - Hacienda heights Pizza Co - - - 15239 Gale Ave - - - 25.0 - - - Facebook group page/instagram - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: the 559 ers
President First Name: jose
President Last Name: Ascencio
Email Address: luey559@gmail.com
City: porterville
State: CA
Country: United States
Venue: landing 13
Venue Location: landing 13
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5593597047 - - - - - - - - - - - - - - - - - - - - - - - - the 559 ers - - - jose - - - Ascencio - - - luey559@gmail.com - - - porterville - - - CA - - - United States - - - landing 13 - - - landing 13 - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Billings Niners Faithful
President First Name: Lukas
President Last Name: Seely
Email Address: lukas_seely@hotmail.com
City: Billings
State: MT
Country: United States
Venue: Craft B&B
Venue Location: 2658 Grand ave
Total Fans: 42
Facebook: https://www.facebook.com/groups/402680873209435
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3105705415 - - - - - - - - - - - - - - - - - - - - - - - - Billings Niners Faithful - - - Lukas - - - Seely - - - lukas_seely@hotmail.com - - - Billings - - - MT - - - United States - - - - - - 2658 Grand ave - - - 42.0 - - - https://www.facebook.com/groups/402680873209435 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 901 9ers
President First Name: Darrick
President Last Name: Pate
Email Address: lydellpate@yahoo.com
City: Memphis
State: Tn
Country: United States
Venue: Prohibition
Venue Location: 4855 American Way
Total Fans: 50
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9016909484 - - - - - - - - - - - - - - - - - - - - - - - - 901 9ers - - - Darrick - - - Pate - - - lydellpate@yahoo.com - - - Memphis - - - Tn - - - United States - - - Prohibition - - - 4855 American Way - - - 50.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Tulsa 49ers Faithful
President First Name: Marcus
President Last Name: Bell
Email Address: marcusbw82@hotmail.com
City: Tulsa
State: OK
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 6222 E 41st St
Total Fans: 140
Facebook: https://www.facebook.com/groups/313885131283800/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5127738511 - - - - - - - - - - - - - - - - - - - - - - - - Tulsa 49ers Faithful - - - Marcus - - - Bell - - - marcusbw82@hotmail.com - - - Tulsa - - - OK - - - United States - - - Buffalo Wild Wings - - - 6222 E 41st St - - - 140.0 - - - https://www.facebook.com/groups/313885131283800/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Niner Empire - 405 Faithfuls - Oklahoma City
President First Name: Maria
President Last Name: Ward
Email Address: mariaward.jd@gmail.com
City: Oklahoma City
State: OK
Country: United States
Venue: The Side Chick 115 E. California Ave
Venue Location: 5911 Yale Drive
Total Fans: 50
Facebook: https://www.facebook.com/share/FZGC9mVjz3BrHGxf/?mibextid=K35XfP
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4086853231 - - - - - - - - - - - - - - - - - - - - - - - - The Niner Empire - 405 Faithfuls - Oklahoma City - - - Maria - - - Ward - - - mariaward.jd@gmail.com - - - Oklahoma City - - - OK - - - United States - - - The Side Chick 115 E. California Ave - - - 5911 Yale Drive - - - 50.0 - - - https://www.facebook.com/share/FZGC9mVjz3BrHGxf/?mibextid=K35XfP - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Imperial Valley
President First Name: Mario
President Last Name: A Garcia Jr
Email Address: mario_g51@hotmail.com
City: Brawley
State: Ca
Country: United States
Venue: Waves Restaurant & Saloon
Venue Location: 621 S Brawley Ave
Total Fans: 7
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7605404093 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Imperial Valley - - - Mario - - - A Garcia Jr - - - mario_g51@hotmail.com - - - Brawley - - - Ca - - - United States - - - - - - 621 S Brawley Ave - - - 7.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: East Valley Faithful
President First Name: Mark
President Last Name: Arellano
Email Address: markatb3@aol.com
City: Gilbert
State: AZ
Country: United States
Venue: TBD
Venue Location: 5106 South Almond CT
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6234519863 - - - - - - - - - - - - - - - - - - - - - - - - East Valley Faithful - - - Mark - - - Arellano - - - markatb3@aol.com - - - Gilbert - - - AZ - - - United States - - - TBD - - - 5106 South Almond CT - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 360 Niner Empire
President First Name: Marcus
President Last Name: Dela Cruz
Email Address: markofetti@yahoo.com
City: Lacey
State: WA
Country: United States
Venue: Dela Cruz Residence
Venue Location: 1118 Villanova St NE
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (360) 970-4784 - - - - - - - - - - - - - - - - - - - - - - - - 360 Niner Empire - - - Marcus - - - Dela Cruz - - - markofetti@yahoo.com - - - Lacey - - - WA - - - United States - - - Dela Cruz Residence - - - 1118 Villanova St NE - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Booster Club of Virginia
President First Name: Chris
President Last Name: Marshall
Email Address: marshalchris@yahoo.com
City: Mechanicsville
State: Virginia
Country: United States
Venue: Sports Page Bar & Grill
Venue Location: 8319 Bell Creek Rd
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8042106332 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Booster Club of Virginia - - - Chris - - - Marshall - - - marshalchris@yahoo.com - - - Mechanicsville - - - Virginia - - - United States - - - - - - 8319 Bell Creek Rd - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Tampa
President First Name: Matthew
President Last Name: Pascual
Email Address: matthew.pascual@gmail.com
City: Tampa
State: FL
Country: United States
Venue: The Bad Monkey
Venue Location: 1717 East 7th Avenue
Total Fans: 18
Facebook: https://www.facebook.com/NinerEmpireTampa
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3605931626 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Tampa - - - Matthew - - - Pascual - - - matthew.pascual@gmail.com - - - Tampa - - - FL - - - United States - - - The Bad Monkey - - - 1717 East 7th Avenue - - - 18.0 - - - https://www.facebook.com/NinerEmpireTampa - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Faithful Montana State
President First Name: Melissa
President Last Name: Kirkham
Email Address: Melissared72@hotmail.com
City: Missoula
State: MT
Country: United States
Venue: Not yet determined
Venue Location: 415 Coloma Way
Total Fans: 40
Facebook: https://www.facebook.com/groups/2370742863189848/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4062441820 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Faithful Montana State - - - Melissa - - - Kirkham - - - Melissared72@hotmail.com - - - Missoula - - - MT - - - United States - - - Not yet determined - - - 415 Coloma Way - - - 40.0 - - - https://www.facebook.com/groups/2370742863189848/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Fan club
President First Name: Jess
President Last Name: Mendez
Email Address: mendez0947@sbcglobal.net
City: Corpus Christi
State: Texas
Country: United States
Venue: Click Paradise Billiards
Venue Location: 5141 Oakhurst Dr.
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3615632198 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Fan club - - - Jess - - - Mendez - - - mendez0947@sbcglobal.net - - - Corpus Christi - - - Texas - - - United States - - - Click Paradise Billiards - - - 5141 Oakhurst Dr. - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Delano
President First Name: mike
President Last Name: uranday
Email Address: michaeluranday@yahoo.com
City: Delano
State: ca
Country: United States
Venue: Aviator casino
Venue Location: 1225 Airport dr
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6613438275 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Delano - - - mike - - - uranday - - - michaeluranday@yahoo.com - - - Delano - - - ca - - - United States - - - Aviator casino - - - 1225 Airport dr - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Mid South Niner Empire
President First Name: Tyrone
President Last Name: J Taylor
Email Address: midsouthninerempire@gmail.com
City: Nashville
State: TN
Country: United States
Venue: Winners Bar and Grill
Venue Location: 1913 Division St
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6159537124 - - - - - - - - - - - - - - - - - - - - - - - - Mid South Niner Empire - - - Tyrone - - - J Taylor - - - midsouthninerempire@gmail.com - - - Nashville - - - TN - - - United States - - - Winners Bar and Grill - - - 1913 Division St - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Empire New York City
President First Name: Miguel
President Last Name: Ramirez
Email Address: miguel.ramirez4@aol.com
City: New York
State: New York
Country: United States
Venue: Off The Wagon
Venue Location: 109 MacDougal Street
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6465429352 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Empire New York City - - - Miguel - - - Ramirez - - - miguel.ramirez4@aol.com - - - New York - - - New York - - - United States - - - Off The Wagon - - - 109 MacDougal Street - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Empire High Desert
President First Name: Mike
President Last Name: Kidwell (president)
Email Address: mikekid23@gmail.com
City: hesperia
State: California
Country: United States
Venue: Thorny's
Venue Location: 1330 Ranchero rd.
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7605879798 - - - - - - - - - - - - - - - - - - - - - - - - 49er Empire High Desert - - - Mike - - - Kidwell (president) - - - mikekid23@gmail.com - - - hesperia - - - California - - - United States - - - - - - 1330 Ranchero rd. - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Mile High 49ers
President First Name: Howard
President Last Name: Gibian
Email Address: milehigh49ers@gmail.com
City: Denver
State: Colorado
Country: United States
Venue: IceHouse Tavern
Venue Location: 1801 Wynkoop St
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3038425017 - - - - - - - - - - - - - - - - - - - - - - - - Mile High 49ers - - - Howard - - - Gibian - - - milehigh49ers@gmail.com - - - Denver - - - Colorado - - - United States - - - IceHouse Tavern - - - 1801 Wynkoop St - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NOCO 49ers
President First Name: Ryan
President Last Name: Fregosi
Email Address: milehigh49ersnoco@gmail.com
City: Windsor
State: CO
Country: United States
Venue: The Summit Windsor
Venue Location: 4455 N Fairgrounds Ave
Total Fans: 677
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (323) 440-3129 - - - - - - - - - - - - - - - - - - - - - - - - NOCO 49ers - - - Ryan - - - Fregosi - - - milehigh49ersnoco@gmail.com - - - Windsor - - - CO - - - United States - - - The Summit Windsor - - - 4455 N Fairgrounds Ave - - - 677.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Milwaukee Spartans of the Niner Empire
President First Name: Brandon
President Last Name: Rayls
Email Address: Milwaukeespartan@gmail.com
City: Wauwatosa
State: WI
Country: United States
Venue: jacksons blue ribbon pub
Venue Location: 11302 w bluemound rd
Total Fans: 5
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4142429903 - - - - - - - - - - - - - - - - - - - - - - - - Milwaukee Spartans of the Niner Empire - - - Brandon - - - Rayls - - - Milwaukeespartan@gmail.com - - - Wauwatosa - - - WI - - - United States - - - jacksons blue ribbon pub - - - 11302 w bluemound rd - - - 5.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: SAN ANGELO NINER EMPIRE
President First Name: pablo
President Last Name: barrientod
Email Address: mireyapablo@yahoo.com
City: san angelo
State: tx
Country: United States
Venue: buffalo wild wings
Venue Location: 4251 sherwoodway
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3257165662 - - - - - - - - - - - - - - - - - - - - - - - - SAN ANGELO NINER EMPIRE - - - pablo - - - barrientod - - - mireyapablo@yahoo.com - - - san angelo - - - tx - - - United States - - - buffalo wild wings - - - 4251 sherwoodway - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 580 FAITHFUL
President First Name: Lowell
President Last Name: Mitchusson
Email Address: Mitchussonld44@gmail.com
City: Devol
State: OK
Country: United States
Venue: APACHE LONE STAR CASUNO
Venue Location: Devol, Oklahoma
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5802848928 - - - - - - - - - - - - - - - - - - - - - - - - 580 FAITHFUL - - - Lowell - - - Mitchusson - - - Mitchussonld44@gmail.com - - - Devol - - - OK - - - United States - - - APACHE LONE STAR CASUNO - - - Devol, Oklahoma - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers of Ohio
President First Name: Monica
President Last Name: Leslie
Email Address: mleslie7671@yahoo.com
City: Xenia
State: Ohio
Country: United States
Venue: Cafe Ole'
Venue Location: 131 North Allison Ave
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9373974225 - - - - - - - - - - - - - - - - - - - - - - - - 49ers of Ohio - - - Monica - - - Leslie - - - mleslie7671@yahoo.com - - - Xenia - - - Ohio - - - United States - - - - - - 131 North Allison Ave - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 307 FAITHFUL
President First Name: Michael
President Last Name: Mason
Email Address: mmason123169@gmail.com
City: Cheyenne
State: WY
Country: United States
Venue: 4013 Golden Ct, Cheyenne, Wyoming
Venue Location: 4013 Golden Ct
Total Fans: 2
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3073653179 - - - - - - - - - - - - - - - - - - - - - - - - 307 FAITHFUL - - - Michael - - - Mason - - - mmason123169@gmail.com - - - Cheyenne - - - WY - - - United States - - - 4013 Golden Ct, Cheyenne, Wyoming - - - 4013 Golden Ct - - - 2.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Mojave Desert 49er Faithfuls
President First Name: Nicole
President Last Name: Ortega
Email Address: mojavedesert49erfaithfuls@gmail.com
City: Apple Valley
State: CA
Country: United States
Venue: Gator's Sports Bar and Grill - Apple Valley
Venue Location: 21041 Bear Valley Rd
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7609277246 - - - - - - - - - - - - - - - - - - - - - - - - Mojave Desert 49er Faithfuls - - - Nicole - - - Ortega - - - mojavedesert49erfaithfuls@gmail.com - - - Apple Valley - - - CA - - - United States - - - - - - 21041 Bear Valley Rd - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Dusty Faithful
President First Name: Alejandro
President Last Name: Montero
Email Address: monterophoto@aol.com
City: Socorro
State: TX
Country: United States
Venue: The Dusty Tap Bar
Venue Location: 10297 Socorro Rd
Total Fans: 45
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9153463686 - - - - - - - - - - - - - - - - - - - - - - - - The Dusty Faithful - - - Alejandro - - - Montero - - - monterophoto@aol.com - - - Socorro - - - TX - - - United States - - - The Dusty Tap Bar - - - 10297 Socorro Rd - - - 45.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Duke City Faithful
President First Name: David
President Last Name: Young
Email Address: mr49ers16@gmail.com
City: Albuquerque
State: N.M.
Country: United States
Venue: Buffalo wild wings
Venue Location: 6001 iliff rd.
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5055451180 - - - - - - - - - - - - - - - - - - - - - - - - The Duke City Faithful - - - David - - - Young - - - mr49ers16@gmail.com - - - Albuquerque - - - N.M. - - - United States - - - Buffalo wild wings - - - 6001 iliff rd. - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Emilio
President First Name: Bustos
President Last Name:
Email Address: mraztecacg520@hotmail.com
City: Casa grande
State: Arizona(AZ)
Country: United States
Venue: Liquor factory bar and deli
Venue Location: 930 E Florence
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5203719925 - - - - - - - - - - - - - - - - - - - - - - - - Emilio - - - Bustos - - - - - - mraztecacg520@hotmail.com - - - Casa grande - - - Arizona(AZ) - - - United States - - - Liquor factory bar and deli - - - 930 E Florence - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: New Mexico Niner Empire
President First Name: Charles
President Last Name: Montano
Email Address: mrchunky1@live.com
City: Albuquerque
State: New Mexico
Country: United States
Venue: Ojos Locos Sports Cantina
Venue Location: Park Square,2105 Louisiana Blvd N.E
Total Fans: 250
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5054894879 - - - - - - - - - - - - - - - - - - - - - - - - New Mexico Niner Empire - - - Charles - - - Montano - - - mrchunky1@live.com - - - Albuquerque - - - New Mexico - - - United States - - - Ojos Locos Sports Cantina - - - Park Square,2105 Louisiana Blvd N.E - - - 250.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: So Cal Niner Empire
President First Name: Ras
President Last Name: Curtis Shepperd
Email Address: mrrascurt@att.net
City: Long Beach
State: Ca
Country: United States
Venue: Gallaghers Irish Pub and Grill
Venue Location: 2751 E. Broadway
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5626593944 - - - - - - - - - - - - - - - - - - - - - - - - So Cal Niner Empire - - - Ras - - - Curtis Shepperd - - - mrrascurt@att.net - - - Long Beach - - - Ca - - - United States - - - Gallaghers Irish Pub and Grill - - - 2751 E. Broadway - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Faithful of Charlotte
President First Name: Ryan
President Last Name: Lutz
Email Address: mrryanlutz@yahoo.com
City: Charlotte
State: North Carolina
Country: United States
Venue: Strike City Charlotte
Venue Location: 210 E. Trade St.
Total Fans: 353
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9802000224 - - - - - - - - - - - - - - - - - - - - - - - - 49er Faithful of Charlotte - - - Ryan - - - Lutz - - - mrryanlutz@yahoo.com - - - Charlotte - - - North Carolina - - - United States - - - Strike City Charlotte - - - 210 E. Trade St. - - - 353.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: MSP Niner Faithful
President First Name: Xp
President Last Name: Lee
Email Address: mspniners@gmail.com
City: Saint Paul
State: MN
Country: United States
Venue: Firebox BBQ
Venue Location: 1585 Marshall Ave
Total Fans: 5
Facebook: Www.fb.me/mspniners
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6126365232 - - - - - - - - - - - - - - - - - - - - - - - - MSP Niner Faithful - - - Xp - - - Lee - - - mspniners@gmail.com - - - Saint Paul - - - MN - - - United States - - - Firebox BBQ - - - 1585 Marshall Ave - - - 5.0 - - - Www.fb.me/mspniners - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Mississippi Niner Empire Chapter-Jackson
President First Name: Nicholas
President Last Name: Jones
Email Address: mssajson@gmail.com
City: Jackson
State: Ms.
Country: United States
Venue: M-Bar Sports Grill
Venue Location: 6340 Ridgewood Ct.
Total Fans: 69
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6019187982 - - - - - - - - - - - - - - - - - - - - - - - - Mississippi Niner Empire Chapter-Jackson - - - Nicholas - - - Jones - - - mssajson@gmail.com - - - Jackson - - - Ms. - - - United States - - - M-Bar Sports Grill - - - 6340 Ridgewood Ct. - - - 69.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: BayArea Faithfuls
President First Name: Jon
President Last Name: Punla
Email Address: myrapunla@att.net
City: Pleasant Hill
State: California
Country: United States
Venue: Damo Sushi
Venue Location: 508 Contra Costa Blvd
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9256982330 - - - - - - - - - - - - - - - - - - - - - - - - BayArea Faithfuls - - - Jon - - - Punla - - - myrapunla@att.net - - - Pleasant Hill - - - California - - - United States - - - Damo Sushi - - - 508 Contra Costa Blvd - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: AZ49erFaithful
President First Name: Ignacio
President Last Name: Cordova
Email Address: nachocordova73@gmail.com
City: mesa
State: az
Country: United States
Venue: Boulders on Southern
Venue Location: 1010 w Southern ave suite 1
Total Fans: 120
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4803525459 - - - - - - - - - - - - - - - - - - - - - - - - AZ49erFaithful - - - Ignacio - - - Cordova - - - nachocordova73@gmail.com - - - mesa - - - az - - - United States - - - Boulders on Southern - - - 1010 w Southern ave suite 1 - - - 120.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Pluckers Alamo Ranch
President First Name: Naomi
President Last Name: Robles
Email Address: naomiaranda@yahoo.com
City: San Antonio
State: TX
Country: United States
Venue: Pluckers Wong Bar
Venue Location: 202 Meadow Bend Dr
Total Fans: 45
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2103164674 - - - - - - - - - - - - - - - - - - - - - - - - Pluckers Alamo Ranch - - - Naomi - - - Robles - - - naomiaranda@yahoo.com - - - San Antonio - - - TX - - - United States - - - Pluckers Wong Bar - - - 202 Meadow Bend Dr - - - 45.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Natural State Niners
President First Name: Denishio
President Last Name: Blanchett
Email Address: naturalstateniners@gmail.com
City: Jonesboro
State: AR
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 1503 Red Wolf Blvd
Total Fans: 105
Facebook: www.facebook.com/NSNiners
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 870-519-9373 - - - - - - - - - - - - - - - - - - - - - - - - Natural State Niners - - - Denishio - - - Blanchett - - - naturalstateniners@gmail.com - - - Jonesboro - - - AR - - - United States - - - Buffalo Wild Wings - - - 1503 Red Wolf Blvd - - - 105.0 - - - www.facebook.com/NSNiners - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: North Carolina Gold Blooded Empire
President First Name: ncgoldblooded@gmail.com
President Last Name:
Email Address: ncgoldblooded@gmail.com
City: Raleigh
State: North Carolina
Country: United States
Venue: Tobacco Road - Raleigh
Venue Location: 222 Glenwood Avenue
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5614050582 - - - - - - - - - - - - - - - - - - - - - - - - North Carolina Gold Blooded Empire - - - ncgoldblooded@gmail.com - - - - - - ncgoldblooded@gmail.com - - - Raleigh - - - North Carolina - - - United States - - - Tobacco Road - Raleigh - - - 222 Glenwood Avenue - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Spartan Empire of North Carolina
President First Name: Karlton
President Last Name: Green
Email Address: ncspartans5@gmail.com
City: Greensboro
State: NC
Country: United States
Venue: World of Beer
Venue Location: 1310 westover terr
Total Fans: 8
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3365588525 - - - - - - - - - - - - - - - - - - - - - - - - Spartan Empire of North Carolina - - - Karlton - - - Green - - - ncspartans5@gmail.com - - - Greensboro - - - NC - - - United States - - - World of Beer - - - 1310 westover terr - - - 8.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Kings County
President First Name: Javier
President Last Name: Cuevas
Email Address: NEKC559@YAHOO.COM
City: Hanford
State: CA
Country: United States
Venue: Fatte Albert's pizza co
Venue Location: 110 E 7th St
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (559) 380-5061 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Kings County - - - Javier - - - Cuevas - - - NEKC559@YAHOO.COM - - - Hanford - - - CA - - - United States - - - - - - 110 E 7th St - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: New Mexico Gold Rush
President First Name: Larry
President Last Name: Urbina
Email Address: NewMexicoGoldRush@aol.com
City: Rio Rancho
State: NM
Country: United States
Venue: Applebee's
Venue Location: 4100 Ridge Rock Rd
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5053216498 - - - - - - - - - - - - - - - - - - - - - - - - New Mexico Gold Rush - - - Larry - - - Urbina - - - NewMexicoGoldRush@aol.com - - - Rio Rancho - - - NM - - - United States - - - - - - 4100 Ridge Rock Rd - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner 408 Squad
President First Name: Tracey
President Last Name: Anthony
Email Address: niner408squad@yahoo.com
City: San Jose
State: CA
Country: United States
Venue: Personal home
Venue Location: 3189 Apperson Ridge Court
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 650-333-6117 - - - - - - - - - - - - - - - - - - - - - - - - Niner 408 Squad - - - Tracey - - - Anthony - - - niner408squad@yahoo.com - - - San Jose - - - CA - - - United States - - - Personal home - - - 3189 Apperson Ridge Court - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINER ALLEY
President First Name: junior
President Last Name: ambriz
Email Address: nineralley@gmail.com
City: moreno valley
State: ca
Country: United States
Venue: home
Venue Location: 13944 grant st
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9518670172 - - - - - - - - - - - - - - - - - - - - - - - - NINER ALLEY - - - junior - - - ambriz - - - nineralley@gmail.com - - - moreno valley - - - ca - - - United States - - - home - - - 13944 grant st - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire San Antonio
President First Name: Jesus
President Last Name: Archuleta
Email Address: ninerempire_sanantonio@yahoo.com
City: San Antonio
State: Texas
Country: United States
Venue: Fatso's
Venue Location: 1704 Bandera Road
Total Fans: 25
Facebook: https://www.facebook.com/ninerempire.antonio
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5599677071 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire San Antonio - - - Jesus - - - Archuleta - - - ninerempire_sanantonio@yahoo.com - - - San Antonio - - - Texas - - - United States - - - - - - 1704 Bandera Road - - - 25.0 - - - https://www.facebook.com/ninerempire.antonio - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NinerEmpire520
President First Name: Joseph
President Last Name: (Bubba) Avalos
Email Address: ninerempire520@gmail.com
City: Tucson
State: AZ
Country: United States
Venue: Maloney's
Venue Location: 213 North 4th Ave
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5209711614 - - - - - - - - - - - - - - - - - - - - - - - - NinerEmpire520 - - - Joseph - - - (Bubba) Avalos - - - ninerempire520@gmail.com - - - Tucson - - - AZ - - - United States - - - - - - 213 North 4th Ave - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Empire Desert West
President First Name: Daniel
President Last Name: Enriquez
Email Address: ninerempiredw@yahoo.com
City: Glendale
State: Arizona
Country: United States
Venue: McFadden's Glendale
Venue Location: 9425 West Coyotes Blvd
Total Fans: 60
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6024594333 - - - - - - - - - - - - - - - - - - - - - - - - 49er Empire Desert West - - - Daniel - - - Enriquez - - - ninerempiredw@yahoo.com - - - Glendale - - - Arizona - - - United States - - - - - - 9425 West Coyotes Blvd - - - 60.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire EPT
President First Name: Pete
President Last Name: Chavez
Email Address: ninerempireept@gmail.com
City: el paso
State: tx
Country: United States
Venue: knockout pizza
Venue Location: 10110 mccombs
Total Fans: 12
Facebook: http://www.facebook.com/groups/ninerempireept
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9155026670 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire EPT - - - Pete - - - Chavez - - - ninerempireept@gmail.com - - - el paso - - - tx - - - United States - - - knockout pizza - - - 10110 mccombs - - - 12.0 - - - http://www.facebook.com/groups/ninerempireept - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Henderson, NV
President First Name: Jay
President Last Name: Bryant-Chavez
Email Address: NinerEmpireHenderson@yahoo.com
City: Henderson
State: Nevada
Country: United States
Venue: Hi Scores Bar-Arcade
Venue Location: 65 S Stephanie St
Total Fans: 11
Facebook: http://www.facebook.com/ninerempirehenderson
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7027692152 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Henderson, NV - - - Jay - - - Bryant-Chavez - - - NinerEmpireHenderson@yahoo.com - - - Henderson - - - Nevada - - - United States - - - Hi Scores Bar-Arcade - - - 65 S Stephanie St - - - 11.0 - - - http://www.facebook.com/ninerempirehenderson - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Salem
President First Name: Timothy
President Last Name: Stevens
Email Address: ninerempiresalem2018@gmail.com
City: Salem
State: OR
Country: United States
Venue: IWingz
Venue Location: IWingz
Total Fans: 200
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9712184734 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Salem - - - Timothy - - - Stevens - - - ninerempiresalem2018@gmail.com - - - Salem - - - OR - - - United States - - - IWingz - - - IWingz - - - 200.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire San Antonio
President First Name: Jesus
President Last Name: Archuleta
Email Address: NinerEmpireSanAntoni0@oulook.com
City: San Antonio
State: Texas
Country: United States
Venue: Fatsos
Venue Location: 1704 Bandera Rd
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5599677071 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire San Antonio - - - Jesus - - - Archuleta - - - NinerEmpireSanAntoni0@oulook.com - - - San Antonio - - - Texas - - - United States - - - Fatsos - - - 1704 Bandera Rd - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Southern Oregon
President First Name: Patricia
President Last Name: Alvarez
Email Address: NinerEmpireSoOr@gmail.com
City: Medford
State: OR
Country: United States
Venue: The Zone Sports Bar & Grill
Venue Location: 1250 Biddle Rd.
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5419440558 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Southern Oregon - - - Patricia - - - Alvarez - - - NinerEmpireSoOr@gmail.com - - - Medford - - - OR - - - United States - - - - - - 1250 Biddle Rd. - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: niner empire faithfuls of toledo
President First Name: Darren
President Last Name: Sims
Email Address: ninerempiretoledo@yahoo.com
City: Toledo
State: Ohio
Country: United States
Venue: Legendz sports pub and grill
Venue Location: 519 S. Reynolds RD
Total Fans: 27
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4199171537 - - - - - - - - - - - - - - - - - - - - - - - - niner empire faithfuls of toledo - - - Darren - - - Sims - - - ninerempiretoledo@yahoo.com - - - Toledo - - - Ohio - - - United States - - - Legendz sports pub and grill - - - 519 S. Reynolds RD - - - 27.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Las Vegas Niner EmpireNorth
President First Name: Susan
President Last Name: Larsen
Email Address: Ninerfolife@yahoo.com
City: Las Vegas
State: NV
Country: United States
Venue: Timbers Bar & Grill
Venue Location: 7240 West Azure Drive
Total Fans: 50
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7023033434 - - - - - - - - - - - - - - - - - - - - - - - - Las Vegas Niner EmpireNorth - - - Susan - - - Larsen - - - Ninerfolife@yahoo.com - - - Las Vegas - - - NV - - - United States - - - - - - 7240 West Azure Drive - - - 50.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINER FRONTIER
President First Name: Tyson
President Last Name: white
Email Address: ninerfrontier@gmail.com
City: las vegas
State: NV
Country: United States
Venue: Luckys Lounge
Venue Location: 7345 S Jones Blvd
Total Fans: 8
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7023715898 - - - - - - - - - - - - - - - - - - - - - - - - NINER FRONTIER - - - Tyson - - - white - - - ninerfrontier@gmail.com - - - las vegas - - - NV - - - United States - - - Luckys Lounge - - - 7345 S Jones Blvd - - - 8.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINERS ROLLIN HARD IMPERIAL VALLEY
President First Name: Juan
President Last Name: Vallejo
Email Address: ninerrollinhard49@yahoo.com
City: Brawley
State: CA
Country: United States
Venue: SPOT 805 Bar and Grill
Venue Location: 550 Main St
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7604120919 - - - - - - - - - - - - - - - - - - - - - - - - NINERS ROLLIN HARD IMPERIAL VALLEY - - - Juan - - - Vallejo - - - ninerrollinhard49@yahoo.com - - - Brawley - - - CA - - - United States - - - SPOT 805 Bar and Grill - - - 550 Main St - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niners Rollin Hard EL Valle C.V. Chapter
President First Name: Joshua
President Last Name: Garcia
Email Address: Niners49rollinhardcvchapter@yahoo.com
City: La Quinta
State: CA
Country: United States
Venue: The Beer Hunters
Venue Location: 78483 Highway 111
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8282228545 - - - - - - - - - - - - - - - - - - - - - - - - Niners Rollin Hard EL Valle C.V. Chapter - - - Joshua - - - Garcia - - - Niners49rollinhardcvchapter@yahoo.com - - - La Quinta - - - CA - - - United States - - - The Beer Hunters - - - 78483 Highway 111 - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niners United
President First Name: Eli
President Last Name: Soque
Email Address: ninersunited@gmail.com
City: Santa Clara
State: CA
Country: United States
Venue: Levi's Stadium Section 201, Section 110, Section 235 (8 of the 18 members are Season Ticket Holders)
Venue Location: 4900 Marie P DeBartolo Way
Total Fans: 18
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4088576983 - - - - - - - - - - - - - - - - - - - - - - - - Niners United - - - Eli - - - Soque - - - ninersunited@gmail.com - - - Santa Clara - - - CA - - - United States - - - - - - 4900 Marie P DeBartolo Way - - - 18.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: San Francisco 49ers Fans of Chicago
President First Name: Nathan
President Last Name: Israileff
Email Address: nisraileff@gmail.com
City: Chicago
State: IL
Country: United States
Venue: Gracie O'Malley's (Wicker Park location), 1635 N Milwaukee Ave, Chicago, IL 60647
Venue Location: Gracie O'Malley's
Total Fans: 1990
Facebook: https://www.facebook.com/Chicago49ersFans
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3125904783 - - - - - - - - - - - - - - - - - - - - - - - - San Francisco 49ers Fans of Chicago - - - Nathan - - - Israileff - - - nisraileff@gmail.com - - - Chicago - - - IL - - - United States - - - - - - - - - 1990.0 - - - https://www.facebook.com/Chicago49ersFans - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NJ Niner Empire Faithful Warriors
President First Name: Joe
President Last Name: Aguiluz
Email Address: nj_ninerempire@yahoo.com
City: Jersey City
State: New Jersey
Country: United States
Venue: O'Haras Downtown
Venue Location: 172 1st Street
Total Fans: 20
Facebook: https://m.facebook.com/njninerempire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2017022055 - - - - - - - - - - - - - - - - - - - - - - - - NJ Niner Empire Faithful Warriors - - - Joe - - - Aguiluz - - - nj_ninerempire@yahoo.com - - - Jersey City - - - New Jersey - - - United States - - - - - - 172 1st Street - - - 20.0 - - - https://m.facebook.com/njninerempire - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NJ9ers
President First Name: Arron
President Last Name: Rodriguez
Email Address: nj9ers2023@gmail.com
City: Bayonne
State: NJ
Country: United States
Venue: Mr. Cee's Bar & Grill
Venue Location: 17 E 21st Street
Total Fans: 35
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2017057762 - - - - - - - - - - - - - - - - - - - - - - - - NJ9ers - - - Arron - - - Rodriguez - - - nj9ers2023@gmail.com - - - Bayonne - - - NJ - - - United States - - - - - - 17 E 21st Street - - - 35.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: North Idaho 49ers Faithful
President First Name: Josh
President Last Name: Foshee
Email Address: northid49erfaithful@gmail.com
City: Coeur d'Alene
State: ID
Country: United States
Venue: Iron Horse Bar and Grille
Venue Location: 407 Sherman Ave
Total Fans: 700
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2088183104 - - - - - - - - - - - - - - - - - - - - - - - - North Idaho 49ers Faithful - - - Josh - - - Foshee - - - northid49erfaithful@gmail.com - - - - - - ID - - - United States - - - Iron Horse Bar and Grille - - - 407 Sherman Ave - - - 700.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Northwest Niner Empire
President First Name: David
President Last Name: Hartless
Email Address: northwestninerempire@gmail.com
City: Ellensburg
State: WA
Country: United States
Venue: Armies Horseshoe Sports Bar
Venue Location: 106 W 3rd
Total Fans: 145
Facebook: https://www.facebook.com/groups/northwestninerempire/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5093069273 - - - - - - - - - - - - - - - - - - - - - - - - Northwest Niner Empire - - - David - - - Hartless - - - northwestninerempire@gmail.com - - - Ellensburg - - - WA - - - United States - - - Armies Horseshoe Sports Bar - - - 106 W 3rd - - - 145.0 - - - https://www.facebook.com/groups/northwestninerempire/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NOVA Niners
President First Name: Matt
President Last Name: Gaffey
Email Address: novaniners@gmail.com
City: Herndon
State: VA
Country: United States
Venue: Finnegan's Sports Bar & Grill
Venue Location: 2310 Woodland Crossing Dr
Total Fans: 80
Facebook: http://www.facebook.com/nova.niners1
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7039691435 - - - - - - - - - - - - - - - - - - - - - - - - NOVA Niners - - - Matt - - - Gaffey - - - novaniners@gmail.com - - - Herndon - - - VA - - - United States - - - - - - 2310 Woodland Crossing Dr - - - 80.0 - - - http://www.facebook.com/nova.niners1 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Austin Niner Empire
President First Name: Amber
President Last Name: Williams
Email Address: nuthinlika9er@gmail.com
City: Austin
State: Texas
Country: United States
Venue: Mister Tramps Pub & Sports Bar
Venue Location: 8565 Research Blvd
Total Fans: 13
Facebook: http://www.Facebook.com/AustinNinerEmpire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8303870501 - - - - - - - - - - - - - - - - - - - - - - - - Austin Niner Empire - - - Amber - - - Williams - - - nuthinlika9er@gmail.com - - - Austin - - - Texas - - - United States - - - - - - 8565 Research Blvd - - - 13.0 - - - http://www.Facebook.com/AustinNinerEmpire - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: New York 49ers Club
President First Name: Joey
President Last Name: Greener
Email Address: nycredandgold@gmail.com
City: new york
State: ny
Country: United States
Venue: Finnerty's Sports Bar
Venue Location: 221 2nd Avenue
Total Fans: 300
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6462677844 - - - - - - - - - - - - - - - - - - - - - - - - New York 49ers Club - - - Joey - - - Greener - - - nycredandgold@gmail.com - - - new york - - - ny - - - United States - - - - - - 221 2nd Avenue - - - 300.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Mad-town chapter
President First Name: Francisco
President Last Name: Velasquez
Email Address: onejavi481@gmail.com
City: Madera
State: CA
Country: United States
Venue: Madera ranch
Venue Location: 28423 Oregon Ave
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 559-664-2446 - - - - - - - - - - - - - - - - - - - - - - - - Mad-town chapter - - - Francisco - - - Velasquez - - - onejavi481@gmail.com - - - Madera - - - CA - - - United States - - - Madera ranch - - - 28423 Oregon Ave - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Gold Rush Army of Austin
President First Name: Emmanuel
President Last Name: Salgado
Email Address: osheavue@gmail.com
City: Austin
State: TX
Country: United States
Venue: Midway Field House
Venue Location: 2015 E Riverside Dr
Total Fans: 180
Facebook: https://www.facebook.com/GoldRushArmyofAustin
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5129491183 - - - - - - - - - - - - - - - - - - - - - - - - Gold Rush Army of Austin - - - Emmanuel - - - Salgado - - - osheavue@gmail.com - - - Austin - - - TX - - - United States - - - Midway Field House - - - 2015 E Riverside Dr - - - 180.0 - - - https://www.facebook.com/GoldRushArmyofAustin - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: niner alley
President First Name: pedro
President Last Name: ambriz
Email Address: pambriz@mvusd.net
City: MORENO VALLEY
State: CA
Country: United States
Venue: papa joes sports bar
Venue Location: 12220 frederick ave
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (951) 867-0172 - - - - - - - - - - - - - - - - - - - - - - - - niner alley - - - pedro - - - ambriz - - - pambriz@mvusd.net - - - MORENO VALLEY - - - CA - - - United States - - - papa joes sports bar - - - 12220 frederick ave - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 413 Spartans
President First Name: Ricky Pnut
President Last Name: Ruiz
Email Address: papanut150@yahoo.com
City: Chicopee
State: MA
Country: United States
Venue: Bullseye
Venue Location: Bullseye
Total Fans: 17
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (413)361-9818 - - - - - - - - - - - - - - - - - - - - - - - - 413 Spartans - - - Ricky Pnut - - - Ruiz - - - papanut150@yahoo.com - - - Chicopee - - - MA - - - United States - - - Bullseye - - - Bullseye - - - 17.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Clementine's Faithful
President First Name: Paula
President Last Name: Hylland
Email Address: paula@themulebar.com
City: Portland
State: OR
Country: United States
Venue: The Mule Bar
Venue Location: 4915 NE Fremont Street
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 503-550-9738 - - - - - - - - - - - - - - - - - - - - - - - - - - - Paula - - - Hylland - - - paula@themulebar.com - - - Portland - - - OR - - - United States - - - The Mule Bar - - - 4915 NE Fremont Street - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 585faithful
President First Name: patterson
President Last Name:
Email Address: paulfiref@gmail.com
City: dansville
State: NY
Country: United States
Venue: dansville ny
Venue Location: 108 main st
Total Fans: 1
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5852592796 - - - - - - - - - - - - - - - - - - - - - - - - 585faithful - - - patterson - - - - - - paulfiref@gmail.com - - - dansville - - - NY - - - United States - - - dansville ny - - - 108 main st - - - 1.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Cen Cal 559
President First Name: Pauline
President Last Name: Castro
Email Address: PAULINECASTRO87@MSN.COM
City: PORTERVILLE
State: CA
Country: United States
Venue: BRICKHOUSE BAR AND GRILL
Venue Location: 152 North Hockett Street
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5599203535 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Cen Cal 559 - - - Pauline - - - Castro - - - PAULINECASTRO87@MSN.COM - - - PORTERVILLE - - - CA - - - United States - - - BRICKHOUSE BAR AND GRILL - - - 152 North Hockett Street - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Booze & Niner Football
President First Name: Mike
President Last Name: Parker
Email Address: peterparker61925@yahoo.com
City: Solana Beach
State: CA
Country: United States
Venue: Saddle Bar
Venue Location: 123 W Plaza St
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9254514477 - - - - - - - - - - - - - - - - - - - - - - - - - - - Mike - - - Parker - - - peterparker61925@yahoo.com - - - Solana Beach - - - CA - - - United States - - - Saddle Bar - - - 123 W Plaza St - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Westside Niners Nation
President First Name: Leo
President Last Name: Gonzalez
Email Address: pibe444@hotmail.com
City: Culver City
State: CA
Country: United States
Venue: Buffalo Wings and Pizza
Venue Location: 5571 Sepulveda Blvd.
Total Fans: 16
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6262024448 - - - - - - - - - - - - - - - - - - - - - - - - Westside Niners Nation - - - Leo - - - Gonzalez - - - pibe444@hotmail.com - - - Culver City - - - CA - - - United States - - - Buffalo Wings and Pizza - - - 5571 Sepulveda Blvd. - - - 16.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Pinal county niner empire
President First Name: Emilio
President Last Name: Bustos
Email Address: pinalninerempire@gmail.com
City: Casa grande
State: Arizona(AZ)
Country: United States
Venue: Liquor factory bar and deli
Venue Location: 930 E Florence
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5203719925 - - - - - - - - - - - - - - - - - - - - - - - - Pinal county niner empire - - - Emilio - - - Bustos - - - pinalninerempire@gmail.com - - - Casa grande - - - Arizona(AZ) - - - United States - - - Liquor factory bar and deli - - - 930 E Florence - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Prescott, AZ 49ers faithful
President First Name: Pam
President Last Name: Marquardt
Email Address: pmarquardt2011@gmail.com
City: Prescott
State: AZ
Country: United States
Venue: Prescott Office Resturant
Venue Location: 128 N. Cortez St.
Total Fans: 28
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4252561925 - - - - - - - - - - - - - - - - - - - - - - - - Prescott, AZ 49ers faithful - - - Pam - - - Marquardt - - - pmarquardt2011@gmail.com - - - Prescott - - - AZ - - - United States - - - Prescott Office Resturant - - - 128 N. Cortez St. - - - 28.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: San Francisco 49'ers Hawaii Fan Club
President First Name: Randy
President Last Name: Miyamoto
Email Address: promoto1@hawaiiantel.net
City: Honolulu
State: Hawaii
Country: United States
Venue: To be determined
Venue Location: To be determined
Total Fans: 50
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8082585120 - - - - - - - - - - - - - - - - - - - - - - - - - - - Randy - - - Miyamoto - - - promoto1@hawaiiantel.net - - - Honolulu - - - Hawaii - - - United States - - - To be determined - - - To be determined - - - 50.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Portland
President First Name: Pedro
President Last Name: Urzua
Email Address: purzua76@gmail.com
City: Portland
State: OR
Country: United States
Venue: KingPins Portland
Venue Location: 3550 SE 92nd ave
Total Fans: 100
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (503) 544-3640 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Portland - - - Pedro - - - Urzua - - - purzua76@gmail.com - - - Portland - - - OR - - - United States - - - KingPins Portland - - - 3550 SE 92nd ave - - - 100.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: QueensandKings Bay Area Empire Chapter
President First Name: Queen
President Last Name:
Email Address: queensandkings49@gmail.com
City: Antioch
State: Ca
Country: United States
Venue: Tailgaters
Venue Location: 4605 Golf Course Rd
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9253054704 - - - - - - - - - - - - - - - - - - - - - - - - QueensandKings Bay Area Empire Chapter - - - Queen - - - - - - queensandkings49@gmail.com - - - Antioch - - - Ca - - - United States - - - Tailgaters - - - 4605 Golf Course Rd - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Club 49 Tailgate Crew
President First Name: Alex
President Last Name: Chavez
Email Address: raiderhater@club49.org
City: Pleasanton
State: California
Country: United States
Venue: Sunshine Saloon Sports Bar
Venue Location: 1807 Santa Rita Rd #K
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4086671847 - - - - - - - - - - - - - - - - - - - - - - - - Club 49 Tailgate Crew - - - Alex - - - Chavez - - - raiderhater@club49.org - - - Pleasanton - - - California - - - United States - - - Sunshine Saloon Sports Bar - - - 1807 Santa Rita Rd #K - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Nyc Chapter
President First Name: Miguel
President Last Name: Ramirez
Email Address: ram4449ers@aol.com
City: New York
State: New York
Country: United States
Venue: Off the Wagon
Venue Location: 109 Macdougal St,
Total Fans: 35
Facebook: https://www.facebook.com/niner.nychapter
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6465429352 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Nyc Chapter - - - Miguel - - - Ramirez - - - ram4449ers@aol.com - - - New York - - - New York - - - United States - - - Off the Wagon - - - 109 Macdougal St, - - - 35.0 - - - https://www.facebook.com/niner.nychapter - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er faithfuls Yakima,Wa
President First Name: Olivia
President Last Name: Salazar
Email Address: Ramirez14148@gmail.com
City: Yakima
State: Wa
Country: United States
Venue: TheEndzone
Venue Location: 1023 N 1st
Total Fans: 35
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5093076839 - - - - - - - - - - - - - - - - - - - - - - - - 49er faithfuls Yakima,Wa - - - Olivia - - - Salazar - - - Ramirez14148@gmail.com - - - Yakima - - - Wa - - - United States - - - TheEndzone - - - 1023 N 1st - - - 35.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er's Faithful Aurora Co Chapter
President First Name: Fito
President Last Name: Cantu'
Email Address: raton76.fc@gmail.com
City: Aurora
State: CO
Country: United States
Venue: 17307 E Flora Place
Venue Location: 17307 E Flora Place
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7209080304 - - - - - - - - - - - - - - - - - - - - - - - - - - - Fito - - - - - - raton76.fc@gmail.com - - - Aurora - - - CO - - - United States - - - 17307 E Flora Place - - - 17307 E Flora Place - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er F8thfuls
President First Name: Ray
President Last Name: Casper
Email Address: ray@rdnetwrks.com
City: Gardena
State: Ca
Country: United States
Venue: Paradise
Venue Location: 889 w 190th
Total Fans: 50
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5626404112 - - - - - - - - - - - - - - - - - - - - - - - - 49er F8thfuls - - - Ray - - - Casper - - - ray@rdnetwrks.com - - - Gardena - - - Ca - - - United States - - - Paradise - - - 889 w 190th - - - 50.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: westside9ers
President First Name: Ray
President Last Name: Casper
Email Address: raycasper5@yahoo.com
City: Downey
State: CA
Country: United States
Venue: Bar Louie
Venue Location: 8860 Apollo Way
Total Fans: 75
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 562-322-8833 - - - - - - - - - - - - - - - - - - - - - - - - westside9ers - - - Ray - - - Casper - - - raycasper5@yahoo.com - - - Downey - - - CA - - - United States - - - Bar Louie - - - 8860 Apollo Way - - - 75.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Spartan 9er Empire Connecticut
President First Name: Raymond
President Last Name: Dogans
Email Address: Raymonddogans224@gmail.com
City: EastHartford
State: CO
Country: United States
Venue: Red Room
Venue Location: 1543 Main St
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8609951926 - - - - - - - - - - - - - - - - - - - - - - - - Spartan 9er Empire Connecticut - - - Raymond - - - Dogans - - - Raymonddogans224@gmail.com - - - EastHartford - - - CO - - - United States - - - Red Room - - - 1543 Main St - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Red & Gold Empire
President First Name: Stephen
President Last Name: Box
Email Address: RednGoldEmpire@gmail.com
City: Sandy Springs
State: GA
Country: United States
Venue: Hudson Grille Sandy Springs
Venue Location: 6317 Roswell Rd NE
Total Fans: 25
Facebook: https://www.facebook.com/RGEmpire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6786322673 - - - - - - - - - - - - - - - - - - - - - - - - - - - Stephen - - - Box - - - RednGoldEmpire@gmail.com - - - Sandy Springs - - - GA - - - United States - - - Hudson Grille Sandy Springs - - - 6317 Roswell Rd NE - - - 25.0 - - - https://www.facebook.com/RGEmpire - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: RENO NINEREMPIRE
President First Name: Walter
President Last Name: Gudiel
Email Address: reno9erempire@gmail.com
City: Reno
State: Nv
Country: United States
Venue: Semenza's Pizzeria
Venue Location: 4380 Neil rd.
Total Fans: 35
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7755606361 - - - - - - - - - - - - - - - - - - - - - - - - RENO NINEREMPIRE - - - Walter - - - Gudiel - - - reno9erempire@gmail.com - - - Reno - - - Nv - - - United States - - - - - - 4380 Neil rd. - - - 35.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 650 Niner Empire peninsula chapter
President First Name: Jose
President Last Name: Reyes Raquel Ortiz
Email Address: reyesj650@gmail.com
City: South San Francisco
State: Ca
Country: United States
Venue: 7mile house or standby
Venue Location: 1201 bayshore blvd
Total Fans: 27
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6502711535 - - - - - - - - - - - - - - - - - - - - - - - - 650 Niner Empire peninsula chapter - - - Jose - - - Reyes Raquel Ortiz - - - reyesj650@gmail.com - - - South San Francisco - - - Ca - - - United States - - - 7mile house or standby - - - 1201 bayshore blvd - - - 27.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Spartan Niner Empire California
President First Name: Jose
President Last Name: Reyes
Email Address: reyesj650empire@gmail.com
City: Colma
State: CA
Country: United States
Venue: Molloys Tavern
Venue Location: Molloys tavern
Total Fans: 19
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6508346624 - - - - - - - - - - - - - - - - - - - - - - - - Spartan Niner Empire California - - - Jose - - - Reyes - - - reyesj650empire@gmail.com - - - Colma - - - CA - - - United States - - - Molloys Tavern - - - Molloys tavern - - - 19.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Riverside county TEF (Thee Empire Faithful)
President First Name: Sean
President Last Name: Flynn
Email Address: riversidecountytef@gmail.com
City: Winchester
State: CA
Country: United States
Venue: Pizza factory
Venue Location: 30676 Bentod Rd
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (951) 390-6832 - - - - - - - - - - - - - - - - - - - - - - - - Riverside county TEF (Thee Empire Faithful) - - - Sean - - - Flynn - - - riversidecountytef@gmail.com - - - Winchester - - - CA - - - United States - - - Pizza factory - - - 30676 Bentod Rd - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Riverside 49ers Booster Club
President First Name: Gus
President Last Name: Esmerio
Email Address: riversidefortyniners@gmail.com
City: Riverside
State: California
Country: United States
Venue: Lake Alice Trading Co Saloon &Eatery
Venue Location: 3616 University Ave
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9098153880 - - - - - - - - - - - - - - - - - - - - - - - - Riverside 49ers Booster Club - - - Gus - - - Esmerio - - - riversidefortyniners@gmail.com - - - Riverside - - - California - - - United States - - - - - - 3616 University Ave - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Strong Iowa - Des Moines Chapter
President First Name: Rob
President Last Name: Boehringer
Email Address: robert_boehringer@yahoo.com
City: Ankeny
State: IA
Country: United States
Venue: Benchwarmers
Venue Location: 705 S Ankeny Blvd
Total Fans: 8
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5156643526 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Strong Iowa - Des Moines Chapter - - - Rob - - - Boehringer - - - robert_boehringer@yahoo.com - - - Ankeny - - - IA - - - United States - - - Benchwarmers - - - 705 S Ankeny Blvd - - - 8.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Mid South Niner Nation
President First Name: Tyrone
President Last Name: Taylor
Email Address: roniram@hotmail.com
City: Nashville
State: TN
Country: United States
Venue: Kay Bob's
Venue Location: 1602 21st Ave S
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6159537124 - - - - - - - - - - - - - - - - - - - - - - - - Mid South Niner Nation - - - Tyrone - - - Taylor - - - roniram@hotmail.com - - - Nashville - - - TN - - - United States - - - - - - 1602 21st Ave S - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Kansas City 49ers Faithful
President First Name: Ronnie
President Last Name: Tilman
Email Address: ronnietilman@yahoo.com
City: Leavenworth
State: KS
Country: United States
Venue: Fox and hound. 10428 metcalf Ave. Overland Park, ks
Venue Location: 22425
Total Fans: 245
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8165898717 - - - - - - - - - - - - - - - - - - - - - - - - Kansas City 49ers Faithful - - - Ronnie - - - Tilman - - - ronnietilman@yahoo.com - - - Leavenworth - - - KS - - - United States - - - Fox and hound. 10428 metcalf Ave. Overland Park, ks - - - 22425 - - - 245.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Booster Club Carmichael Ca
President First Name: Ramona
President Last Name: Hall
Email Address: rotten7583@comcast.net
City: Fair Oaks
State: Ca
Country: United States
Venue: Fair Oaks
Venue Location: 7587 Pineridge Lane
Total Fans: 38
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9169965326 - - - - - - - - - - - - - - - - - - - - - - - - 49er Booster Club Carmichael Ca - - - Ramona - - - Hall - - - rotten7583@comcast.net - - - Fair Oaks - - - Ca - - - United States - - - Fair Oaks - - - 7587 Pineridge Lane - - - 38.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Rouge & Gold Niner Empire
President First Name: Derek
President Last Name: Wells
Email Address: rougeandgold@gmail.com
City: Baton Rouge
State: LA
Country: United States
Venue: Sporting News Grill
Venue Location: 4848 Constitution Avenue
Total Fans: 32
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2252419900 - - - - - - - - - - - - - - - - - - - - - - - - - - - Derek - - - Wells - - - rougeandgold@gmail.com - - - Baton Rouge - - - LA - - - United States - - - Sporting News Grill - - - 4848 Constitution Avenue - - - 32.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Tulare County
President First Name: Rita
President Last Name: Murillo
Email Address: rt_murillo@yahoo.com
City: Visalia
State: Ca
Country: United States
Venue: 5th Quarter
Venue Location: 3360 S. Fairway
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5592029388 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Tulare County - - - Rita - - - Murillo - - - rt_murillo@yahoo.com - - - Visalia - - - Ca - - - United States - - - 5th Quarter - - - 3360 S. Fairway - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Mile High 49ers NOCO Booster Club
President First Name: Ryan
President Last Name: Fregosi
Email Address: Ryan.fregosi@gmail.com
City: Greeley
State: co
Country: United States
Venue: Old Chicago Greeley
Venue Location: 2349 W. 29th St
Total Fans: 176
Facebook: http://www.facebook.com/milehigh49ersnocoboosterclub
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3234403129 - - - - - - - - - - - - - - - - - - - - - - - - Mile High 49ers NOCO Booster Club - - - Ryan - - - Fregosi - - - Ryan.fregosi@gmail.com - - - Greeley - - - co - - - United States - - - Old Chicago Greeley - - - 2349 W. 29th St - - - 176.0 - - - http://www.facebook.com/milehigh49ersnocoboosterclub - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NINERFANS.COM
President First Name: Ryan
President Last Name: Sakamoto
Email Address: ryan@ninerfans.com
City: Cupertino
State: California
Country: United States
Venue: Islands Bar And Grill (Cupertino)
Venue Location: 20750 Stevens Creek Blvd.
Total Fans: 22
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4086220996 - - - - - - - - - - - - - - - - - - - - - - - - NINERFANS.COM - - - Ryan - - - Sakamoto - - - ryan@ninerfans.com - - - Cupertino - - - California - - - United States - - - Islands Bar And Grill (Cupertino) - - - 20750 Stevens Creek Blvd. - - - 22.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: San Diego Gold Rush
President First Name: Robert
President Last Name: Zubiate
Email Address: rzavsd@gmail.com
City: San Diego
State: CA
Country: United States
Venue: Bootleggers
Venue Location: 804 market st.
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6198203631 - - - - - - - - - - - - - - - - - - - - - - - - San Diego Gold Rush - - - Robert - - - Zubiate - - - rzavsd@gmail.com - - - San Diego - - - CA - - - United States - - - Bootleggers - - - 804 market st. - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: East Valley Niner Empire
President First Name: Selvin
President Last Name: Cardona
Email Address: salcard49@yahoo.com
City: Apache Junction
State: AZ
Country: United States
Venue: Tumbleweed Bar & Grill
Venue Location: 725 W Apache Trail
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6026264006 - - - - - - - - - - - - - - - - - - - - - - - - East Valley Niner Empire - - - Selvin - - - Cardona - - - salcard49@yahoo.com - - - Apache Junction - - - AZ - - - United States - - - - - - 725 W Apache Trail - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Santa Rosa Niner Empire
President First Name: Joaquin
President Last Name: Kingo Saucedo
Email Address: saucedo1981@live.com
City: Windsor
State: CA
Country: United States
Venue: Santa Rosa
Venue Location: 140 3rd St
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7076949476 - - - - - - - - - - - - - - - - - - - - - - - - Santa Rosa Niner Empire - - - Joaquin - - - Kingo Saucedo - - - saucedo1981@live.com - - - Windsor - - - CA - - - United States - - - Santa Rosa - - - 140 3rd St - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Youngstown Faithful
President First Name: Scott
President Last Name: West
Email Address: scottwest1@zoominternet.net
City: Canfield
State: OH
Country: United States
Venue: The Cave
Venue Location: 369 Timber Run Drive
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3305180874 - - - - - - - - - - - - - - - - - - - - - - - - Youngstown Faithful - - - Scott - - - West - - - scottwest1@zoominternet.net - - - Canfield - - - OH - - - United States - - - The Cave - - - 369 Timber Run Drive - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Seattle Niners Faithful
President First Name: Brittany
President Last Name: Carpenter
Email Address: SeattleNinersFaithful@gmail.com
City: Everett
State: WA
Country: United States
Venue: Great American Casino
Venue Location: 12715 4th Ave W
Total Fans: 300
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6502469641 - - - - - - - - - - - - - - - - - - - - - - - - Seattle Niners Faithful - - - Brittany - - - Carpenter - - - SeattleNinersFaithful@gmail.com - - - Everett - - - WA - - - United States - - - Great American Casino - - - 12715 4th Ave W - - - 300.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: San Francisco 49ers Faithful - Greater Triangle Area, NC
President First Name: Lora
President Last Name: Edgar
Email Address: SF49ersFaithful.TriangleAreaNC@gmail.com
City: Durham
State: North Carolina
Country: United States
Venue: Tobacco Road Sports Cafe
Venue Location: 280 S. Mangum St. #100
Total Fans: 24
Facebook: https://www.facebook.com/groups/474297662683684/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9194511624 - - - - - - - - - - - - - - - - - - - - - - - - San Francisco 49ers Faithful - Greater Triangle Area, NC - - - Lora - - - Edgar - - - SF49ersFaithful.TriangleAreaNC@gmail.com - - - Durham - - - North Carolina - - - United States - - - Tobacco Road Sports Cafe - - - 280 S. Mangum St. #100 - - - 24.0 - - - https://www.facebook.com/groups/474297662683684/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: South Florida Gold Blooded Empire
President First Name: Michelle
President Last Name: ""Meme"" Jackson
Email Address: sff49ers@gmail.com
City: Boynton Beach
State: Florida
Country: United States
Venue: Miller's Ale House
Venue Location: 2212 N. Congress Avenue
Total Fans: 23
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5103948854 - - - - - - - - - - - - - - - - - - - - - - - - South Florida Gold Blooded Empire - - - Michelle - - - - - - sff49ers@gmail.com - - - Boynton Beach - - - Florida - - - United States - - - - - - 2212 N. Congress Avenue - - - 23.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Red Rock's Local 49 Club
President First Name: Shane
President Last Name: Keffer
Email Address: shanekeffer19@gmail.com
City: Red Bluff
State: CA
Country: United States
Venue: Tips Bar
Venue Location: 501 walnut St.
Total Fans: 40
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5305264764 - - - - - - - - - - - - - - - - - - - - - - - - - - - Shane - - - Keffer - - - shanekeffer19@gmail.com - - - Red Bluff - - - CA - - - United States - - - Tips Bar - - - 501 walnut St. - - - 40.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Columbia Basin Niners Faithful
President First Name: Christina
President Last Name: Feldman
Email Address: shanora28@yahoo.com
City: Finley
State: Washington
Country: United States
Venue: Shooters
Venue Location: 214711 e SR 397 314711 wa397
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5098451845 - - - - - - - - - - - - - - - - - - - - - - - - Columbia Basin Niners Faithful - - - Christina - - - Feldman - - - shanora28@yahoo.com - - - Finley - - - Washington - - - United States - - - Shooters - - - 214711 e SR 397 314711 wa397 - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 9er Elite
President First Name: Harmony
President Last Name: Shaw
Email Address: shawharmony@yahoo.com
City: Lake Elsinore
State: CA
Country: United States
Venue: Pins N Pockets
Venue Location: 32250 Mission Trail
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (951) 816-8801 - - - - - - - - - - - - - - - - - - - - - - - - 9er Elite - - - Harmony - - - Shaw - - - shawharmony@yahoo.com - - - Lake Elsinore - - - CA - - - United States - - - Pins N Pockets - - - 32250 Mission Trail - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Shore Faithful
President First Name: Edward
President Last Name: Griffin Jr
Email Address: shorefaithfulempire@gmail.com
City: Barnegat
State: NJ
Country: United States
Venue: 603 East Bay Ave Barnegat NJ 08005 - Due to covid 19 we no longer have a meeting location besides my residence. I truly hope this is acceptable - Thank you
Venue Location: 603 East Bay Ave
Total Fans: 6
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6093396596 - - - - - - - - - - - - - - - - - - - - - - - - Shore Faithful - - - Edward - - - Griffin Jr - - - shorefaithfulempire@gmail.com - - - Barnegat - - - NJ - - - United States - - - 603 East Bay Ave Barnegat NJ 08005 - Due to covid 19 we no longer have a meeting location besides my residence. I truly hope this is acceptable - Thank you - - - 603 East Bay Ave - - - 6.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Santa Fe Faithfuls
President First Name: Anthony
President Last Name: Apodaca
Email Address: sic.apodaca1@gmail.com
City: Santa Fe
State: New Mexico
Country: United States
Venue: Blue Corn Brewery
Venue Location: 4056 Cerrilos Rd.
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5054708144 - - - - - - - - - - - - - - - - - - - - - - - - Santa Fe Faithfuls - - - Anthony - - - Apodaca - - - sic.apodaca1@gmail.com - - - Santa Fe - - - New Mexico - - - United States - - - Blue Corn Brewery - - - 4056 Cerrilos Rd. - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Sonoran Desert Niner Empire
President First Name: Derek
President Last Name: Yubeta
Email Address: sonorandesertninerempire@yahoo.com
City: Maricopa
State: AZ
Country: United States
Venue: Cold beers and cheeseburgers
Venue Location: 20350 N John Wayne Pkwy
Total Fans: 48
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5204147239 - - - - - - - - - - - - - - - - - - - - - - - - Sonoran Desert Niner Empire - - - Derek - - - Yubeta - - - sonorandesertninerempire@yahoo.com - - - Maricopa - - - AZ - - - United States - - - Cold beers and cheeseburgers - - - 20350 N John Wayne Pkwy - - - 48.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 9549ERS faithful
President First Name: Nelson
President Last Name: Tobar
Email Address: soyyonell@yahoo.com
City: Davie
State: FL
Country: United States
Venue: Twin peaks
Venue Location: Twin peaks
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3054953136 - - - - - - - - - - - - - - - - - - - - - - - - 9549ERS faithful - - - Nelson - - - Tobar - - - soyyonell@yahoo.com - - - Davie - - - FL - - - United States - - - Twin peaks - - - Twin peaks - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 806 Niner Empire West Texas Chapter
President First Name: Joe
President Last Name: Frank Rodriquez
Email Address: state_champ_27@hotmail.com
City: Lubbock
State: Texas
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 6320 19th st
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8062929172 - - - - - - - - - - - - - - - - - - - - - - - - 806 Niner Empire West Texas Chapter - - - Joe - - - Frank Rodriquez - - - state_champ_27@hotmail.com - - - Lubbock - - - Texas - - - United States - - - Buffalo Wild Wings - - - 6320 19th st - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Ohana Niner Empire
President First Name: Nathan
President Last Name: Sterling
Email Address: sterling.nathan@aol.com
City: Honolulu
State: HI
Country: United States
Venue: TBD
Venue Location: 1234 TBD
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8082283453 - - - - - - - - - - - - - - - - - - - - - - - - Ohana Niner Empire - - - Nathan - - - Sterling - - - sterling.nathan@aol.com - - - Honolulu - - - HI - - - United States - - - TBD - - - 1234 TBD - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Westside Portland 49er Fan Club
President First Name: Steven
President Last Name: Englund
Email Address: stevenenglund@hotmail.com
City: Portland
State: OR
Country: United States
Venue: The Cheerful Tortoise
Venue Location: 1939 SW 6th Ave
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9167470720 - - - - - - - - - - - - - - - - - - - - - - - - Westside Portland 49er Fan Club - - - Steven - - - Englund - - - stevenenglund@hotmail.com - - - Portland - - - OR - - - United States - - - The Cheerful Tortoise - - - 1939 SW 6th Ave - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ersGold
President First Name: Tim
President Last Name: OCONNELL
Email Address: stoutbarandgrill3419@gmail.com
City: Oakland Park
State: FL
Country: United States
Venue: stout bar and grill
Venue Location: Stout Bar and Grill
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7542235678 - - - - - - - - - - - - - - - - - - - - - - - - 49ersGold - - - Tim - - - OCONNELL - - - stoutbarandgrill3419@gmail.com - - - Oakland Park - - - FL - - - United States - - - stout bar and grill - - - Stout Bar and Grill - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 4T9 MOB TRACY FAMILY
President First Name: Jenese
President Last Name: Borges Soto
Email Address: superrednece@comcast.net
City: Tracy
State: Ca
Country: United States
Venue: Buffalo wild wings
Venue Location: 2796 Naglee road
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2096409543 - - - - - - - - - - - - - - - - - - - - - - - - 4T9 MOB TRACY FAMILY - - - Jenese - - - Borges Soto - - - superrednece@comcast.net - - - Tracy - - - Ca - - - United States - - - Buffalo wild wings - - - 2796 Naglee road - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Southern Oregon Chapter
President First Name: Susana
President Last Name: Perez
Email Address: susana.perez541@gmail.com
City: medford
State: or
Country: United States
Venue: imperial event center
Venue Location: 41 north Front Street
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5413015005 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Southern Oregon Chapter - - - Susana - - - Perez - - - susana.perez541@gmail.com - - - medford - - - or - - - United States - - - imperial event center - - - 41 north Front Street - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: SacFaithful
President First Name: Gregory
President Last Name: Mcconkey
Email Address: synfulpleasurestattoos@gmail.com
City: Cameron park
State: CA
Country: United States
Venue: Presidents home
Venue Location: 3266 Cimmarron rd
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (530) 315-9467 - - - - - - - - - - - - - - - - - - - - - - - - SacFaithful - - - Gregory - - - Mcconkey - - - synfulpleasurestattoos@gmail.com - - - Cameron park - - - CA - - - United States - - - Presidents home - - - 3266 Cimmarron rd - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Faithful Of Southern Ohio
President First Name: Tara
President Last Name: Farrell
Email Address: tarafarrell86@gmail.com
City: piqua
State: OH
Country: United States
Venue: My House
Venue Location: 410 Camp St
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9374189628 - - - - - - - - - - - - - - - - - - - - - - - - Niner Faithful Of Southern Ohio - - - Tara - - - Farrell - - - tarafarrell86@gmail.com - - - piqua - - - OH - - - United States - - - My House - - - 410 Camp St - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: NinerGangFaithfuls
President First Name: Andrew
President Last Name: Siliga
Email Address: tattguy760@gmail.com
City: Oceanside
State: ca
Country: United States
Venue: my house
Venue Location: 4020 Thomas st
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7609783736 - - - - - - - - - - - - - - - - - - - - - - - - NinerGangFaithfuls - - - Andrew - - - Siliga - - - tattguy760@gmail.com - - - Oceanside - - - ca - - - United States - - - my house - - - 4020 Thomas st - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Jersey 49ers riders
President First Name: terry
President Last Name: jackson
Email Address: terryjackson93@aol.com
City: Trenton
State: New Jersey
Country: United States
Venue: sticky wecket
Venue Location: 2465 S.broad st
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6099544424 - - - - - - - - - - - - - - - - - - - - - - - - Jersey 49ers riders - - - terry - - - jackson - - - terryjackson93@aol.com - - - Trenton - - - New Jersey - - - United States - - - sticky wecket - - - 2465 S.broad st - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Life Free or Die Faithfuls
President First Name: Thang
President Last Name: Vo
Email Address: thangvo@gmail.com
City: Concord
State: NH
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 8 Loudon Rd
Total Fans: 3
Facebook: https://www.facebook.com/groups/876812822713709/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (703) 401-0212 - - - - - - - - - - - - - - - - - - - - - - - - Life Free or Die Faithfuls - - - Thang - - - Vo - - - thangvo@gmail.com - - - Concord - - - NH - - - United States - - - Buffalo Wild Wings - - - 8 Loudon Rd - - - 3.0 - - - https://www.facebook.com/groups/876812822713709/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The 909 Niner Faithfuls
President First Name: Joe
President Last Name: Del Rio
Email Address: The909NinerFaithfuls@gmail.com
City: Fontana
State: Ca
Country: United States
Venue: Boston's Sports Bar and Grill
Venue Location: 16927 Sierra Lakes Pkwy.
Total Fans: 30
Facebook: http://www.facebook.com/The909NinerFaithfuls
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3105929214 - - - - - - - - - - - - - - - - - - - - - - - - The 909 Niner Faithfuls - - - Joe - - - Del Rio - - - The909NinerFaithfuls@gmail.com - - - Fontana - - - Ca - - - United States - - - - - - 16927 Sierra Lakes Pkwy. - - - 30.0 - - - http://www.facebook.com/The909NinerFaithfuls - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Arcadia Chapter
President First Name: Allyson
President Last Name: Martin
Email Address: Thebittavern@gmail.com
City: Arcadia
State: CA
Country: United States
Venue: 4167 e live oak Ave
Venue Location: 4167 e live oak Ave
Total Fans: 25
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 6264459623 - - - - - - - - - - - - - - - - - - - - - - - - Arcadia Chapter - - - Allyson - - - Martin - - - Thebittavern@gmail.com - - - Arcadia - - - CA - - - United States - - - 4167 e live oak Ave - - - 4167 e live oak Ave - - - 25.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Thee Empire Faithful
President First Name: Joe
President Last Name: Rocha
Email Address: theeempirefaithfulfc@live.com
City: Fresno
State: California
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 3065 E Shaw Ave
Total Fans: 50
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5592897293 - - - - - - - - - - - - - - - - - - - - - - - - Thee Empire Faithful - - - Joe - - - Rocha - - - theeempirefaithfulfc@live.com - - - Fresno - - - California - - - United States - - - Buffalo Wild Wings - - - 3065 E Shaw Ave - - - 50.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Oregon Faithful
President First Name: Jeff
President Last Name: Sutton
Email Address: theoregonfaithful@gmail.com
City: Eugene
State: OR
Country: United States
Venue: The Side Bar
Venue Location: Side Bar
Total Fans: 12
Facebook:
Instagram:
X (Twitter): oregonfaithful on Twitter
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5412063142 - - - - - - - - - - - - - - - - - - - - - - - - The Oregon Faithful - - - Jeff - - - Sutton - - - theoregonfaithful@gmail.com - - - Eugene - - - OR - - - United States - - - The Side Bar - - - Side Bar - - - 12.0 - - - - - - - - - oregonfaithful on Twitter - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The ORIGINAL Niner Empire-New Jersey Chapter
President First Name: Charlie
President Last Name: Murphy
Email Address: theoriginalninernjchapter@gmail.com
City: Linden
State: NJ
Country: United States
Venue: Nuno's Pavilion
Venue Location: 300 Roselle ave
Total Fans: 35
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9082475788 - - - - - - - - - - - - - - - - - - - - - - - - The ORIGINAL Niner Empire-New Jersey Chapter - - - Charlie - - - Murphy - - - theoriginalninernjchapter@gmail.com - - - Linden - - - NJ - - - United States - - - - - - 300 Roselle ave - - - 35.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: What a Rush (gold)
President First Name: Paul
President Last Name: Smith
Email Address: thescotchhouse@gmail.com
City: Rochester
State: NY
Country: United States
Venue: The Scotch House Pub
Venue Location: 373 south Goodman street
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5852788246 - - - - - - - - - - - - - - - - - - - - - - - - What a Rush (gold) - - - Paul - - - Smith - - - thescotchhouse@gmail.com - - - Rochester - - - NY - - - United States - - - The Scotch House Pub - - - 373 south Goodman street - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Moreno Valley 49er Empire
President First Name: Tibor
President Last Name: Belt
Email Address: tibor.belt@yahoo.com
City: Moreno Vallay
State: CA
Country: United States
Venue: S Bar and Grill
Venue Location: 23579 Sunnymead Ranch Pkwy
Total Fans: 15
Facebook: https://www.facebook.com/pages/Moreno-Valley-49er-Empire/220528134738022
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 9519029955 - - - - - - - - - - - - - - - - - - - - - - - - Moreno Valley 49er Empire - - - Tibor - - - Belt - - - tibor.belt@yahoo.com - - - Moreno Vallay - - - CA - - - United States - - - S Bar and Grill - - - 23579 Sunnymead Ranch Pkwy - - - 15.0 - - - https://www.facebook.com/pages/Moreno-Valley-49er-Empire/220528134738022 - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: The Niner Empire, 405 Faithfuls, Oklahoma City
President First Name: Maria
President Last Name: Ward
Email Address: tne405faithfuls@gmail.com
City: Oklahoma city
State: OK
Country: United States
Venue: Hooters NW Expressway OKC
Venue Location: 3025 NW EXPRESSWAY
Total Fans: 25
Facebook: https://www.facebook.com/share/g/4RVmqumg1MQNtMSi/?mibextid=K35XfP
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 14054370161 - - - - - - - - - - - - - - - - - - - - - - - - The Niner Empire, 405 Faithfuls, Oklahoma City - - - Maria - - - Ward - - - tne405faithfuls@gmail.com - - - Oklahoma city - - - OK - - - United States - - - Hooters NW Expressway OKC - - - 3025 NW EXPRESSWAY - - - 25.0 - - - https://www.facebook.com/share/g/4RVmqumg1MQNtMSi/?mibextid=K35XfP - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 707 EMPIRE VALLEY
President First Name: Tony
President Last Name: Ruiz
Email Address: tonyruiz49@gmail.com
City: napa
State: California
Country: United States
Venue: Ruiz Home
Venue Location: 696a stonehouse drive
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 7072971945 - - - - - - - - - - - - - - - - - - - - - - - - 707 EMPIRE VALLEY - - - Tony - - - Ruiz - - - tonyruiz49@gmail.com - - - napa - - - California - - - United States - - - Ruiz Home - - - 696a stonehouse drive - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Treasure Valley 49er Faithful
President First Name: Curt
President Last Name: Starz
Email Address: treasurevalley49erfaithful@gmail.com
City: Star
State: ID
Country: United States
Venue: The Beer Guys Saloon
Venue Location: 10937 W. State Street
Total Fans: 100
Facebook: https://www.facebook.com/TV49erFaithful
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 208-964-2981 - - - - - - - - - - - - - - - - - - - - - - - - Treasure Valley 49er Faithful - - - Curt - - - Starz - - - treasurevalley49erfaithful@gmail.com - - - Star - - - ID - - - United States - - - The Beer Guys Saloon - - - 10937 W. State Street - - - 100.0 - - - https://www.facebook.com/TV49erFaithful - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Hampton Roads Niner Empire
President First Name: Nick
President Last Name: Farmer
Email Address: Trickynick89@aol.com
City: Newport news
State: VA
Country: United States
Venue: Boathouse Live
Venue Location: 11800 Merchants Walk #100
Total Fans: 300
Facebook: https://m.facebook.com/groups/441340355910833?ref=bookmarks
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (804) 313-1137 - - - - - - - - - - - - - - - - - - - - - - - - Hampton Roads Niner Empire - - - Nick - - - Farmer - - - Trickynick89@aol.com - - - Newport news - - - VA - - - United States - - - Boathouse Live - - - 11800 Merchants Walk #100 - - - 300.0 - - - https://m.facebook.com/groups/441340355910833?ref=bookmarks - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Salem
President First Name: Timothy
President Last Name: Stevens
Email Address: tstevens1989@gmail.com
City: Salem
State: OR
Country: United States
Venue: AMF Firebird Lanes
Venue Location: 4303 Center St NE
Total Fans: 218
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (971) 218-4734 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Salem - - - Timothy - - - Stevens - - - tstevens1989@gmail.com - - - Salem - - - OR - - - United States - - - AMF Firebird Lanes - - - 4303 Center St NE - - - 218.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Forty Niners LA chapter
President First Name: Tony
President Last Name:
Email Address: tvaladez49ers@gmail.com
City: Bell
State: Ca
Country: United States
Venue: Krazy Wings
Venue Location: 7016 Atlantic Blvd
Total Fans: 15
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3234590567 - - - - - - - - - - - - - - - - - - - - - - - - Forty Niners LA chapter - - - Tony - - - - - - tvaladez49ers@gmail.com - - - Bell - - - Ca - - - United States - - - Krazy Wings - - - 7016 Atlantic Blvd - - - 15.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Red River Niner Empire
President First Name: Tyra
President Last Name: Kinsey
Email Address: tylkinsey@gmail.com
City: Bossier City
State: LA
Country: United States
Venue: Walk On's Bossier City
Venue Location: 3010 Airline Dr
Total Fans: 15
Facebook: www.facebook.com/RedRiverNinerEmpire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (318) 268-9657 - - - - - - - - - - - - - - - - - - - - - - - - Red River Niner Empire - - - Tyra - - - Kinsey - - - tylkinsey@gmail.com - - - Bossier City - - - LA - - - United States - - - - - - 3010 Airline Dr - - - 15.0 - - - www.facebook.com/RedRiverNinerEmpire - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Ultimate 49er Empire
President First Name: Nadieshda
President Last Name: Nadie Lizabe
Email Address: Ultimateninerempire@gmail.com
City: Pembroke pines
State: Florida
Country: United States
Venue: Pines alehouse
Venue Location: 11795 pine island blvd
Total Fans: 14
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3058965471 - - - - - - - - - - - - - - - - - - - - - - - - Ultimate 49er Empire - - - Nadieshda - - - Nadie Lizabe - - - Ultimateninerempire@gmail.com - - - Pembroke pines - - - Florida - - - United States - - - Pines alehouse - - - 11795 pine island blvd - - - 14.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Utah Niner Empire
President First Name: Travis
President Last Name: Vallejo
Email Address: utahninerempire@gmail.com
City: Salt Lake City
State: UT
Country: United States
Venue: Legends Sports Pub
Venue Location: 677 South 200 West
Total Fans: 25
Facebook: https://www.facebook.com/UtahNinerEmpire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 8014140109 - - - - - - - - - - - - - - - - - - - - - - - - Utah Niner Empire - - - Travis - - - Vallejo - - - utahninerempire@gmail.com - - - Salt Lake City - - - UT - - - United States - - - Legends Sports Pub - - - 677 South 200 West - - - 25.0 - - - https://www.facebook.com/UtahNinerEmpire - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Phoenix602Faithful
President First Name: Vincent
President Last Name: Price
Email Address: vprice068@yahoo.com
City: Phoenix
State: AZ
Country: United States
Venue: Galaghers
Venue Location: 3220 E Baseline Rd
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (480) 493-9526 - - - - - - - - - - - - - - - - - - - - - - - - Phoenix602Faithful - - - Vincent - - - Price - - - vprice068@yahoo.com - - - Phoenix - - - AZ - - - United States - - - Galaghers - - - 3220 E Baseline Rd - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: WESTSIDE 9ERS
President First Name: Naimah
President Last Name: Williams
Email Address: Westside9ers@gmail.com
City: Carson
State: CA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 736 E Del Amo Blvd
Total Fans: 20
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3108979404 - - - - - - - - - - - - - - - - - - - - - - - - WESTSIDE 9ERS - - - Naimah - - - Williams - - - Westside9ers@gmail.com - - - Carson - - - CA - - - United States - - - Buffalo Wild Wings - - - 736 E Del Amo Blvd - - - 20.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Addison Point 49ner's Fans
President First Name: William
President Last Name: Kuhn
Email Address: wkpoint@gmail.com
City: Addison
State: Texas
Country: United States
Venue: Addison Point Sports Grill
Venue Location: 4578 Beltline Road
Total Fans: 288
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 4696009701 - - - - - - - - - - - - - - - - - - - - - - - - - - - William - - - Kuhn - - - wkpoint@gmail.com - - - Addison - - - Texas - - - United States - - - Addison Point Sports Grill - - - 4578 Beltline Road - - - 288.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49er Forever Faithfuls
President First Name: Wayne
President Last Name: Yelloweyes-Ripoyla
Email Address: wolfhawk9506@aol.com
City: Vancouver
State: Wa
Country: United States
Venue: Hooligans bar and grill
Venue Location: 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662
Total Fans: 11
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3605679487 - - - - - - - - - - - - - - - - - - - - - - - - 49er Forever Faithfuls - - - Wayne - - - Yelloweyes-Ripoyla - - - wolfhawk9506@aol.com - - - Vancouver - - - Wa - - - United States - - - Hooligans bar and grill - - - 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662 - - - 11.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Woodland Faithful
President First Name: Oscar
President Last Name: Ruiz
Email Address: woodlandfaithful22@gmail.com
City: Woodland
State: CA
Country: United States
Venue: Mountain Mikes Pizza
Venue Location: 171 W. Main St
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5309086004 - - - - - - - - - - - - - - - - - - - - - - - - Woodland Faithful - - - Oscar - - - Ruiz - - - woodlandfaithful22@gmail.com - - - Woodland - - - CA - - - United States - - - Mountain Mikes Pizza - - - 171 W. Main St - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Central New York
President First Name: Michal
President Last Name:
Email Address: ykeoneil@gmail.com
City: Cicero
State: New York
Country: United States
Venue: Tully's Good Times
Venue Location: 7838 Brewerton Rd
Total Fans: 6
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3159448662 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Central New York - - - Michal - - - - - - ykeoneil@gmail.com - - - Cicero - - - New York - - - United States - - - - - - 7838 Brewerton Rd - - - 6.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 4 Corners Faithful
President First Name: Anthony
President Last Name: Green
Email Address: yourprince24@yahoo.com
City: Durango
State: CO
Country: United States
Venue: Sporting News Grill
Venue Location: 21636 Highway 160
Total Fans: 10
Facebook: https://www.facebook.com/groups/363488474141493/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (970) 442-1932 - - - - - - - - - - - - - - - - - - - - - - - - 4 Corners Faithful - - - Anthony - - - Green - - - yourprince24@yahoo.com - - - Durango - - - CO - - - United States - - - Sporting News Grill - - - 21636 Highway 160 - - - 10.0 - - - https://www.facebook.com/groups/363488474141493/ - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 480 Gilbert Niner Empire
President First Name: Elle
President Last Name: Lopez
Email Address: zepolelle@gmail.com
City: Gilbert
State: AZ
Country: United States
Venue: Panda Libre
Venue Location: 748 N Gilbert Rd
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (480) 708-0838 - - - - - - - - - - - - - - - - - - - - - - - - 480 Gilbert Niner Empire - - - Elle - - - Lopez - - - zepolelle@gmail.com - - - Gilbert - - - AZ - - - United States - - - Panda Libre - - - 748 N Gilbert Rd - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Jalisco 49ers Guadalajara
President First Name: Sergio
President Last Name: Hernandez
Email Address: zhekografico1@gmail.com
City: Guadalajara
State: TX
Country: United States
Venue: Bar Cheleros
Venue Location: Bar CHELEROS
Total Fans: 190
Facebook: https://www.facebook.com/NinerEmpireJalisco49ersGuadalajara/?modal=admin_todo_tour
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - (331) 387-0752 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Jalisco 49ers Guadalajara - - - Sergio - - - Hernandez - - - zhekografico1@gmail.com - - - Guadalajara - - - TX - - - United States - - - Bar Cheleros - - - Bar CHELEROS - - - 190.0 - - - https://www.facebook.com/NinerEmpireJalisco49ersGuadalajara/?modal=admin_todo_tour - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ERS Faithful of West Virginia
President First Name: Zachary
President Last Name: Meadows
Email Address: zmeads@live.com
City: Charleston
State: WV
Country: United States
Venue: The Pitch
Venue Location: 5711 MacCorkle Ave SE
Total Fans: 12
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 3045457327 - - - - - - - - - - - - - - - - - - - - - - - - 49ERS Faithful of West Virginia - - - Zachary - - - Meadows - - - zmeads@live.com - - - Charleston - - - WV - - - United States - - - The Pitch - - - 5711 MacCorkle Ave SE - - - 12.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49 Migos Chapter
President First Name: Manny
President Last Name: Duarte
Email Address: Yaman053@yahoo.com
City: Saddle Brook
State: NJ
Country: United States
Venue: Midland Brewhouse
Venue Location: 374 N Midland Ave
Total Fans: 10
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 2016971994 - - - - - - - - - - - - - - - - - - - - - - - - 49 Migos Chapter - - - Manny - - - Duarte - - - Yaman053@yahoo.com - - - Saddle Brook - - - NJ - - - United States - - - Midland Brewhouse - - - 374 N Midland Ave - - - 10.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: 49ers Bay Area Faithful Social Club
President First Name: Sarah
President Last Name: Wallace
Email Address: 49ersbayareafaithful@gmail.com
City: Sunnyvale
State: CA
Country: United States
Venue: Giovanni's New York Pizzeria
Venue Location: 1127 Lawrence Expy
Total Fans: 65
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 408-892-5315 - - - - - - - - - - - - - - - - - - - - - - - - 49ers Bay Area Faithful Social Club - - - Sarah - - - Wallace - - - 49ersbayareafaithful@gmail.com - - - Sunnyvale - - - CA - - - United States - - - - - - 1127 Lawrence Expy - - - 65.0 - - - - - - - - - - - - - - - - - - - - -
- - - Website:
Meeting Location Address (Address):
Meeting Location Address (Address2):
Meeting Location Address (City):
Meeting Location Address (State):
Meeting Location Address (Zip):
Meeting Location Address (Country):
Fan Chapter Name: Niner Empire Of Indy
President First Name: Jay
President Last Name: Balthrop
Email Address: Indyninerfaithful@yahoo.com
City: Indianapolis
State: IN
Country: United States
Venue: The Bulldog Bar and Lounge
Venue Location: 5380 N College Ave
Total Fans: 30
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- - - 5404245114 - - - - - - - - - - - - - - - - - - - - - - - - Niner Empire Of Indy - - - Jay - - - Balthrop - - - Indyninerfaithful@yahoo.com - - - Indianapolis - - - IN - - - United States - - - The Bulldog Bar and Lounge - - - 5380 N College Ave - - - 30.0 - - - - - - - - - - - - - - - - - - - - -
-
- - 49ers Fan Chapters - - 49ers Aguascalientes -
Aguascalientes Mexico Vikingo Bar Av de la Convención de 1914 Sur 312-A, Las Américas, 20230 Aguascalientes, Ags., Mexico
- President Last Name: Romo
Phone Number: 52 4492612712
Email Address: ninersaguascalientes@gmail.com
City: Aguascalientes
State:
Country: Mexico
Venue: Vikingo Bar
Venue Location: Av de la Convención de 1914 Sur 312-A, Las Américas, 20230 Aguascalientes, Ags., Mexico
Total Fans: 174
Website:
Facebook: https://www.facebook.com/share/1Wa7TPzBMX/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Cesar - - - Romo - - - 52 4492612712 - - - ninersaguascalientes@gmail.com - - - Aguascalientes - - - - - - Mexico - - - Vikingo Bar - - - Av de la Convención de 1914 Sur 312-A, Las Américas, 20230 Aguascalientes, Ags., Mexico - - - 174.0 - - - - - - https://www.facebook.com/share/1Wa7TPzBMX/ - - - - - - - - - - - - - - - - - -
- - Bajio Faithful -
Celaya, GTO Mexico California Prime Rib Restaurant Av. Constituyentes 1000 A, 3 Guerras, 38080 Celaya, Gto., Mexico
- President Last Name: Camarena
Phone Number: 52 (46) 1219 7801
Email Address: hectorcamarena@hotmail.com
City: Celaya, GTO
State:
Country: Mexico
Venue: California Prime Rib Restaurant
Venue Location: Av. Constituyentes 1000 A, 3 Guerras, 38080 Celaya, Gto., Mexico
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Hector - - - Camarena - - - 52 (46) 1219 7801 - - - hectorcamarena@hotmail.com - - - Celaya, GTO - - - - - - Mexico - - - California Prime Rib Restaurant - - - Av. Constituyentes 1000 A, 3 Guerras, 38080 Celaya, Gto., Mexico - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Chiapas -
Chiapas Mexico Alitas Tuxtla Blvd. Belisario Dominguez 1861 Loc K1 Tuxtl Fracc, Bugambilias, 29060 Tuxtla Gutiérrez, Chis., Mexico
- President Last Name: Narvaez
Phone Number: 52 (96) 1654-1513
Email Address: ninerempirechiapas@hotmail.com
City: Chiapas
State:
Country: Mexico
Venue: Alitas Tuxtla
Venue Location: Blvd. Belisario Dominguez 1861 Loc K1 Tuxtl Fracc, Bugambilias, 29060 Tuxtla Gutiérrez, Chis., Mexico
Total Fans: 250
Website:
Facebook: Niner Empire Chiapas
Instagram: https://www.instagram.com/49erschiapas/?hl=en
X (Twitter): Niner Empire Chiapas
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Aroshi - - - Narvaez - - - 52 (96) 1654-1513 - - - ninerempirechiapas@hotmail.com - - - Chiapas - - - - - - Mexico - - - Alitas Tuxtla - - - Blvd. Belisario Dominguez 1861 Loc K1 Tuxtl Fracc, Bugambilias, 29060 Tuxtla Gutiérrez, Chis., Mexico - - - 250.0 - - - - - - Niner Empire Chiapas - - - https://www.instagram.com/49erschiapas/?hl=en - - - Niner Empire Chiapas - - - - - - - - - - - -
- - 49ers Faithful Chihuahua Oficial -
Chihuahua Mexico El Coliseo Karaoke Sports Bar C. Jose Maria Morelos 111, Zona Centro, 31000 Chihuahua, Chih., Mexico
- President Last Name: Otamendi
Phone Number: 52 (61) 4404-1411
Email Address: chihuahua49ersfaithful@gmail.com
City: Chihuahua
State:
Country: Mexico
Venue: El Coliseo Karaoke Sports Bar
Venue Location: C. Jose Maria Morelos 111, Zona Centro, 31000 Chihuahua, Chih., Mexico
Total Fans: 300
Website:
Facebook: https://www.facebook.com/share/g/14tnsAwWFc/
Instagram: https://www.instagram.com/49ersfaithfulchihuahua?igsh=bHE5ZWd6eTUxOWl3
X (Twitter):
TikTok: https://www.tiktok.com/@49ers.faithful.ch?_t=8rv1vcLFfBI&_r=1
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jorge - - - Otamendi - - - 52 (61) 4404-1411 - - - chihuahua49ersfaithful@gmail.com - - - Chihuahua - - - - - - Mexico - - - El Coliseo Karaoke Sports Bar - - - C. Jose Maria Morelos 111, Zona Centro, 31000 Chihuahua, Chih., Mexico - - - 300.0 - - - - - - https://www.facebook.com/share/g/14tnsAwWFc/ - - - https://www.instagram.com/49ersfaithfulchihuahua?igsh=bHE5ZWd6eTUxOWl3 - - - - - - - - - - - - - - -
- - Gold Rush Chihuahua Spartans -
- President Last Name: García
Phone Number: 52 (61) 41901197
Email Address: juga49er@gmail.com
City: Chihuahua
State:
Country: Mexico
Venue: 34 Billiards & Drinks
Venue Location: Av. Tecnológico 4903, Las Granjas 31100
Total Fans: 976
Website:
Facebook: https://www.facebook.com/groups/170430893136916/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Juan - - - García - - - 52 (61) 41901197 - - - juga49er@gmail.com - - - Chihuahua - - - - - - Mexico - - - - - - Av. Tecnológico 4903, Las Granjas 31100 - - - 976.0 - - - - - - https://www.facebook.com/groups/170430893136916/ - - - - - - - - - - - - - - - - - -
- - Club 49ers Mexico -
Ciudad de Mexico, Mexico Mexico Bar 49 16 Septiembre #27 Colonia Centro Historico Ciudad de Mexico
- President Last Name: Rodriguez
Phone Number: 52 (55) 6477-1279
Email Address: club49ersmexico@hotmail.com
City: Ciudad de Mexico, Mexico
State:
Country: Mexico
Venue: Bar 49
Venue Location: 16 Septiembre #27 Colonia Centro Historico Ciudad de Mexico
Total Fans: 800
Website:
Facebook:
Instagram: club49ersmexico
X (Twitter): club49ersmexico
TikTok: Club49ersmexicooficial
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - German - - - Rodriguez - - - 52 (55) 6477-1279 - - - club49ersmexico@hotmail.com - - - Ciudad de Mexico, Mexico - - - - - - Mexico - - - Bar 49 - - - 16 Septiembre #27 Colonia Centro Historico Ciudad de Mexico - - - 800.0 - - - - - - - - - club49ersmexico - - - club49ersmexico - - - Club49ersmexicooficial - - - - - - - - -
- - Club 49ers Durango Oficial -
Durango Mexico Restaurante Buffalucas Constitución C. Constitución 107B, Zona Centro, 34000 Durango, Dgo., Mexico
- President Last Name: Arballo
Phone Number: 52 (55) 6904-5174
Email Address: Club49ersdurango@gmail.com
City: Durango
State:
Country: Mexico
Venue: Restaurante Buffalucas Constitución
Venue Location: C. Constitución 107B, Zona Centro, 34000 Durango, Dgo., Mexico
Total Fans: 170
Website:
Facebook: https://www.facebook.com/share/1TaDBVZmx2/?mibextid=LQQJ4d
Instagram: https://www.instagram.com/49ers_dgo?igsh=ams1dHdibXZmN28w
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Victor - - - Arballo - - - 52 (55) 6904-5174 - - - Club49ersdurango@gmail.com - - - Durango - - - - - - Mexico - - - Restaurante Buffalucas Constitución - - - C. Constitución 107B, Zona Centro, 34000 Durango, Dgo., Mexico - - - 170.0 - - - - - - https://www.facebook.com/share/1TaDBVZmx2/?mibextid=LQQJ4d - - - https://www.instagram.com/49ers_dgo?igsh=ams1dHdibXZmN28w - - - - - - - - - - - - - - -
- - Niner Empire Edo Mex -
Estado de Mexico Mexico Beer Garden Satélite Cto. Circunvalación Ote. 10-L-4, Cd. Satélite, 53100 Naucalpan de Juárez, Méx., Mexico
- President Last Name: Velasco
Phone Number: 52 (55) 707169
Email Address: ninerempireedomex@hotmail.com
City: Estado de Mexico
State:
Country: Mexico
Venue: Beer Garden Satélite
Venue Location: Cto. Circunvalación Ote. 10-L-4, Cd. Satélite, 53100 Naucalpan de Juárez, Méx., Mexico
Total Fans: 250
Website:
Facebook:
Instagram: https://www.instagram.com/ninerempireedomex/
X (Twitter): https://x.com/ninerempedomex
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Alberto - - - Velasco - - - 52 (55) 707169 - - - ninerempireedomex@hotmail.com - - - Estado de Mexico - - - - - - Mexico - - - Beer Garden Satélite - - - Cto. Circunvalación Ote. 10-L-4, Cd. Satélite, 53100 Naucalpan de Juárez, Méx., Mexico - - - 250.0 - - - - - - - - - https://www.instagram.com/ninerempireedomex/ - - - https://x.com/ninerempedomex - - - - - - - - - - - -
- - Club 49ers Jalisco -
Guadalajara, Jalisco Mexico Restaurante Modo Avión Zapopan Calzada Nte 14, Granja, 45010 Zapopan, Jal., Mexico
- President Last Name: Medina
Phone Number: 52 (33) 2225-4392
Email Address: 49ersjalisco@gmail.com
City: Guadalajara, Jalisco
State:
Country: Mexico
Venue: Restaurante Modo Avión Zapopan
Venue Location: Calzada Nte 14, Granja, 45010 Zapopan, Jal., Mexico
Total Fans: 40
Website:
Facebook:
Instagram: club49ersjalisco
X (Twitter): Club 49ers Jalisco
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Marcela - - - Medina - - - 52 (33) 2225-4392 - - - 49ersjalisco@gmail.com - - - Guadalajara, Jalisco - - - - - - Mexico - - - Restaurante Modo Avión Zapopan - - - Calzada Nte 14, Granja, 45010 Zapopan, Jal., Mexico - - - 40.0 - - - - - - - - - club49ersjalisco - - - Club 49ers Jalisco - - - - - - - - - - - -
- - Niner Empire Jalisco -
Guadalajara, Jalisco Mexico SkyGames Sports Bar Av. Vallarta 874 entre Camarena y, C. Escorza, Centro, 44100 Guadalajara, Jal., Mexico
- President Last Name: Partida
Phone Number: 52 (33) 1046 3607
Email Address: ninerempirejal49@gmail.com
City: Guadalajara, Jalisco
State:
Country: Mexico
Venue: SkyGames Sports Bar
Venue Location: Av. Vallarta 874 entre Camarena y, C. Escorza, Centro, 44100 Guadalajara, Jal., Mexico
Total Fans: 200
Website:
Facebook:
Instagram: niner_empire_jalisco
X (Twitter): NinerEmpireJal
TikTok: ninerempirejal
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Alonso - - - Partida - - - 52 (33) 1046 3607 - - - ninerempirejal49@gmail.com - - - Guadalajara, Jalisco - - - - - - Mexico - - - SkyGames Sports Bar - - - Av. Vallarta 874 entre Camarena y, C. Escorza, Centro, 44100 Guadalajara, Jal., Mexico - - - 200.0 - - - - - - - - - niner_empire_jalisco - - - NinerEmpireJal - - - ninerempirejal - - - - - - - - -
- - Niner Empire Juarez Oficial -
Juarez Mexico Sport Bar Silver Fox Av. Paseo Triunfo de la República 430, Las Fuentes, 32530 Juárez, Chih., Mexico
- President Last Name: Montero
Phone Number: 52 (65) 6228-3719
Email Address: JuarezFaithful@outlook.com
City: Juarez
State:
Country: Mexico
Venue: Sport Bar Silver Fox
Venue Location: Av. Paseo Triunfo de la República 430, Las Fuentes, 32530 Juárez, Chih., Mexico
Total Fans: 300
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Hugo - - - Montero - - - 52 (65) 6228-3719 - - - JuarezFaithful@outlook.com - - - Juarez - - - - - - Mexico - - - Sport Bar Silver Fox - - - Av. Paseo Triunfo de la República 430, Las Fuentes, 32530 Juárez, Chih., Mexico - - - 300.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Merida Oficial -
Merida Mexico Taproom Mastache Av. Cámara de Comercio 263, San Ramón Nte, 97117 Mérida, Yuc., Mexico
- President Last Name: Vargas
Phone Number: 52 (99) 9172-2810
Email Address: contacto@49ersmerida.mx
City: Merida
State:
Country: Mexico
Venue: Taproom Mastache
Venue Location: Av. Cámara de Comercio 263, San Ramón Nte, 97117 Mérida, Yuc., Mexico
Total Fans: 290
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Liliana - - - Vargas - - - 52 (99) 9172-2810 - - - contacto@49ersmerida.mx - - - Merida - - - - - - Mexico - - - Taproom Mastache - - - Av. Cámara de Comercio 263, San Ramón Nte, 97117 Mérida, Yuc., Mexico - - - 290.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Mexicali -
Mexicali Mexico La Gambeta Terraza Sports Bar Calz. Cuauhtémoc 328, Aviación, 21230 Mexicali, B.C., Mexico
- President Last Name: Carbajal
Phone Number: 52 (686) 243 7235
Email Address: ninerempiremxl@outlook.com
City: Mexicali
State:
Country: Mexico
Venue: La Gambeta Terraza Sports Bar
Venue Location: Calz. Cuauhtémoc 328, Aviación, 21230 Mexicali, B.C., Mexico
Total Fans: 45
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gabriel - - - Carbajal - - - 52 (686) 243 7235 - - - ninerempiremxl@outlook.com - - - Mexicali - - - - - - Mexico - - - La Gambeta Terraza Sports Bar - - - Calz. Cuauhtémoc 328, Aviación, 21230 Mexicali, B.C., Mexico - - - 45.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Monterrey Oficial -
Monterrey Mexico Buffalo Wild Wings Insurgentes Av Insurgentes 3961, Sin Nombre de Col 31, 64620 Monterrey, N.L., Mexico
- President Last Name: González
Phone Number: 52 (81) 1500-4400
Email Address: 49ersmonterrey@gmail.com
City: Monterrey
State:
Country: Mexico
Venue: Buffalo Wild Wings Insurgentes
Venue Location: Av Insurgentes 3961, Sin Nombre de Col 31, 64620 Monterrey, N.L., Mexico
Total Fans: 500
Website: 49ersmonterrey.com
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Luis - - - González - - - 52 (81) 1500-4400 - - - 49ersmonterrey@gmail.com - - - Monterrey - - - - - - Mexico - - - Buffalo Wild Wings Insurgentes - - - Av Insurgentes 3961, Sin Nombre de Col 31, 64620 Monterrey, N.L., Mexico - - - 500.0 - - - 49ersmonterrey.com - - - - - - - - - - - - - - - - - - - - -
- - Club 49ers Puebla -
Puebla Mexico Bar John Barrigón Av. Juárez 2925, La Paz, 72160 Heroica Puebla de Zaragoza, Pue., Mexico
- President Last Name: Mendez
Phone Number: 52 (22) 21914254
Email Address: club49erspuebla@hotmail.com
City: Puebla
State:
Country: Mexico
Venue: Bar John Barrigón
Venue Location: Av. Juárez 2925, La Paz, 72160 Heroica Puebla de Zaragoza, Pue., Mexico
Total Fans:
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Elias - - - Mendez - - - 52 (22) 21914254 - - - club49erspuebla@hotmail.com - - - Puebla - - - - - - Mexico - - - Bar John Barrigón - - - Av. Juárez 2925, La Paz, 72160 Heroica Puebla de Zaragoza, Pue., Mexico - - - - - - - - - - - - - - - - - - - - - - - - - - -
- - Niners Empire Saltillo -
Saltillo Mexico Cervecería La Huérfana Blvd. Venustiano Carranza 7046-Int 9, Los Rodríguez, 25200 Saltillo, Coah., Mexico
- President Last Name: Carrizales
Phone Number: 52 (84) 4130-0064
Email Address: Ninerssaltillo21@gmail.com
City: Saltillo
State:
Country: Mexico
Venue: Cervecería La Huérfana
Venue Location: Blvd. Venustiano Carranza 7046-Int 9, Los Rodríguez, 25200 Saltillo, Coah., Mexico
Total Fans:
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Carlos - - - Carrizales - - - 52 (84) 4130-0064 - - - Ninerssaltillo21@gmail.com - - - Saltillo - - - - - - Mexico - - - Cervecería La Huérfana - - - Blvd. Venustiano Carranza 7046-Int 9, Los Rodríguez, 25200 Saltillo, Coah., Mexico - - - - - - - - - - - - - - - - - - - - - - - - - - -
- - San Luis Potosi Oficial -
San Luis Potosi Mexico Bar VIC Av Nereo Rodríguez Barragán 1399, Fuentes del Bosque, 78220 San Luis Potosí, S.L.P., Mexico
- President Last Name: Robledo
Phone Number: 52 (44) 4257-3609
Email Address: club49erssanluispotosi@hotmail.com
City: San Luis Potosi
State:
Country: Mexico
Venue: Bar VIC
Venue Location: Av Nereo Rodríguez Barragán 1399, Fuentes del Bosque, 78220 San Luis Potosí, S.L.P., Mexico
Total Fans:
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jose - - - Robledo - - - 52 (44) 4257-3609 - - - club49erssanluispotosi@hotmail.com - - - San Luis Potosi - - - - - - Mexico - - - Bar VIC - - - Av Nereo Rodríguez Barragán 1399, Fuentes del Bosque, 78220 San Luis Potosí, S.L.P., Mexico - - - - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Tijuana Fans Oficial -
Tijuana Mexico Titan Sports Bar J. Gorostiza 1209, Zona Urbana Rio Tijuana, 22320 Tijuana, B.C., Mexico
- President Last Name: Daniel
Phone Number: 52 (66) 4220-6991
Email Address: ant49ers14@gmail.com
City: Tijuana
State:
Country: Mexico
Venue: Titan Sports Bar
Venue Location: J. Gorostiza 1209, Zona Urbana Rio Tijuana, 22320 Tijuana, B.C., Mexico
Total Fans: 460
Website:
Facebook: https://www.facebook.com/groups/49erstijuanafans/?ref=share&mibextid=NSMWBT
Instagram: https://www.instagram.com/49erstijuanafansoficial/?igshid=OGQ5ZDc2ODk2ZA%3D%3D&fbclid=IwZXh0bgNhZW0CMTEAAR0SXTcgDss1aAUjjzK6Ge0Uhx9JkNszzeQgTRq94F_5Zzat-arK9kXEqWk_aem_sKUysPZe1NpmFRPlJppOYw&sfnsn=scwspwa
X (Twitter): -
TikTok: -
WhatsApp: -
YouTube: -]]>
- #icon-1899-A52714 - - - Anthony - - - Daniel - - - 52 (66) 4220-6991 - - - ant49ers14@gmail.com - - - Tijuana - - - - - - Mexico - - - Titan Sports Bar - - - J. Gorostiza 1209, Zona Urbana Rio Tijuana, 22320 Tijuana, B.C., Mexico - - - 460.0 - - - - - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Club Toluca Oficial -
Toluca Mexico Revel Wings Carranza Calle Gral. Venustiano Carranza 20 Pte. 905, Residencial Colón y Col Ciprés, 50120 Toluca de Lerdo, Méx., Mexico
- President Last Name: Salazar
Phone Number: 52 (72) 2498-5443
Email Address: ninersdealtura@gmail.com
City: Toluca
State:
Country: Mexico
Venue: Revel Wings Carranza
Venue Location: Calle Gral. Venustiano Carranza 20 Pte. 905, Residencial Colón y Col Ciprés, 50120 Toluca de Lerdo, Méx., Mexico
Total Fans:
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Fernando - - - Salazar - - - 52 (72) 2498-5443 - - - ninersdealtura@gmail.com - - - Toluca - - - - - - Mexico - - - Revel Wings Carranza - - - Calle Gral. Venustiano Carranza 20 Pte. 905, Residencial Colón y Col Ciprés, 50120 Toluca de Lerdo, Méx., Mexico - - - - - - - - - - - - - - - - - - - - - - - - - - -
- - Cluib de Fans 49ers Veracruz -
Veracruz Mexico Wings Army del Urban Center C. Lázaro Cárdenas 102, Rafael Lucio, 91110 Xalapa-Enríquez, Ver., Mexico
- President Last Name: Mata
Phone Number: 52 (228) 159-8578
Email Address: los49ersdexalapa@gmail.com
City: Veracruz
State:
Country: Mexico
Venue: Wings Army del Urban Center
Venue Location: C. Lázaro Cárdenas 102, Rafael Lucio, 91110 Xalapa-Enríquez, Ver., Mexico
Total Fans:
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Luis - - - Mata - - - 52 (228) 159-8578 - - - los49ersdexalapa@gmail.com - - - Veracruz - - - - - - Mexico - - - Wings Army del Urban Center - - - C. Lázaro Cárdenas 102, Rafael Lucio, 91110 Xalapa-Enríquez, Ver., Mexico - - - - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ersFanZone.net -
Bad Vigaun Austria Neuwirtsweg 315
- President Last Name: Kaposi
Phone Number: 6646124565
Email Address: webmaster@49ersfanzone.net
City: Bad Vigaun
State:
Country: Austria
Venue:
Venue Location: Neuwirtsweg 315
Total Fans: 183
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Clemens - - - Kaposi - - - 6646124565 - - - webmaster@49ersfanzone.net - - - Bad Vigaun - - - - - - Austria - - - - - - Neuwirtsweg 315 - - - 183.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Niner Empire France -
Nousseviller Saint Nabor France 4 voie romaine 4 voie romaine
- President Last Name: Schlienger
Phone Number: 33 (0)6 365 269 84
Email Address: gilles.schlienger@orange.fr
City: Nousseviller Saint Nabor
State:
Country: France
Venue: 4 voie romaine
Venue Location: 4 voie romaine
Total Fans: 250
Website:
Facebook: https://www.facebook.com/groups/295995597696338
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gilles - - - Schlienger - - - 33 (0)6 365 269 84 - - - gilles.schlienger@orange.fr - - - Nousseviller Saint Nabor - - - - - - France - - - 4 voie romaine - - - 4 voie romaine - - - 250.0 - - - - - - https://www.facebook.com/groups/295995597696338 - - - - - - - - - - - - - - - - - -
- - Niner Empire Germany-Bavaria Chapter -
- President Last Name: Beckmann
Phone Number: 1704753958
Email Address: beckmannm55@gmail.com
City: Ismaning
State:
Country: Germany
Venue: 49er's Sports & Partybar
Venue Location: Muenchener Strasse 79
Total Fans: 35
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Mike - - - Beckmann - - - 1704753958 - - - beckmannm55@gmail.com - - - Ismaning - - - - - - Germany - - - - - - Muenchener Strasse 79 - - - 35.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 4T9 Mob Germany Family -
Hamburg Germany Jolly Roger Budapester Str. 44
- President Last Name: Grawert
Phone Number: 1735106462
Email Address: chrisgrawert@web.de
City: Hamburg
State:
Country: Germany
Venue: Jolly Roger
Venue Location: Budapester Str. 44
Total Fans: 6
Website:
Facebook: https://www.facebook.com/4T9MOBGermany
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Chris - - - Grawert - - - 1735106462 - - - chrisgrawert@web.de - - - Hamburg - - - - - - Germany - - - Jolly Roger - - - Budapester Str. 44 - - - 6.0 - - - - - - https://www.facebook.com/4T9MOBGermany - - - - - - - - - - - - - - - - - -
- - 49 Niner Empire -
Cologne State: NRW Germany Joe Camps Sports Bar Joe Champs
- President Last Name: Theunert
Phone Number: 49 15758229310
Email Address: jan.andre77@web.de
City: Cologne State: NRW
State:
Country: Germany
Venue: Joe Camps Sports Bar
Venue Location: Joe Champs
Total Fans: 104
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Andra - - - Theunert - - - 49 15758229310 - - - jan.andre77@web.de - - - Cologne State: NRW - - - - - - Germany - - - Joe Camps Sports Bar - - - Joe Champs - - - 104.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Niner Empire Germany Berlin Chapter -
Berlin Germany Sportsbar Tor133 Torstrasse 133
- President Last Name: Benthin
Phone Number: 1795908826
Email Address: jermaine.benthin@icloud.com
City: Berlin
State:
Country: Germany
Venue: Sportsbar Tor133
Venue Location: Torstrasse 133
Total Fans: 17
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jermaine - - - Benthin - - - 1795908826 - - - jermaine.benthin@icloud.com - - - Berlin - - - - - - Germany - - - Sportsbar Tor133 - - - Torstrasse 133 - - - 17.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Bornhöved Germany Comeback Bar Mühlenstraße 11
- President Last Name: Thorsten
Phone Number: 1607512643
Email Address: t.heltewig@t-online.de
City: Bornhöved
State:
Country: Germany
Venue: Comeback Bar
Venue Location: Mühlenstraße 11
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Heltewig - - - Thorsten - - - 1607512643 - - - t.heltewig@t-online.de - - - Bornhöved - - - - - - Germany - - - Comeback Bar - - - Mühlenstraße 11 - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Fans Bavaria -
Ampfing Germany Holzheim 1a/Ampfing Holzheim 1a
- President Last Name: Igerl
Phone Number: 1738803983
Email Address: thomas.igerl@gmx.de
City: Ampfing
State:
Country: Germany
Venue: Holzheim 1a/Ampfing
Venue Location: Holzheim 1a
Total Fans: 30
Website:
Facebook: https://www.facebook.com/49ersfansbavaria
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Thomas - - - Igerl - - - 1738803983 - - - thomas.igerl@gmx.de - - - Ampfing - - - - - - Germany - - - Holzheim 1a/Ampfing - - - Holzheim 1a - - - 30.0 - - - - - - https://www.facebook.com/49ersfansbavaria - - - - - - - - - - - - - - - - - -
- - The Niner Empire Germany - North Rhine-Westphalia Chapter -
Duesseldorf Germany Knoten Kurze Strasse 1A
- President Last Name: Allhoff
Phone Number: 1234567899
Email Address: timo.allhoff@web.de
City: Duesseldorf
State:
Country: Germany
Venue: Knoten
Venue Location: Kurze Strasse 1A
Total Fans: 62
Website: http://germany.theninerempire.com/
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Timo - - - Allhoff - - - 1234567899 - - - timo.allhoff@web.de - - - Duesseldorf - - - - - - Germany - - - Knoten - - - Kurze Strasse 1A - - - 62.0 - - - http://germany.theninerempire.com/ - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Germany-NRW Chapter -
Cologne Germany Joe Champs Sportsbar Cologne Hohenzollernring 1 -3
- President Last Name: van
Phone Number: 1708859408
Email Address: vanbebberhermann@yahoo.com
City: Cologne
State:
Country: Germany
Venue: Joe Champs Sportsbar Cologne
Venue Location: Hohenzollernring 1 -3
Total Fans: 27
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Hermann - - - van - - - 1708859408 - - - vanbebberhermann@yahoo.com - - - Cologne - - - - - - Germany - - - Joe Champs Sportsbar Cologne - - - Hohenzollernring 1 -3 - - - 27.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Irish Faithful -
Dublin 13 Ireland Busker On The Ball 13 - 17 Fleet Street
- President Last Name: Mc
Phone Number: 3.53E+11
Email Address: 49ersire@gmail.com
City: Dublin 13
State:
Country: Ireland
Venue: Busker On The Ball
Venue Location: 13 - 17 Fleet Street
Total Fans: 59
Website:
Facebook:
Instagram:
X (Twitter): https://twitter.com/49ersIre
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Colly - - - Mc - - - 3.53E+11 - - - 49ersire@gmail.com - - - Dublin 13 - - - - - - Ireland - - - Busker On The Ball - - - 13 - 17 Fleet Street - - - 59.0 - - - - - - - - - - - - https://twitter.com/49ersIre - - - - - - - - - - - -
- - 49ers Italian Fan Club -
Fiorano Modenese Italy The Beer Corner Via Roma, 2/A
- President Last Name: Marrocchino
Phone Number: 0039 3282181898
Email Address: 49ers.italian@gmail.com + marrocchino.enxo@gmail.com
City: Fiorano Modenese
State:
Country: Italy
Venue: The Beer Corner
Venue Location: Via Roma, 2/A
Total Fans: 50
Website:
Facebook: https://www.facebook.com/groups/49ersItalianFanClub
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Enzo - - - Marrocchino - - - 0039 3282181898 - - - 49ers.italian@gmail.com + marrocchino.enxo@gmail.com - - - Fiorano Modenese - - - - - - Italy - - - The Beer Corner - - - Via Roma, 2/A - - - 50.0 - - - - - - https://www.facebook.com/groups/49ersItalianFanClub - - - - - - - - - - - - - - - - - -
- - Mineros Spanish Faithful -
Madrid Spain Penalti Lounge Bar Avenida Reina 15
- President Last Name: Miguel
Phone Number: 649058694
Email Address: laminapodcast@gmail.com + luismiperez17@gmail.com
City: Madrid
State:
Country: Spain
Venue: Penalti Lounge Bar
Venue Location: Avenida Reina 15
Total Fans: 15
Website: https://laminapodcast.wixsite.com/lamina
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Luis - - - Miguel - - - 649058694 - - - laminapodcast@gmail.com + luismiperez17@gmail.com - - - Madrid - - - - - - Spain - - - Penalti Lounge Bar - - - Avenida Reina 15 - - - 15.0 - - - https://laminapodcast.wixsite.com/lamina - - - - - - - - - - - - - - - - - - - - -
- - Equipe Sports SF -
Sao Paulo Brazil Website, Podcast, Facebook Page, Twitter Rua Hitoshi Ishibashi, 11 B
- President Last Name: Marques
Phone Number: 6507841235
Email Address: alessandro.quiterio@sportssf.com.br
City: Sao Paulo
State:
Country: Brazil
Venue: Website, Podcast, Facebook Page, Twitter
Venue Location: Rua Hitoshi Ishibashi, 11 B
Total Fans: 14
Website: http://www.sportssf.com.br
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Alessandro - - - Marques - - - 6507841235 - - - alessandro.quiterio@sportssf.com.br - - - Sao Paulo - - - - - - Brazil - - - Website, Podcast, Facebook Page, Twitter - - - Rua Hitoshi Ishibashi, 11 B - - - 14.0 - - - http://www.sportssf.com.br - - - - - - - - - - - - - - - - - - - - -
- - 49ers Brasil -
Campo Limpo, Sao Paulo Brazil Bars and Restaurants in São Paulo - SP
- President Last Name: Moraes
Phone Number: 1197444761
Email Address: fbo_krun@live.co.uk
City: Campo Limpo, Sao Paulo
State:
Country: Brazil
Venue: Bars and Restaurants in São Paulo - SP
Venue Location:
Total Fans: 870
Website: http://www.49ersbrasil.com.br
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Fabio - - - Moraes - - - 1197444761 - - - fbo_krun@live.co.uk - - - Campo Limpo, Sao Paulo - - - - - - Brazil - - - Bars and Restaurants in São Paulo - SP - - - - - - 870.0 - - - http://www.49ersbrasil.com.br - - - - - - - - - - - - - - - - - - - - -
- - San Francisco 49ers Brasil -
Sao Bernardo do Campo, Sao Paulo Brazil Multiple locations around south and southeast states of Brazil
- President Last Name: Alban
Phone Number: 5511992650
Email Address: otavio.alban@gmail.com
City: Sao Bernardo do Campo, Sao Paulo
State:
Country: Brazil
Venue: Multiple locations around south and southeast states of Brazil
Venue Location:
Total Fans: 104
Website:
Facebook: https://www.facebook.com/groups/49ninersbrasil/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Otavio - - - Alban - - - 5511992650 - - - otavio.alban@gmail.com - - - Sao Bernardo do Campo, Sao Paulo - - - - - - Brazil - - - Multiple locations around south and southeast states of Brazil - - - - - - 104.0 - - - - - - https://www.facebook.com/groups/49ninersbrasil/ - - - - - - - - - - - - - - - - - -
- - Niner Empire --Vanouver,BC Chapter -
Vancouver, BC Canada The Sharks Club--Langley, BC 20169 88 Avenue
- President Last Name: Alvarado/Neil
Phone Number: 6046266697
Email Address: hector_alvarado21@hotmail.com
City: Vancouver, BC
State:
Country: Canada
Venue: The Sharks Club--Langley, BC
Venue Location: 20169 88 Avenue
Total Fans: 31
Website: http://www.theninerempire.com
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Hector - - - Alvarado/Neil - - - 6046266697 - - - hector_alvarado21@hotmail.com - - - Vancouver, BC - - - - - - Canada - - - The Sharks Club--Langley, BC - - - 20169 88 Avenue - - - 31.0 - - - http://www.theninerempire.com - - - - - - - - - - - - - - - - - - - - -
- - True North Niners -
- President Last Name: Vromman
Phone Number: 4167796921
Email Address: truenorthniners@gmail.com
City: Bolton, Ontario
State:
Country: Canada
Venue: Maguire's Pub
Venue Location: 284 Queen st E
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Shawn - - - Vromman - - - 4167796921 - - - truenorthniners@gmail.com - - - Bolton, Ontario - - - - - - Canada - - - - - - 284 Queen st E - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Faithful Panama -
Panama 5inco Panama 8530 NW 72ND ST
- President Last Name: Vallarino
Phone Number: 507 66737171
Email Address: ricardovallarino@hotmail.com
City:
State:
Country: Panama
Venue: 5inco Panama
Venue Location: 8530 NW 72ND ST
Total Fans: 249
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ricardo - - - Vallarino - - - 507 66737171 - - - ricardovallarino@hotmail.com - - - - - - - - - Panama - - - 5inco Panama - - - 8530 NW 72ND ST - - - 249.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire New Zealand -
Auckland New Zealand The Kingslander 470 New North Road
- President Last Name: Chand
Phone Number: 6493015128
Email Address: karam.chand@asb.co.nz
City: Auckland
State:
Country: New Zealand
Venue: The Kingslander
Venue Location: 470 New North Road
Total Fans: 15
Website:
Facebook: https://www.facebook.com/#!/groups/212472585456813/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Karam - - - Chand - - - 6493015128 - - - karam.chand@asb.co.nz - - - Auckland - - - - - - New Zealand - - - The Kingslander - - - 470 New North Road - - - 15.0 - - - - - - https://www.facebook.com/#!/groups/212472585456813/ - - - - - - - - - - - - - - - - - -
- - 49er Fans-Tonga -
- President Last Name: Taumoepeau
Phone Number: 6768804977
Email Address: nusi.taumoepeau@gmail.com
City: Nuku'alofa
State:
Country: Tonga
Venue: Tali'eva Bar
Venue Location: 14 Taufa'ahau Rd
Total Fans: 8
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Nusi - - - Taumoepeau - - - 6768804977 - - - nusi.taumoepeau@gmail.com - - - - - - - - - Tonga - - - - - - - - - 8.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Faithful UK -
Greater Manchester United Kingdom the green Ducie street Manchester Greater Manchester Lancashire m1 United Kingdom
- President Last Name: Palmer
Phone Number: 7857047023
Email Address: 49erfaithfuluk@gmail.com
City: Greater Manchester
State:
Country: United Kingdom
Venue: the green
Venue Location: Ducie street Manchester Greater Manchester Lancashire m1 United Kingdom
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Mike - - - Palmer - - - 7857047023 - - - 49erfaithfuluk@gmail.com - - - Greater Manchester - - - - - - United Kingdom - - - the green - - - Ducie street Manchester Greater Manchester Lancashire m1 United Kingdom - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Faithful UK -
- President Last Name: Gowland
Phone Number: 7506116581
Email Address: contact@49erfaithfuluk.co.uk
City: Newcastle
State:
Country: United Kingdom
Venue: Grosvenor Casino
Venue Location: 100 St James' Blvd Newcastle Tyne & Wear CA 95054 United Kingdom
Total Fans: 3000
Website: www.49erfaithfuluk.co.uk
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Lee - - - Gowland - - - 7506116581 - - - contact@49erfaithfuluk.co.uk - - - Newcastle - - - - - - United Kingdom - - - Grosvenor Casino - - - - - - 3000.0 - - - www.49erfaithfuluk.co.uk - - - - - - - - - - - - - - - - - - - - -
- - 49ers of United Kingdom -
London United Kingdom The Sports Cafe 80 Haymarket London SW1Y 4TE United Kingdom
- President Last Name: Malik
Phone Number: 8774734977
Email Address: naumalik@gmail.com
City: London
State:
Country: United Kingdom
Venue: The Sports Cafe
Venue Location: 80 Haymarket London SW1Y 4TE United Kingdom
Total Fans: 8
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Nauman - - - Malik - - - 8774734977 - - - naumalik@gmail.com - - - London - - - - - - United Kingdom - - - The Sports Cafe - - - 80 Haymarket London SW1Y 4TE United Kingdom - - - 8.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire UK -
Manchester United Kingdom The Green Bridge House 26 Ducie Street, Manchester, Manchester M1 2dq United Kingdom
- President Last Name: Palmer
Phone Number: 1616553629
Email Address: ninerempireuk@gmail.com
City: Manchester
State:
Country: United Kingdom
Venue: The Green
Venue Location: Bridge House 26 Ducie Street, Manchester, Manchester M1 2dq United Kingdom
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Mike - - - Palmer - - - 1616553629 - - - ninerempireuk@gmail.com - - - Manchester - - - - - - United Kingdom - - - The Green - - - Bridge House 26 Ducie Street, Manchester, Manchester M1 2dq United Kingdom - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - San Francisco 49er Fans of Charleston, SC -
Charleston SC United States Recovery Room Tavern 685 King St
- President Last Name: Johnson
Phone Number: 6264841085
Email Address: kajohnson854@yahoo.com
City: Charleston
State: SC
Country: United States
Venue: Recovery Room Tavern
Venue Location: 685 King St
Total Fans: 12
Website:
Facebook: https://www.facebook.com/profile.php?id=100095655455065
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Kurtis - - - Johnson - - - 6264841085 - - - kajohnson854@yahoo.com - - - Charleston - - - SC - - - United States - - - Recovery Room Tavern - - - 685 King St - - - 12.0 - - - - - - https://www.facebook.com/profile.php?id=100095655455065 - - - - - - - - - - - - - - - - - -
- - 530 Empire -
- President Last Name: Mendoza
Phone Number: 5309536097
Email Address: ninermendoza@gmail.com
City: Chico
State: Ca
Country: United States
Venue: Nash's
Venue Location: 1717 Esplanade
Total Fans: 45
Website:
Facebook:
Instagram: https://www.instagram.com/530empire?igsh=OGQ5ZDc2ODk2ZA%3D%3D&utm_source=qr
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Oscar - - - Mendoza - - - 5309536097 - - - ninermendoza@gmail.com - - - Chico - - - Ca - - - United States - - - - - - 1717 Esplanade - - - 45.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 303 Denver Chapter Niner Empire -
Aurora CO United States Moes Bbq 2727 s Parker rd
- President Last Name: Martinez
Phone Number: (720) 345-2580
Email Address: 303denverchapter@gmail.com
City: Aurora
State: CO
Country: United States
Venue: Moes Bbq
Venue Location: 2727 s Parker rd
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Andy - - - Martinez - - - (720) 345-2580 - - - 303denverchapter@gmail.com - - - Aurora - - - CO - - - United States - - - Moes Bbq - - - 2727 s Parker rd - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 40NINERS L.A. CHAPTER -
- President Last Name: DIAZ
Phone Number: 3238332262
Email Address: 40ninerslachapter@att.net
City: bell
State: ca
Country: United States
Venue: KRAZY WINGS SPORTS & GRILL
Venue Location: 7016 ATLANTIC AVE
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - JOSE - - - DIAZ - - - 3238332262 - - - 40ninerslachapter@att.net - - - bell - - - ca - - - United States - - - - - - 7016 ATLANTIC AVE - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 434 Virginia Niner Empire -
Danville VA United States Kickbacks Jacks 140 Crown Dr
- President Last Name: Hunt
Phone Number: (434) 441-1187
Email Address: 434vaninerempire@gmail.com
City: Danville
State: VA
Country: United States
Venue: Kickbacks Jacks
Venue Location: 140 Crown Dr
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Thomas - - - Hunt - - - (434) 441-1187 - - - 434vaninerempire@gmail.com - - - Danville - - - VA - - - United States - - - Kickbacks Jacks - - - 140 Crown Dr - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 480 Gilbert Niner Empire LLC -
Gilbert AZ United States The Brass Tap 313 n Gilbert rd
- President Last Name: OLIVARES
Phone Number: (925) 457-6175
Email Address: 480ninerempire@gmail.com
City: Gilbert
State: AZ
Country: United States
Venue: The Brass Tap
Venue Location: 313 n Gilbert rd
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Betty - - - OLIVARES - - - (925) 457-6175 - - - 480ninerempire@gmail.com - - - Gilbert - - - AZ - - - United States - - - The Brass Tap - - - 313 n Gilbert rd - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Midwest Empire -
Evansville IN United States Hooters (Evansville) 2112 Bremmerton Dr
- President Last Name: Bonnell
Phone Number: 8126048419
Email Address: 49er4life05@gmail.com
City: Evansville
State: IN
Country: United States
Venue: Hooters (Evansville)
Venue Location: 2112 Bremmerton Dr
Total Fans: 6
Website:
Facebook: https://www.facebook.com/share/5KGRDSPtyHgFYRSP/?mibextid=K35XfP
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Travis - - - Bonnell - - - 8126048419 - - - 49er4life05@gmail.com - - - Evansville - - - IN - - - United States - - - Hooters (Evansville) - - - 2112 Bremmerton Dr - - - 6.0 - - - - - - https://www.facebook.com/share/5KGRDSPtyHgFYRSP/?mibextid=K35XfP - - - - - - - - - - - - - - - - - -
- - 49er Booster Club of Vacaville -
Vacaville CA United States Blondies Bar and Grill 555 Main Street
- President Last Name: Ojeda
Phone Number: 7075921442
Email Address: 49erboostervacaville@gmail.com
City: Vacaville
State: CA
Country: United States
Venue: Blondies Bar and Grill
Venue Location: 555 Main Street
Total Fans: 75
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Josh - - - Ojeda - - - 7075921442 - - - 49erboostervacaville@gmail.com - - - Vacaville - - - CA - - - United States - - - Blondies Bar and Grill - - - 555 Main Street - - - 75.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Empire High Desert -
Hesperia California United States Whiskey Barrel 12055 Mariposa Rd.
- President Last Name: Hilliard
Phone Number: 7602655202
Email Address: 49erempirehighdesert@gmail.com
City: Hesperia
State: California
Country: United States
Venue: Whiskey Barrel
Venue Location: 12055 Mariposa Rd.
Total Fans: 89
Website:
Facebook: https://www.facebook.com/groups/49erEmpireHighDesertChapter/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - TJ - - - Hilliard - - - 7602655202 - - - 49erempirehighdesert@gmail.com - - - Hesperia - - - California - - - United States - - - Whiskey Barrel - - - 12055 Mariposa Rd. - - - 89.0 - - - - - - https://www.facebook.com/groups/49erEmpireHighDesertChapter/ - - - - - - - - - - - - - - - - - -
- - Cool 49er Booster Club -
Cool CA United States The Cool Beerworks 5020 Ellinghouse Dr Suite H
- President Last Name: Jones
Phone Number: 5308239740
Email Address: 49erpaul@comcast.net
City: Cool
State: CA
Country: United States
Venue: The Cool Beerworks
Venue Location: 5020 Ellinghouse Dr Suite H
Total Fans: 59
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Paul - - - Jones - - - 5308239740 - - - 49erpaul@comcast.net - - - Cool - - - CA - - - United States - - - The Cool Beerworks - - - 5020 Ellinghouse Dr Suite H - - - 59.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ersBeachCitiesSoCal -
Hermosa Beach CA United States American Junkie Sky Light Bar American Junkie
- President Last Name: Mitchell
Phone Number: 8183269651
Email Address: 49ersbeachcitiessocal@gmail.com
City: Hermosa Beach
State: CA
Country: United States
Venue: American Junkie Sky Light Bar
Venue Location: American Junkie
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Rick - - - Mitchell - - - 8183269651 - - - 49ersbeachcitiessocal@gmail.com - - - Hermosa Beach - - - CA - - - United States - - - American Junkie Sky Light Bar - - - American Junkie - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Denver Empire -
- President Last Name: Alaniz
Phone Number: 7202278251
Email Address: 49ersDenverEmpire@gmail.com
City: Aurora
State: Co
Country: United States
Venue: Moe's Original BBQ Aurora
Venue Location: 2727 S Parker Rd
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Miguel - - - Alaniz - - - 7202278251 - - - 49ersDenverEmpire@gmail.com - - - Aurora - - - Co - - - United States - - - - - - 2727 S Parker Rd - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Forever Faithfuls -
- President Last Name: Yelloweyes-Ripoyla
Phone Number: 3605679487
Email Address: 49ersforeverfaithfuls@gmail.com
City: Vancouver
State: Wa
Country: United States
Venue: Hooligan's sports bar and grill
Venue Location: 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Wayne - - - Yelloweyes-Ripoyla - - - 3605679487 - - - 49ersforeverfaithfuls@gmail.com - - - Vancouver - - - Wa - - - United States - - - - - - 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662 - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - South Texas 49ers Chapter -
Harlingen TX United States Wing barn 412 sunny side ln
- President Last Name: Torres
Phone Number: 9566600391
Email Address: 49erslakersfaithful@gmail.com
City: Harlingen
State: TX
Country: United States
Venue: Wing barn
Venue Location: 412 sunny side ln
Total Fans: 350
Website:
Facebook: https://www.facebook.com/groups/2815298045413319/?ref=share
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Patty - - - Torres - - - 9566600391 - - - 49erslakersfaithful@gmail.com - - - Harlingen - - - TX - - - United States - - - Wing barn - - - 412 sunny side ln - - - 350.0 - - - - - - https://www.facebook.com/groups/2815298045413319/?ref=share - - - - - - - - - - - - - - - - - -
- - 49ers Los Angeles -
- President Last Name: Cheung
Phone Number: 3109547822
Email Address: 49ersLosAngeles@gmail.com
City: Hollywood
State: CA
Country: United States
Venue: Dave & Buster's Hollywood
Venue Location: 6801 Hollywood Blvd.
Total Fans: 27
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jeff - - - Cheung - - - 3109547822 - - - 49ersLosAngeles@gmail.com - - - Hollywood - - - CA - - - United States - - - - - - 6801 Hollywood Blvd. - - - 27.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers United Of Frisco TX -
Frisco TX United States The Frisco Bar and Grill 6750 Gaylord Pkwy
- President Last Name: Murillo
Phone Number: 3234765148
Email Address: 49ersunitedoffriscotx@gmail.com
City: Frisco
State: TX
Country: United States
Venue: The Frisco Bar and Grill
Venue Location: 6750 Gaylord Pkwy
Total Fans: 1020
Website:
Facebook: https://www.facebook.com/groups/49ersunitedoffriscotx/?ref=share&mibextid=hubsqH
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Frank - - - Murillo - - - 3234765148 - - - 49ersunitedoffriscotx@gmail.com - - - Frisco - - - TX - - - United States - - - The Frisco Bar and Grill - - - 6750 Gaylord Pkwy - - - 1020.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 619ers San Diego Niner Empire -
- President Last Name: Pino
Phone Number: 6193151122
Email Address: 619erssandiego@gmail.com
City: San Diego
State: California
Country: United States
Venue: Bridges Bar & Grill
Venue Location: 4800 Art Street
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ana - - - Pino - - - 6193151122 - - - 619erssandiego@gmail.com - - - San Diego - - - California - - - United States - - - - - - 4800 Art Street - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
City of Industry California United States Hacienda Heights Pizza Co. 15239 E Gale Ave
- President Last Name: C. De La Fuente
Phone Number: 6266742121
Email Address: 626faithfulchapter@gmail.com
City: City of Industry
State: California
Country: United States
Venue: Hacienda Heights Pizza Co.
Venue Location: 15239 E Gale Ave
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Isaac - - - C. De La Fuente - - - 6266742121 - - - 626faithfulchapter@gmail.com - - - City of Industry - - - California - - - United States - - - Hacienda Heights Pizza Co. - - - 15239 E Gale Ave - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire 650 Chapter -
Redwood City CA United States 5th Quarter 976 Woodside Rd
- President Last Name: Corea
Phone Number: 6507438522
Email Address: 650ninerchapter@gmail.com
City: Redwood City
State: CA
Country: United States
Venue: 5th Quarter
Venue Location: 976 Woodside Rd
Total Fans: 35
Website:
Facebook:
Instagram: http://www.instagram.com/650ninerempire
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Vanessa - - - Corea - - - 6507438522 - - - 650ninerchapter@gmail.com - - - Redwood City - - - CA - - - United States - - - 5th Quarter - - - 976 Woodside Rd - - - 35.0 - - - - - - - - - http://www.instagram.com/650ninerempire - - - - - - - - - - - - - - -
- - 714 Niner Empire -
Oxnard CA United States Bottoms Up Tavern, 2162 West Lincoln Ave, Anaheim CA 92801 3206 Lisbon Lane
- President Last Name: Hernandez
Phone Number: 6199949071
Email Address: 714ninerempire@gmail.com
City: Oxnard
State: CA
Country: United States
Venue: Bottoms Up Tavern, 2162 West Lincoln Ave, Anaheim CA 92801
Venue Location: 3206 Lisbon Lane
Total Fans: 4
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Daniel - - - Hernandez - - - 6199949071 - - - 714ninerempire@gmail.com - - - Oxnard - - - CA - - - United States - - - Bottoms Up Tavern, 2162 West Lincoln Ave, Anaheim CA 92801 - - - 3206 Lisbon Lane - - - 4.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 9er Elite Niner Empire -
- President Last Name: Mapes
Phone Number: 9513704443
Email Address: 9erelite@gmail.com
City: Lake Elsinore
State: California
Country: United States
Venue: Pin 'n' Pockets
Venue Location: 32250 Mission Trail
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Penny - - - Mapes - - - 9513704443 - - - 9erelite@gmail.com - - - Lake Elsinore - - - California - - - United States - - - - - - 32250 Mission Trail - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Az 49er Faithful -
Gilbert Az United States Fox and Hound! 1017 E Baseline Rd
- President Last Name: ""Kimi"" Daniel
Phone Number: 4806780578
Email Address: 9rzfan@gmail.com
City: Gilbert
State: Az
Country: United States
Venue: Fox and Hound!
Venue Location: 1017 E Baseline Rd
Total Fans: 58
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Kimberly - - - - - - 4806780578 - - - 9rzfan@gmail.com - - - Gilbert - - - Az - - - United States - - - Fox and Hound! - - - 1017 E Baseline Rd - - - 58.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niners Winers -
Forestville Ca United States Bars and wineries in sonoma and napa counties River road
- President Last Name: Early
Phone Number: 7078896983
Email Address: a.m.early@icloud.com
City: Forestville
State: Ca
Country: United States
Venue: Bars and wineries in sonoma and napa counties
Venue Location: River road
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - A.m. - - - Early - - - 7078896983 - - - a.m.early@icloud.com - - - Forestville - - - Ca - - - United States - - - Bars and wineries in sonoma and napa counties - - - River road - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - a_49er fan -
wylie texas United States Wylie 922 cedar creek dr.
- President Last Name: Barba
Phone Number: 2144897300
Email Address: a_49erfan@aol.com
City: wylie
State: texas
Country: United States
Venue: Wylie
Venue Location: 922 cedar creek dr.
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Angel - - - Barba - - - 2144897300 - - - a_49erfan@aol.com - - - wylie - - - texas - - - United States - - - Wylie - - - 922 cedar creek dr. - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Marin -
- President Last Name: Clark
Phone Number: 4153206471
Email Address: aaron.clark@ninerempiremarin.com
City: Novato
State: CA
Country: United States
Venue: Moylan's Brewery & Restaurant
Venue Location: 15 Rowland Way
Total Fans: 13
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Aaron - - - Clark - - - 4153206471 - - - aaron.clark@ninerempiremarin.com - - - Novato - - - CA - - - United States - - - - - - 15 Rowland Way - - - 13.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 4T9 Mob -
- President Last Name: Cruz
Phone Number: 2095344459
Email Address: ac_0779@live.com
City: Modesto
State: ca
Country: United States
Venue: Jack's pizza cafe
Venue Location: 2001 Mchenry ave
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Angel - - - Cruz - - - 2095344459 - - - ac_0779@live.com - - - Modesto - - - ca - - - United States - - - - - - 2001 Mchenry ave - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - North Eastern Pennsyvania chapter -
Larksville PA United States Zlo joes sports bar 234 Nesbitt St
- President Last Name: Simon
Phone Number: 5708529383
Email Address: acuraman235@yahoo.com
City: Larksville
State: PA
Country: United States
Venue: Zlo joes sports bar
Venue Location: 234 Nesbitt St
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Benjamin - - - Simon - - - 5708529383 - - - acuraman235@yahoo.com - - - Larksville - - - PA - - - United States - - - Zlo joes sports bar - - - 234 Nesbitt St - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - PDX Frisco Fanatics -
- President Last Name: Hunter
Phone Number: 5039150229
Email Address: adam@oakbrew.com
City: Portland
State: Or
Country: United States
Venue: Suki's bar and Grill
Venue Location: 2401 sw 4th ave
Total Fans: 8
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Adam - - - Hunter - - - 5039150229 - - - adam@oakbrew.com - - - Portland - - - Or - - - United States - - - - - - 2401 sw 4th ave - - - 8.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The 101 Niner Empire -
Morgan Hill CA United States Huntington Station restaurant and sports pub Huntington Station restaurant and sports pub
- President Last Name: FERNANDEZ
Phone Number: (408) 981-0615
Email Address: adriannoel@mail.com
City: Morgan Hill
State: CA
Country: United States
Venue: Huntington Station restaurant and sports pub
Venue Location: Huntington Station restaurant and sports pub
Total Fans: 10
Website:
Facebook: https://www.facebook.com/THE101NINEREMPIRE/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - ANDRONICO [Adrian] - - - FERNANDEZ - - - (408) 981-0615 - - - adriannoel@mail.com - - - Morgan Hill - - - CA - - - United States - - - Huntington Station restaurant and sports pub - - - Huntington Station restaurant and sports pub - - - 10.0 - - - - - - https://www.facebook.com/THE101NINEREMPIRE/ - - - - - - - - - - - - - - - - - -
- - Faithful Tri-State Empire -
Erie PA United States Buffalo Wild Wings 2099 Interchange Rd
- President Last Name: Holguin
Phone Number: 8147901621
Email Address: AHolguinJr@gmail.com
City: Erie
State: PA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 2099 Interchange Rd
Total Fans: 10
Website:
Facebook: https://www.facebook.com/groups/1145565166387786/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Armando - - - Holguin - - - 8147901621 - - - AHolguinJr@gmail.com - - - Erie - - - PA - - - United States - - - Buffalo Wild Wings - - - 2099 Interchange Rd - - - 10.0 - - - - - - https://www.facebook.com/groups/1145565166387786/ - - - - - - - - - - - - - - - - - -
- - YUMA Faithfuls -
Yuma AZ United States Hooters 1519 S Yuma Palms Pkwy
- President Last Name: Navarro
Phone Number: 9282100493
Email Address: airnavarro@yahoo.com
City: Yuma
State: AZ
Country: United States
Venue: Hooters
Venue Location: 1519 S Yuma Palms Pkwy
Total Fans: 305
Website:
Facebook: Yuma Faithfuls (FaceBook group page)
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Steven - - - Navarro - - - 9282100493 - - - airnavarro@yahoo.com - - - Yuma - - - AZ - - - United States - - - Hooters - - - 1519 S Yuma Palms Pkwy - - - 305.0 - - - - - - Yuma Faithfuls (FaceBook group page) - - - - - - - - - - - - - - - - - -
- - 49ER EMPIRE SF Bay Area Core Chapter -
- President Last Name: Esperanza
Phone Number: 5103146643
Email Address: ajay049@yahoo.com
City: Fremont
State: california
Country: United States
Venue: Jack's Brewery
Venue Location: 39176 Argonaut Way
Total Fans: 1500
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - AJ - - - Esperanza - - - 5103146643 - - - ajay049@yahoo.com - - - Fremont - - - california - - - United States - - - - - - 39176 Argonaut Way - - - 1500.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Orlando Chapter -
Orlando FL United States Underground Public House 19 S Orange Ave
- President Last Name: Hill
Phone Number: 8506982520
Email Address: ajhill77@hotmail.com
City: Orlando
State: FL
Country: United States
Venue: Underground Public House
Venue Location: 19 S Orange Ave
Total Fans: 50
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Aaron - - - Hill - - - 8506982520 - - - ajhill77@hotmail.com - - - Orlando - - - FL - - - United States - - - Underground Public House - - - 19 S Orange Ave - - - 50.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Artillery Empire -
- President Last Name: DeLeon/Ervin
Phone Number: 5805913565
Email Address: al1c1a3@aol.com
City: 517 E Gore Blvd
State: OK
Country: United States
Venue: Sweet Play/ Mike's Sports Grill
Venue Location: 2610 Sw Lee Blvd Suite 3 / 517 E Gore Blvd
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Alicia/Airieus - - - DeLeon/Ervin - - - 5805913565 - - - al1c1a3@aol.com - - - 517 E Gore Blvd - - - OK - - - United States - - - - - - 2610 Sw Lee Blvd Suite 3 / 517 E Gore Blvd - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 510 Empire -
- President Last Name: Banks
Phone Number: 5104993415
Email Address: alexjacobbanks@gmail.com
City: Alameda
State: CA
Country: United States
Venue: McGee's Bar and Grill
Venue Location: 1645 Park ST
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Alex - - - Banks - - - 5104993415 - - - alexjacobbanks@gmail.com - - - Alameda - - - CA - - - United States - - - - - - 1645 Park ST - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Garlic City Faithful -
Gilroy CA United States Straw Hat Pizza 1053 1st Street
- President Last Name: Momeni
Phone Number: 5105082055
Email Address: amomeni34@gmail.com
City: Gilroy
State: CA
Country: United States
Venue: Straw Hat Pizza
Venue Location: 1053 1st Street
Total Fans: 3
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Abdul - - - Momeni - - - 5105082055 - - - amomeni34@gmail.com - - - Gilroy - - - CA - - - United States - - - Straw Hat Pizza - - - 1053 1st Street - - - 3.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Faithful to the Bay -
Merced CA United States Home Mountain mikes pizza
- President Last Name: Alvarez
Phone Number: 2092918080
Email Address: angel.jalvarez0914@gmail.com
City: Merced
State: CA
Country: United States
Venue: Home
Venue Location: Mountain mikes pizza
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Angel - - - Alvarez - - - 2092918080 - - - angel.jalvarez0914@gmail.com - - - Merced - - - CA - - - United States - - - Home - - - Mountain mikes pizza - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
- President Last Name: Grijalva
Phone Number: 5627391639
Email Address: angelgrijalva4949@gmail.com
City: Buena park
State: CA
Country: United States
Venue: Ciro's pizza
Venue Location: 6969 la Palma Ave
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Angel - - - Grijalva - - - 5627391639 - - - angelgrijalva4949@gmail.com - - - Buena park - - - CA - - - United States - - - - - - 6969 la Palma Ave - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 408 Faithfuls -
- President Last Name: Arevalo
Phone Number: 408-209-1677
Email Address: angelina.arevalo@yahoo.com
City: Milpitas
State: CA
Country: United States
Venue: Big Al's Silicon Valley
Venue Location: 27 Ranch Drive
Total Fans: 50
Website:
Facebook: IG- @408faithfuls
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Angelina - - - Arevalo - - - 408-209-1677 - - - angelina.arevalo@yahoo.com - - - Milpitas - - - CA - - - United States - - - - - - 27 Ranch Drive - - - 50.0 - - - - - - IG- @408faithfuls - - - - - - - - - - - - - - - - - -
- - 415 chapter -
san francisco California United States 49er Faithful house 2090 Bryant street
- President Last Name: Hernandez
Phone Number: 6507841235
Email Address: angeloh650@gmail.com
City: san francisco
State: California
Country: United States
Venue: 49er Faithful house
Venue Location: 2090 Bryant street
Total Fans: 200
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Angelo - - - Hernandez - - - 6507841235 - - - angeloh650@gmail.com - - - san francisco - - - California - - - United States - - - 49er Faithful house - - - 2090 Bryant street - - - 200.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - HairWorks -
Denver Co United States Hair Works 2201 Lafayette at
- President Last Name:
Phone Number: 3038641585
Email Address: anniewallace6666@gmail.com
City: Denver
State: Co
Country: United States
Venue: Hair Works
Venue Location: 2201 Lafayette at
Total Fans: 1
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Annie - - - - - - 3038641585 - - - anniewallace6666@gmail.com - - - Denver - - - Co - - - United States - - - Hair Works - - - 2201 Lafayette at - - - 1.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Room The Next Generation Of Faithfuls -
Tlalnepantla de Baz CA United States Buffalo Wild Wings Mindo E Blvd. Manuel Avila Camacho 1007
- President Last Name: Caballero
Phone Number: (925) 481-0343
Email Address: Anthonycaballero49@gmail.com
City: Tlalnepantla de Baz
State: CA
Country: United States
Venue: Buffalo Wild Wings Mindo E
Venue Location: Blvd. Manuel Avila Camacho 1007
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Antonio - - - Caballero - - - (925) 481-0343 - - - Anthonycaballero49@gmail.com - - - Tlalnepantla de Baz - - - CA - - - United States - - - Buffalo Wild Wings Mindo E - - - Blvd. Manuel Avila Camacho 1007 - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire 209 Modesto Chapter -
Modesto CA United States Rivets American Grill 2307 Oakdale Rd
- President Last Name: Marin
Phone Number: 2098182020
Email Address: apolinarmarin209@gmail.com
City: Modesto
State: CA
Country: United States
Venue: Rivets American Grill
Venue Location: 2307 Oakdale Rd
Total Fans: 50
Website:
Facebook: https://www.facebook.com/niner.ninjas?ref=bookmarks
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Paul - - - Marin - - - 2098182020 - - - apolinarmarin209@gmail.com - - - Modesto - - - CA - - - United States - - - Rivets American Grill - - - 2307 Oakdale Rd - - - 50.0 - - - - - - https://www.facebook.com/niner.ninjas?ref=bookmarks - - - - - - - - - - - - - - - - - -
- - Lady Niners of Washington -
Auburn Wa United States Sports Page 2802 Auburn Way N
- President Last Name: Costello
Phone Number: 2539616009
Email Address: aprilrichardson24@hotmail.com
City: Auburn
State: Wa
Country: United States
Venue: Sports Page
Venue Location: 2802 Auburn Way N
Total Fans: 13
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - April - - - Costello - - - 2539616009 - - - aprilrichardson24@hotmail.com - - - Auburn - - - Wa - - - United States - - - Sports Page - - - 2802 Auburn Way N - - - 13.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - AZ 49ER EMPIRE -
Phoenix AZ United States The Native New Yorker (Ahwatukee) 5030 E Ray Rd.
- President Last Name: MARTINEZ
Phone Number: 4803290483
Email Address: az49erempire@gmail.com
City: Phoenix
State: AZ
Country: United States
Venue: The Native New Yorker (Ahwatukee)
Venue Location: 5030 E Ray Rd.
Total Fans: 130
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - GARY - - - MARTINEZ - - - 4803290483 - - - az49erempire@gmail.com - - - Phoenix - - - AZ - - - United States - - - The Native New Yorker (Ahwatukee) - - - 5030 E Ray Rd. - - - 130.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Bulls Eye Bar 49ers -
Montclair California United States Black Angus Montclair California 9415 Monte Vista Ave.
- President Last Name: M. Macias
Phone Number: 9096214821
Email Address: BA1057@blackangus.com
City: Montclair
State: California
Country: United States
Venue: Black Angus Montclair California
Venue Location: 9415 Monte Vista Ave.
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Armando - - - M. Macias - - - 9096214821 - - - BA1057@blackangus.com - - - Montclair - - - California - - - United States - - - Black Angus Montclair California - - - 9415 Monte Vista Ave. - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NoVa Tru9er Empire -
- President Last Name: balthrop
Phone Number: 5404245114
Email Address: balthrop007@gmail.com
City: Woodbridge
State: va
Country: United States
Venue: Morgan's sports bar & lounge
Venue Location: 3081 galansky blvd
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jay - - - balthrop - - - 5404245114 - - - balthrop007@gmail.com - - - Woodbridge - - - va - - - United States - - - - - - 3081 galansky blvd - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire 951 Faithfuls -
- President Last Name: Betancourt
Phone Number: (951) 691-6631
Email Address: betancourtsgb@gmail.com
City: Hemet
State: CA
Country: United States
Venue: George's Pizza 2920 E. Florida Ave. Hemet, Ca.
Venue Location: 2920 E. Florida Ave.
Total Fans: 30
Website:
Facebook: https://www.facebook.com/951Faithfuls/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Samuel - - - Betancourt - - - (951) 691-6631 - - - betancourtsgb@gmail.com - - - Hemet - - - CA - - - United States - - - - - - 2920 E. Florida Ave. - - - 30.0 - - - - - - https://www.facebook.com/951Faithfuls/ - - - - - - - - - - - - - - - - - -
- - Spartan Niner Empire Texas -
- President Last Name: Corralejo
Phone Number: 8174956499
Email Address: biga005@gmail.com
City: Arlington
State: TX
Country: United States
Venue: Bombshells Restaurant & Bar
Venue Location: 701 N. Watson Rd.
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Adreana - - - Corralejo - - - 8174956499 - - - biga005@gmail.com - - - Arlington - - - TX - - - United States - - - - - - 701 N. Watson Rd. - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - THEE EMPIRE FAITHFUL LOS ANGELES COUNTY -
Los Angeles CA United States Home 1422 Saybrook Ave
- President Last Name: Guerrero II
Phone Number: 3234720160
Email Address: bigd2375@yahoo.com
City: Los Angeles
State: CA
Country: United States
Venue: Home
Venue Location: 1422 Saybrook Ave
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Dennis - - - Guerrero II - - - 3234720160 - - - bigd2375@yahoo.com - - - Los Angeles - - - CA - - - United States - - - Home - - - 1422 Saybrook Ave - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Richmond 510 Chapter -
San Pablo Ca United States Noya Lounge 14350 Laurie Lane
- President Last Name: Watkins
Phone Number: 5103756841
Email Address: bigdave510@gmail.com
City: San Pablo
State: Ca
Country: United States
Venue: Noya Lounge
Venue Location: 14350 Laurie Lane
Total Fans: 50
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - David - - - Watkins - - - 5103756841 - - - bigdave510@gmail.com - - - San Pablo - - - Ca - - - United States - - - Noya Lounge - - - 14350 Laurie Lane - - - 50.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Thee Empire Faithful The Bay Area -
- President Last Name: Caballero
Phone Number: 9254810343
Email Address: biggant23@gmail.com
City: Oakley
State: Ca
Country: United States
Venue: Sabrina's Pizzeria
Venue Location: 2587 Main St
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ant - - - Caballero - - - 9254810343 - - - biggant23@gmail.com - - - Oakley - - - Ca - - - United States - - - - - - 2587 Main St - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Mid Atlantic Niner Empire Chapter -
Mechanicsville Va United States The Ville 7526 Mechanicsville Turnpike
- President Last Name: Tyree
Phone Number: 8049013890
Email Address: BigJ80@msn.com
City: Mechanicsville
State: Va
Country: United States
Venue: The Ville
Venue Location: 7526 Mechanicsville Turnpike
Total Fans: 10
Website:
Facebook: https://www.facebook.com/#!/groups/290644124347980/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jacob - - - Tyree - - - 8049013890 - - - BigJ80@msn.com - - - Mechanicsville - - - Va - - - United States - - - The Ville - - - 7526 Mechanicsville Turnpike - - - 10.0 - - - - - - https://www.facebook.com/#!/groups/290644124347980/ - - - - - - - - - - - - - - - - - -
- - Big Sky SF 49ers -
Billings MT United States Old Chicago - Billings 920 S 24th Street W
- President Last Name: Poor Bear
Phone Number: 6058683729
Email Address: bigsky49ers@gmail.com
City: Billings
State: MT
Country: United States
Venue: Old Chicago - Billings
Venue Location: 920 S 24th Street W
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jo - - - Poor Bear - - - 6058683729 - - - bigsky49ers@gmail.com - - - Billings - - - MT - - - United States - - - Old Chicago - Billings - - - 920 S 24th Street W - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Hawaii Niner Empire -
Waipahu HI United States The Hale 94-983 kahuailani st
- President Last Name: Kerston
Phone Number: 808-387-7075
Email Address: bjkk808@yahoo.com
City: Waipahu
State: HI
Country: United States
Venue: The Hale
Venue Location: 94-983 kahuailani st
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Bryson - - - Kerston - - - 808-387-7075 - - - bjkk808@yahoo.com - - - Waipahu - - - HI - - - United States - - - The Hale - - - 94-983 kahuailani st - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Porterville Cen Cal 559 -
- President Last Name: ""bo"" Ortiz or Patricia Sanchez
Phone Number: 5597896991
Email Address: boliviaortiz@hotmail.com
City: Porterville
State: Ca
Country: United States
Venue: Pizza Factory/ Local Bar & Grill
Venue Location: 897 W. Henderson
Total Fans: 34
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Olivia - - - - - - 5597896991 - - - boliviaortiz@hotmail.com - - - Porterville - - - Ca - - - United States - - - - - - 897 W. Henderson - - - 34.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - W.MA CHAPTER NINER EMPIRE -
CHICOPEE MA United States MAXIMUM CAPACITY 116 SCHOOL ST
- President Last Name: OSORIO
Phone Number: 4132734010
Email Address: BOSORIO2005@YAHOO.COM
City: CHICOPEE
State: MA
Country: United States
Venue: MAXIMUM CAPACITY
Venue Location: 116 SCHOOL ST
Total Fans: 36
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - BECKY - - - OSORIO - - - 4132734010 - - - BOSORIO2005@YAHOO.COM - - - CHICOPEE - - - MA - - - United States - - - MAXIMUM CAPACITY - - - 116 SCHOOL ST - - - 36.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Hampton Roads Niner Empire (Southside Chapter) -
Norfolk VA United States Azalea Inn / Timeout Sports Bar Azalea Inn / Timeout Sports Bar
- President Last Name: Gaskins
Phone Number: (757) 708-0662
Email Address: braq2010@gmail.com
City: Norfolk
State: VA
Country: United States
Venue: Azalea Inn / Timeout Sports Bar
Venue Location: Azalea Inn / Timeout Sports Bar
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Braxton - - - Gaskins - - - (757) 708-0662 - - - braq2010@gmail.com - - - Norfolk - - - VA - - - United States - - - Azalea Inn / Timeout Sports Bar - - - Azalea Inn / Timeout Sports Bar - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Central Valley Niners -
Visalia Ca United States Pizza factory 3121 w noble
- President Last Name: moreno
Phone Number: 5598042288
Email Address: brittsdad319@yahoo.com
City: Visalia
State: Ca
Country: United States
Venue: Pizza factory
Venue Location: 3121 w noble
Total Fans: 35
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jesse - - - moreno - - - 5598042288 - - - brittsdad319@yahoo.com - - - Visalia - - - Ca - - - United States - - - Pizza factory - - - 3121 w noble - - - 35.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Knights -
Ewing Twp NJ United States Game Room of River Edge Apts 1009 Country Lane
- President Last Name: Teel
Phone Number: 6094038767
Email Address: bryan_teel2002@yahoo.com
City: Ewing Twp
State: NJ
Country: United States
Venue: Game Room of River Edge Apts
Venue Location: 1009 Country Lane
Total Fans: 35
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Bryan - - - Teel - - - 6094038767 - - - bryan_teel2002@yahoo.com - - - Ewing Twp - - - NJ - - - United States - - - Game Room of River Edge Apts - - - 1009 Country Lane - - - 35.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Lone Star Niner Empire -
Houston TX United States Post oak ice house 5610 Richmond Ave.
- President Last Name: Martinez
Phone Number: 3463344898
Email Address: Buttercup2218@hotmail.com
City: Houston
State: TX
Country: United States
Venue: Post oak ice house
Venue Location: 5610 Richmond Ave.
Total Fans: 33
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Myrna - - - Martinez - - - 3463344898 - - - Buttercup2218@hotmail.com - - - Houston - - - TX - - - United States - - - Post oak ice house - - - 5610 Richmond Ave. - - - 33.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Hawaii Faithfuls -
- President Last Name: Buzon
Phone Number: 8082657452
Email Address: buzon.rey@gmail.com
City: Honolulu
State: HI
Country: United States
Venue: Champions Bar & Grill
Venue Location: 1108 Keeaumoku Street
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Rey - - - Buzon - - - 8082657452 - - - buzon.rey@gmail.com - - - Honolulu - - - HI - - - United States - - - - - - 1108 Keeaumoku Street - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Faithful of Murrieta -
- President Last Name: Hancock
Phone Number: 9099571468
Email Address: cammck@verizon.net
City: Murrieta
State: CA
Country: United States
Venue: Sidelines Bar & Grill
Venue Location: 24910 Washington Ave
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Colleen - - - Hancock - - - 9099571468 - - - cammck@verizon.net - - - Murrieta - - - CA - - - United States - - - - - - 24910 Washington Ave - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Capitol City 49ers -
- President Last Name: Medina
Phone Number: 9168221256
Email Address: capitolcityshowstoppersee@gmail.com
City: Sacramento
State: CA
Country: United States
Venue: Tom's Watch Bar DOCO
Venue Location: Tom's Watch Bar 414 K St suite 180
Total Fans: 1300
Website:
Facebook: https://www.facebook.com/groups/1226671178132767/?ref=share
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Erica - - - Medina - - - 9168221256 - - - capitolcityshowstoppersee@gmail.com - - - Sacramento - - - CA - - - United States - - - - - - - - - 1300.0 - - - - - - https://www.facebook.com/groups/1226671178132767/?ref=share - - - - - - - - - - - - - - - - - -
- - Huntington Beach Faithfuls -
Huntington Beach CA United States BEACHFRONT 301 301 Main St. Suite 101
- President Last Name: Pizarro
Phone Number: 3103496959
Email Address: carlos@beachfront301.com
City: Huntington Beach
State: CA
Country: United States
Venue: BEACHFRONT 301
Venue Location: 301 Main St. Suite 101
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Carlos - - - Pizarro - - - 3103496959 - - - carlos@beachfront301.com - - - Huntington Beach - - - CA - - - United States - - - BEACHFRONT 301 - - - 301 Main St. Suite 101 - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Saltillo -
Saltillo TX United States Cadillac Bar Cadillac Saltillo Bar
- President Last Name: Carrizales
Phone Number: (210) 375-6746
Email Address: carrizalez21@yahoo.com.mx
City: Saltillo
State: TX
Country: United States
Venue: Cadillac Bar
Venue Location: Cadillac Saltillo Bar
Total Fans: 116
Website:
Facebook: Club 49ers Saltillo @ Facebook
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Carlos - - - Carrizales - - - (210) 375-6746 - - - carrizalez21@yahoo.com.mx - - - Saltillo - - - TX - - - United States - - - Cadillac Bar - - - Cadillac Saltillo Bar - - - 116.0 - - - - - - Club 49ers Saltillo @ Facebook - - - - - - - - - - - - - - - - - -
- - -
- President Last Name: Rosenthal
Phone Number: 9035527931
Email Address: carterrosenthal@gmail.com
City: Memphis
State: TN
Country: United States
Venue: Mr. P's Sports Bar Hacks Cross Rd.
Venue Location: 3284 Hacks Cross Road
Total Fans: 103
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - CM - - - Rosenthal - - - 9035527931 - - - carterrosenthal@gmail.com - - - Memphis - - - TN - - - United States - - - - - - 3284 Hacks Cross Road - - - 103.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers faithful -
KEYES CA United States Mt mikes ceres ca 4618 Blanca Ct
- President Last Name: Castillo
Phone Number: 12093462496
Email Address: castillonicki62@yahoo.com
City: KEYES
State: CA
Country: United States
Venue: Mt mikes ceres ca
Venue Location: 4618 Blanca Ct
Total Fans: 8
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ray - - - Castillo - - - 12093462496 - - - castillonicki62@yahoo.com - - - KEYES - - - CA - - - United States - - - Mt mikes ceres ca - - - 4618 Blanca Ct - - - 8.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Ladies Of The Empire -
Manteca Ca United States Central Valley and Bay Area 1660 W. Yosemite Ave
- President Last Name: Tate
Phone Number: 2094561796
Email Address: Cat@LadiesOfTheEmpire.com
City: Manteca
State: Ca
Country: United States
Venue: Central Valley and Bay Area
Venue Location: 1660 W. Yosemite Ave
Total Fans: 247
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Catherine - - - Tate - - - 2094561796 - - - Cat@LadiesOfTheEmpire.com - - - Manteca - - - Ca - - - United States - - - Central Valley and Bay Area - - - 1660 W. Yosemite Ave - - - 247.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Las Vegas Niner Empire 702 -
- President Last Name: villegas
Phone Number: 7027735380
Email Address: catarinocastanedajr@yahoo.com
City: Las Vegas
State: NV
Country: United States
Venue: Calico Jack's
Venue Location: 8200 W. Charleston rd
Total Fans: 300
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - blu - - - villegas - - - 7027735380 - - - catarinocastanedajr@yahoo.com - - - Las Vegas - - - NV - - - United States - - - - - - 8200 W. Charleston rd - - - 300.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Faithfuls in DC -
Washington DC United States Town Tavern 2323 18th Street NW
- President Last Name: Bailard
Phone Number: 3107487035
Email Address: catie.bailard@gmail.com
City: Washington
State: DC
Country: United States
Venue: Town Tavern
Venue Location: 2323 18th Street NW
Total Fans: 150
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Catie - - - Bailard - - - 3107487035 - - - catie.bailard@gmail.com - - - Washington - - - DC - - - United States - - - Town Tavern - - - 2323 18th Street NW - - - 150.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Booster Club of Roseville -
- President Last Name: Moats
Phone Number: 6619722639
Email Address: cecesupplies@gmail.com
City: Roseville
State: CA
Country: United States
Venue: Bunz Sports Pub & Grub
Venue Location: 311 Judah Street
Total Fans: 32
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Cece - - - Moats - - - 6619722639 - - - cecesupplies@gmail.com - - - Roseville - - - CA - - - United States - - - - - - 311 Judah Street - - - 32.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Kern County Niner Empire -
Bakersfield Ca United States Firehouse Restaurant 7701 White Lane
- President Last Name: Luna
Phone Number: 6613033911
Email Address: cellysal08@yahoo.com
City: Bakersfield
State: Ca
Country: United States
Venue: Firehouse Restaurant
Venue Location: 7701 White Lane
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Sal - - - Luna - - - 6613033911 - - - cellysal08@yahoo.com - - - Bakersfield - - - Ca - - - United States - - - Firehouse Restaurant - - - 7701 White Lane - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Central Coast Niner Empire 831 -
Salinas CA United States Buffalo Wild Wings 1988 North Main St
- President Last Name: Garcia
Phone Number: 8315126139
Email Address: centralcoastninerempire831@gmail.com
City: Salinas
State: CA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 1988 North Main St
Total Fans: 11
Website:
Facebook: Facebook.com/CentralCoastNinerEmpire831
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Rafael - - - Garcia - - - 8315126139 - - - centralcoastninerempire831@gmail.com - - - Salinas - - - CA - - - United States - - - Buffalo Wild Wings - - - 1988 North Main St - - - 11.0 - - - - - - Facebook.com/CentralCoastNinerEmpire831 - - - - - - - - - - - - - - - - - -
- - Central Coast Niner Empire 831 -
Salinas CA United States Pizza Factory 1945 Natividad Rd
- President Last Name: Garcia
Phone Number: 8315126139
Email Address: centralcoastninermepire831@gmail.com
City: Salinas
State: CA
Country: United States
Venue: Pizza Factory
Venue Location: 1945 Natividad Rd
Total Fans: 22
Website:
Facebook: Facebook.com/CentralCoastNinerEmpire831
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Rafael - - - Garcia - - - 8315126139 - - - centralcoastninermepire831@gmail.com - - - Salinas - - - CA - - - United States - - - Pizza Factory - - - 1945 Natividad Rd - - - 22.0 - - - - - - Facebook.com/CentralCoastNinerEmpire831 - - - - - - - - - - - - - - - - - -
- - Houston Niner Empire -
- President Last Name: Duarte
Phone Number: 2817509505
Email Address: cgduarte21@icloud.com
City: Houston
State: TX
Country: United States
Venue: Home Plate Bar & Grill
Venue Location: 1800 Texas Street
Total Fans: 107
Website:
Facebook: https://m.facebook.com/HoustonNinerEmpire/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Carlos - - - Duarte - - - 2817509505 - - - cgduarte21@icloud.com - - - Houston - - - TX - - - United States - - - - - - 1800 Texas Street - - - 107.0 - - - - - - https://m.facebook.com/HoustonNinerEmpire/ - - - - - - - - - - - - - - - - - -
- - Train Whistle Faithful -
Mountain View CA United States Savvy Cellar 750 W. Evelyn Avenue
- President Last Name: Gunnare
Phone Number: 4068535155
Email Address: cgunnare@hotmail.com
City: Mountain View
State: CA
Country: United States
Venue: Savvy Cellar
Venue Location: 750 W. Evelyn Avenue
Total Fans: 13
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Christopher - - - Gunnare - - - 4068535155 - - - cgunnare@hotmail.com - - - Mountain View - - - CA - - - United States - - - Savvy Cellar - - - 750 W. Evelyn Avenue - - - 13.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Corpus Christi Chapter Niner Empire -
Corpus Christi TX United States Cheers 419 Starr St.
- President Last Name: Hernandez
Phone Number: 3104659461
Email Address: champions6@gmail.com
City: Corpus Christi
State: TX
Country: United States
Venue: Cheers
Venue Location: 419 Starr St.
Total Fans: 37
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Arturo - - - Hernandez - - - 3104659461 - - - champions6@gmail.com - - - Corpus Christi - - - TX - - - United States - - - Cheers - - - 419 Starr St. - - - 37.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Dade City -
- President Last Name: Chavez
Phone Number: 3528070372
Email Address: chavpuncker82@yahoo.com
City: Dade City
State: Florida
Country: United States
Venue: Beef O Brady's Sports Bar
Venue Location: 14136 7th Street
Total Fans: 22
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Fernando - - - Chavez - - - 3528070372 - - - chavpuncker82@yahoo.com - - - Dade City - - - Florida - - - United States - - - - - - 14136 7th Street - - - 22.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Chico Faithfuls -
Chico CA United States Mountain Mikes Pizza 1722 Mangrove Ave
- President Last Name: Mendoza
Phone Number: 5309536097
Email Address: chicofaithfuls@gmail.com
City: Chico
State: CA
Country: United States
Venue: Mountain Mikes Pizza
Venue Location: 1722 Mangrove Ave
Total Fans: 32
Website:
Facebook: http://facebook.com/chicofaithfuls
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Oscar - - - Mendoza - - - 5309536097 - - - chicofaithfuls@gmail.com - - - Chico - - - CA - - - United States - - - Mountain Mikes Pizza - - - 1722 Mangrove Ave - - - 32.0 - - - - - - http://facebook.com/chicofaithfuls - - - - - - - - - - - - - - - - - -
- - Chicago Niners -
- President Last Name: Johnston
Phone Number: 8473099909
Email Address: chris@cpgrestaurants.com
City: Chicago
State: IL
Country: United States
Venue: Cheesie's Pub & Grub 958 W Belmont Ave Chicago IL 60657
Venue Location: 958 W Belmont Ave
Total Fans: 75
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Chris - - - Johnston - - - 8473099909 - - - chris@cpgrestaurants.com - - - Chicago - - - IL - - - United States - - - - - - 958 W Belmont Ave - - - 75.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire 916 Sac Town -
Sacramento CA United States El Toritos 1598 Arden blvd
- President Last Name: Amado/Anthony Moreno
Phone Number: 7076556423
Email Address: cindyram83@gmail.com
City: Sacramento
State: CA
Country: United States
Venue: El Toritos
Venue Location: 1598 Arden blvd
Total Fans: 40
Website:
Facebook: http://www.Facebook.com
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Lehi - - - Amado/Anthony Moreno - - - 7076556423 - - - cindyram83@gmail.com - - - Sacramento - - - CA - - - United States - - - El Toritos - - - 1598 Arden blvd - - - 40.0 - - - - - - http://www.Facebook.com - - - - - - - - - - - - - - - - - -
- - 49ER EMPIRE COLORADO CHAPTER -
- President Last Name: M. DUNCAN
Phone Number: 7193377546
Email Address: cmd9ers5x2000@yahoo.com
City: Colorado Springs
State: Co.
Country: United States
Venue: FOX & HOUND COLORADO SPRINGS
Venue Location: 3101 New Center Pt.
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - CHARLES - - - M. DUNCAN - - - 7193377546 - - - cmd9ers5x2000@yahoo.com - - - Colorado Springs - - - Co. - - - United States - - - - - - 3101 New Center Pt. - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers NC Triad Chapter -
- President Last Name: Miller
Phone Number: 3364512567
Email Address: cnnresources06@yahoo.com
City: Greensboro
State: NC
Country: United States
Venue: Kickback Jack's
Venue Location: 1600 Battleground Ave.
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Christopher - - - Miller - - - 3364512567 - - - cnnresources06@yahoo.com - - - Greensboro - - - NC - - - United States - - - - - - 1600 Battleground Ave. - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Central Oregon 49ers Faithful -
Redmond OR United States Redmond Oregon 495 NW 28th St
- President Last Name: Bravo
Phone Number: 4588992022
Email Address: CO49ersFaithful@gmail.com
City: Redmond
State: OR
Country: United States
Venue: Redmond Oregon
Venue Location: 495 NW 28th St
Total Fans: 1
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - George - - - Bravo - - - 4588992022 - - - CO49ersFaithful@gmail.com - - - Redmond - - - OR - - - United States - - - Redmond Oregon - - - 495 NW 28th St - - - 1.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Westside 9ers -
Carson CA United States Los Angeles 1462 E Gladwick St
- President Last Name: Shamsiddeen
Phone Number: 3108979404
Email Address: coachnai76@gmail.com
City: Carson
State: CA
Country: United States
Venue: Los Angeles
Venue Location: 1462 E Gladwick St
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Naimah - - - Shamsiddeen - - - 3108979404 - - - coachnai76@gmail.com - - - Carson - - - CA - - - United States - - - Los Angeles - - - 1462 E Gladwick St - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Illinois Chapter -
Mattoon Illinois United States residence, for now 6 Apple Drive
- President Last Name: Tuttle
Phone Number: 2173173725
Email Address: crystaltarrant@yahoo.com
City: Mattoon
State: Illinois
Country: United States
Venue: residence, for now
Venue Location: 6 Apple Drive
Total Fans: 6
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Max - - - Tuttle - - - 2173173725 - - - crystaltarrant@yahoo.com - - - Mattoon - - - Illinois - - - United States - - - residence, for now - - - 6 Apple Drive - - - 6.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Treasure Valley 49er Faithful -
Star ID United States The Beer Guys Saloon 10937 W State St
- President Last Name: Starz
Phone Number: 2089642981
Email Address: cstarman41@yahoo.com
City: Star
State: ID
Country: United States
Venue: The Beer Guys Saloon
Venue Location: 10937 W State St
Total Fans: 50
Website:
Facebook: https://www.facebook.com/TV49erFaithful/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Curt - - - Starz - - - 2089642981 - - - cstarman41@yahoo.com - - - Star - - - ID - - - United States - - - The Beer Guys Saloon - - - 10937 W State St - - - 50.0 - - - - - - https://www.facebook.com/TV49erFaithful/ - - - - - - - - - - - - - - - - - -
- - Ct faithful chapter -
stamford ct United States buffalo wild wings 208 summer st
- President Last Name: Maroney
Phone Number: 2039484616
Email Address: ct49erfaithful@gmail.com
City: stamford
State: ct
Country: United States
Venue: buffalo wild wings
Venue Location: 208 summer st
Total Fans: 33
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tim - - - Maroney - - - 2039484616 - - - ct49erfaithful@gmail.com - - - stamford - - - ct - - - United States - - - buffalo wild wings - - - 208 summer st - - - 33.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 305 FAITHFUL EMPIRE -
- President Last Name: Lizano
Phone Number: 3057780667
Email Address: damien.lizano@yahoo.com
City: Miami
State: FL
Country: United States
Venue: Walk-On's
Venue Location: 9065 SW 162nd Ave
Total Fans: 18
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Damien - - - Lizano - - - 3057780667 - - - damien.lizano@yahoo.com - - - Miami - - - FL - - - United States - - - - - - 9065 SW 162nd Ave - - - 18.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Fillmoe SF Niners Nation Chapter -
- President Last Name: Landry
Phone Number: 1415902100
Email Address: danielb.landry@yahoo.com
City: San Francisco
State: CA
Country: United States
Venue: Honey Arts Kitchen by Pinot's
Venue Location: 1861 Sutter Street
Total Fans: 16
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Daniel - - - Landry - - - 1415902100 - - - danielb.landry@yahoo.com - - - San Francisco - - - CA - - - United States - - - - - - 1861 Sutter Street - - - 16.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers So Cal Faithfuls -
Oxnard CA United States So Cal (Various locations with friends and family) 3206 Lisbon Lane
- President Last Name: Hernandez
Phone Number: 6199949071
Email Address: danielth12@yahoo.com
City: Oxnard
State: CA
Country: United States
Venue: So Cal (Various locations with friends and family)
Venue Location: 3206 Lisbon Lane
Total Fans: 4
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Daniel - - - Hernandez - - - 6199949071 - - - danielth12@yahoo.com - - - Oxnard - - - CA - - - United States - - - So Cal (Various locations with friends and family) - - - 3206 Lisbon Lane - - - 4.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire DFW -
Arlington TX United States Walk-Ons Bistreaux Walk-Ons Bistreaux
- President Last Name: Ramirez
Phone Number: (817) 675-7644
Email Address: dannyramirez@yahoo.com
City: Arlington
State: TX
Country: United States
Venue: Walk-Ons Bistreaux
Venue Location: Walk-Ons Bistreaux
Total Fans: 75
Website:
Facebook: www.facebook.com/ninerempiredfw
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Danny - - - Ramirez - - - (817) 675-7644 - - - dannyramirez@yahoo.com - - - Arlington - - - TX - - - United States - - - Walk-Ons Bistreaux - - - Walk-Ons Bistreaux - - - 75.0 - - - - - - www.facebook.com/ninerempiredfw - - - - - - - - - - - - - - - - - -
- - Duke City Faithful Niner Empire -
Albuquerque NM United States Duke City Bar And Grill 6900 Montgomery Blvd NE
- President Last Name: Roybal
Phone Number: (505) 480-6101
Email Address: dannyroybal505@gmail.com
City: Albuquerque
State: NM
Country: United States
Venue: Duke City Bar And Grill
Venue Location: 6900 Montgomery Blvd NE
Total Fans: 93
Website:
Facebook: www.facebook.com/@dukecityfaithful505
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Danny - - - Roybal - - - (505) 480-6101 - - - dannyroybal505@gmail.com - - - Albuquerque - - - NM - - - United States - - - Duke City Bar And Grill - - - 6900 Montgomery Blvd NE - - - 93.0 - - - - - - www.facebook.com/@dukecityfaithful505 - - - - - - - - - - - - - - - - - -
- - 49ers @ Champions -
Honolulu Hawaii United States Champions Bar and Grill 1108 Keeaumoku St
- President Last Name: Price
Phone Number: 8089545569
Email Address: daprice80@gmail.com
City: Honolulu
State: Hawaii
Country: United States
Venue: Champions Bar and Grill
Venue Location: 1108 Keeaumoku St
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Davis - - - Price - - - 8089545569 - - - daprice80@gmail.com - - - Honolulu - - - Hawaii - - - United States - - - Champions Bar and Grill - - - 1108 Keeaumoku St - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Natural State Niners Club -
Jonesboro AR United States Buffalo Wild Wings, Jonesboro, AR Buffalo Wild Wings
- President Last Name: Blanchett
Phone Number: 870-519-9373
Email Address: dblanchett@hotmail.com
City: Jonesboro
State: AR
Country: United States
Venue: Buffalo Wild Wings, Jonesboro, AR
Venue Location: Buffalo Wild Wings
Total Fans: 18
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Denishio - - - Blanchett - - - 870-519-9373 - - - dblanchett@hotmail.com - - - Jonesboro - - - AR - - - United States - - - Buffalo Wild Wings, Jonesboro, AR - - - Buffalo Wild Wings - - - 18.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Empire - Georgia Chapter -
- President Last Name: Register
Phone Number: 7706664527
Email Address: Deathfrolic@gmail.com
City: Marietta
State: ga
Country: United States
Venue: Dave & Busters of Marietta Georgia
Venue Location: 2215 D and B Dr SE
Total Fans: 23
Website:
Facebook: https://www.facebook.com/49erEmpireGeorgiaChapter
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Brian - - - Register - - - 7706664527 - - - Deathfrolic@gmail.com - - - Marietta - - - ga - - - United States - - - - - - 2215 D and B Dr SE - - - 23.0 - - - - - - https://www.facebook.com/49erEmpireGeorgiaChapter - - - - - - - - - - - - - - - - - -
- - San Francisco 49ers of San Diego -
San Diego CA United States Moonshine Beach Moonshine Beach Bar
- President Last Name: Hines
Phone Number: (928) 302-6266
Email Address: denisehines777@gmail.com
City: San Diego
State: CA
Country: United States
Venue: Moonshine Beach
Venue Location: Moonshine Beach Bar
Total Fans: 80
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Denise - - - Hines - - - (928) 302-6266 - - - denisehines777@gmail.com - - - San Diego - - - CA - - - United States - - - Moonshine Beach - - - Moonshine Beach Bar - - - 80.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Sonoran Desert Niner Empire -
Maricopa AZ United States Cold beers and Cheeseburgers 20350 N John Wayne pkwy
- President Last Name: Yubeta
Phone Number: 5204147239
Email Address: derek_gnt_floral@yahoo.com
City: Maricopa
State: AZ
Country: United States
Venue: Cold beers and Cheeseburgers
Venue Location: 20350 N John Wayne pkwy
Total Fans: 50
Website:
Facebook: Facebook Sonoran Desert Niner Empire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Derek - - - Yubeta - - - 5204147239 - - - derek_gnt_floral@yahoo.com - - - Maricopa - - - AZ - - - United States - - - Cold beers and Cheeseburgers - - - 20350 N John Wayne pkwy - - - 50.0 - - - - - - Facebook Sonoran Desert Niner Empire - - - - - - - - - - - - - - - - - -
- - 49ers Empire Syracuse 315 Chapter -
Syracuse NY United States Change of pace sports bar 1809 Grant Blvd
- President Last Name: Grady
Phone Number: 315-313-8105
Email Address: Dexgradyjr@gmail.com
City: Syracuse
State: NY
Country: United States
Venue: Change of pace sports bar
Venue Location: 1809 Grant Blvd
Total Fans: 233
Website:
Facebook: Facebook 49ers Empire Syracuse 315 Chapter
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Dexter - - - Grady - - - 315-313-8105 - - - Dexgradyjr@gmail.com - - - Syracuse - - - NY - - - United States - - - Change of pace sports bar - - - 1809 Grant Blvd - - - 233.0 - - - - - - Facebook 49ers Empire Syracuse 315 Chapter - - - - - - - - - - - - - - - - - -
- - Niner Empire Ventura Chapter -
Ventura CA United States El Rey Cantina El Rey Cantina
- President Last Name: Rodriguez
Phone Number: 8058901997
Email Address: diegoin805@msn.com
City: Ventura
State: CA
Country: United States
Venue: El Rey Cantina
Venue Location: El Rey Cantina
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Diego - - - Rodriguez - - - 8058901997 - - - diegoin805@msn.com - - - Ventura - - - CA - - - United States - - - El Rey Cantina - - - El Rey Cantina - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 540 Faithfuls of the Niner Empire -
Fredericksburg VA United States Home Team Grill 1109 Jefferson Davis Highway
- President Last Name: Lackey Sr
Phone Number: (717) 406-4494
Email Address: djdlack@gmail.com
City: Fredericksburg
State: VA
Country: United States
Venue: Home Team Grill
Venue Location: 1109 Jefferson Davis Highway
Total Fans: 8
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Derrick - - - Lackey Sr - - - (717) 406-4494 - - - djdlack@gmail.com - - - Fredericksburg - - - VA - - - United States - - - Home Team Grill - - - 1109 Jefferson Davis Highway - - - 8.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Ninerempire Tampafl Chapter -
- President Last Name: downer
Phone Number: 8134588746
Email Address: downer68@gmail.com
City: tampa
State: fl
Country: United States
Venue: Ducky's
Venue Location: 1719 eest Kennedy blvd
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - john - - - downer - - - 8134588746 - - - downer68@gmail.com - - - tampa - - - fl - - - United States - - - - - - 1719 eest Kennedy blvd - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Gold Diggers -
Rochester New York United States The Blossom Road Pub 196 N. Winton Rd
- President Last Name: Nye
Phone Number: 5857393739
Email Address: drewnye@me.com
City: Rochester
State: New York
Country: United States
Venue: The Blossom Road Pub
Venue Location: 196 N. Winton Rd
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Drew - - - Nye - - - 5857393739 - - - drewnye@me.com - - - Rochester - - - New York - - - United States - - - The Blossom Road Pub - - - 196 N. Winton Rd - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Waco Chapter -
Waco TX United States Salty Dog 2004 N. Valley Mills
- President Last Name: Weins
Phone Number: 2545482581
Email Address: dustinweins@gmail.com
City: Waco
State: TX
Country: United States
Venue: Salty Dog
Venue Location: 2004 N. Valley Mills
Total Fans: 36
Website:
Facebook: https://www.facebook.com/groups/Waco49ersFans/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Dustin - - - Weins - - - 2545482581 - - - dustinweins@gmail.com - - - Waco - - - TX - - - United States - - - Salty Dog - - - 2004 N. Valley Mills - - - 36.0 - - - - - - https://www.facebook.com/groups/Waco49ersFans/ - - - - - - - - - - - - - - - - - -
- - Niner Empire of Brentwood -
Brentwood CA United States Buffalo Wild Wings 6051 Lone Tree Way
- President Last Name: Geronimo
Phone Number: 9253823429
Email Address: e_geronimo@comcast.net
City: Brentwood
State: CA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 6051 Lone Tree Way
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Elvin - - - Geronimo - - - 9253823429 - - - e_geronimo@comcast.net - - - Brentwood - - - CA - - - United States - - - Buffalo Wild Wings - - - 6051 Lone Tree Way - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NinerEmpire of Lancaster, PA -
Lancaster PA United States PA Lancaster Niners Den 2917 Marietta Avenue
- President Last Name: Jiminez
Phone Number: 7173301611
Email Address: Eli@GenesisCleans.com
City: Lancaster
State: PA
Country: United States
Venue: PA Lancaster Niners Den
Venue Location: 2917 Marietta Avenue
Total Fans: 50
Website:
Facebook: https://www.facebook.com/NinerEmpireLancasterPA
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Eli - - - Jiminez - - - 7173301611 - - - Eli@GenesisCleans.com - - - Lancaster - - - PA - - - United States - - - PA Lancaster Niners Den - - - 2917 Marietta Avenue - - - 50.0 - - - - - - https://www.facebook.com/NinerEmpireLancasterPA - - - - - - - - - - - - - - - - - -
- - Empire Tejas 915- El Paso TX -
El Paso Tx United States EL Luchador Taqueria/Bar 1613 n Zaragoza
- President Last Name: & Yanet Esparza
Phone Number: 9156671234
Email Address: empiretejas915@gmail.com
City: El Paso
State: Tx
Country: United States
Venue: EL Luchador Taqueria/Bar
Venue Location: 1613 n Zaragoza
Total Fans: 28
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jr - - - - - - 9156671234 - - - empiretejas915@gmail.com - - - El Paso - - - Tx - - - United States - - - EL Luchador Taqueria/Bar - - - 1613 n Zaragoza - - - 28.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Capitol City 49ers fan club -
West Sacramento CA United States Burgers and Brew restaurant 317 3rd St
- President Last Name: medina
Phone Number: 9168221256
Email Address: Erica.medina916@gmail.com
City: West Sacramento
State: CA
Country: United States
Venue: Burgers and Brew restaurant
Venue Location: 317 3rd St
Total Fans: 80
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Erica - - - medina - - - 9168221256 - - - Erica.medina916@gmail.com - - - West Sacramento - - - CA - - - United States - - - Burgers and Brew restaurant - - - 317 3rd St - - - 80.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Golden Empire Hollywood -
Los Angeles CA United States Nova Nightclub 7046 Hollywood Blvd
- President Last Name: Todd Jr
Phone Number: 6269276427
Email Address: ernietoddjr@gmail.com
City: Los Angeles
State: CA
Country: United States
Venue: Nova Nightclub
Venue Location: 7046 Hollywood Blvd
Total Fans: 10
Website:
Facebook:
Instagram: https://www.instagram.com/goldenempire49ers/
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ernie - - - Todd Jr - - - 6269276427 - - - ernietoddjr@gmail.com - - - Los Angeles - - - CA - - - United States - - - Nova Nightclub - - - 7046 Hollywood Blvd - - - 10.0 - - - - - - - - - https://www.instagram.com/goldenempire49ers/ - - - - - - - - - - - - - - -
- - Spartan Niner Empire Denver -
Denver CO United States Downtown Denver In transition
- President Last Name: Sullivan
Phone Number: 7202714410
Email Address: esulli925@gmail.com
City: Denver
State: CO
Country: United States
Venue: Downtown Denver
Venue Location: In transition
Total Fans: 9
Website:
Facebook: Facebook: Spartans of Denver
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Esley - - - Sullivan - - - 7202714410 - - - esulli925@gmail.com - - - Denver - - - CO - - - United States - - - Downtown Denver - - - In transition - - - 9.0 - - - - - - Facebook: Spartans of Denver - - - - - - - - - - - - - - - - - -
- - 49er empire of Frisco Texas -
- President Last Name: Murillo
Phone Number: 3244765148
Email Address: f.murillo75@yahoo.com
City: Frisco
State: TX
Country: United States
Venue: The Irish Rover Pub & Restaurant
Venue Location: 8250 Gaylord Pkwy
Total Fans: 150
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Frank - - - Murillo - - - 3244765148 - - - f.murillo75@yahoo.com - - - Frisco - - - TX - - - United States - - - - - - 8250 Gaylord Pkwy - - - 150.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - FAIRFIELD CHAPTER -
- President Last Name: MCCARVER JR
Phone Number: 7079804862
Email Address: FAIRFIELDCHAPTER49@gmail.com
City: Fairfield
State: CA
Country: United States
Venue: Legends Sports Bar & Grill
Venue Location: 3990 Paradise Valley Rd
Total Fans: 24
Website:
Facebook: https://www.facebook.com/pages/NINER-Empire-Fairfield-Chapter/124164624589973
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - CHARLES - - - MCCARVER JR - - - 7079804862 - - - FAIRFIELDCHAPTER49@gmail.com - - - Fairfield - - - CA - - - United States - - - - - - 3990 Paradise Valley Rd - - - 24.0 - - - - - - https://www.facebook.com/pages/NINER-Empire-Fairfield-Chapter/124164624589973 - - - - - - - - - - - - - - - - - -
- - Shasta Niners -
Redding CA United States Shasta Niners Clubhouse 4830 Cedars Rd
- President Last Name: Rhodes
Phone Number: 5302434949
Email Address: faithful49erfootball@yahoo.com
City: Redding
State: CA
Country: United States
Venue: Shasta Niners Clubhouse
Venue Location: 4830 Cedars Rd
Total Fans: 80
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ruth - - - Rhodes - - - 5302434949 - - - faithful49erfootball@yahoo.com - - - Redding - - - CA - - - United States - - - Shasta Niners Clubhouse - - - 4830 Cedars Rd - - - 80.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINER EMPIRE FREMONT CHAPTER -
Fremont CA United States Buffalo Wild Wings 43821 Pacific Commons Blvd
- President Last Name: Urias
Phone Number: 4156021439
Email Address: fanofniners@gmail.com
City: Fremont
State: CA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 43821 Pacific Commons Blvd
Total Fans: 22
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Elmer - - - Urias - - - 4156021439 - - - fanofniners@gmail.com - - - Fremont - - - CA - - - United States - - - Buffalo Wild Wings - - - 43821 Pacific Commons Blvd - - - 22.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Fargo 49ers Faithful -
- President Last Name: Wald
Phone Number: 701-200-2001
Email Address: Fargo49ersFaithful@gmail.com
City: Fargo
State: ND
Country: United States
Venue: Herd & Horns
Venue Location: 1414 12th Ave N
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Sara - - - Wald - - - 701-200-2001 - - - Fargo49ersFaithful@gmail.com - - - Fargo - - - ND - - - United States - - - - - - 1414 12th Ave N - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ER ORIGINALS -
- President Last Name: Abbott
Phone Number: 5309022915
Email Address: flatbillog@gmail.com
City: Redding
State: CA
Country: United States
Venue: BLEACHERS Sports Bar & Grill
Venue Location: 2167 Hilltop Drive
Total Fans: 50
Website:
Facebook: http://www.facebook.com/49ERORIGINALS
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Noah - - - Abbott - - - 5309022915 - - - flatbillog@gmail.com - - - Redding - - - CA - - - United States - - - - - - 2167 Hilltop Drive - - - 50.0 - - - - - - http://www.facebook.com/49ERORIGINALS - - - - - - - - - - - - - - - - - -
- - 49er Flowertown Empire of Summerville, SC -
Summerville South Carolina United States Buffalo Wild Wings 109 Grandview Drive #1
- President Last Name: A. McGauvran
Phone Number: 8439910310
Email Address: FlowertownEmpire@yahoo.com
City: Summerville
State: South Carolina
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 109 Grandview Drive #1
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Michele - - - A. McGauvran - - - 8439910310 - - - FlowertownEmpire@yahoo.com - - - Summerville - - - South Carolina - - - United States - - - Buffalo Wild Wings - - - 109 Grandview Drive #1 - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers of Brevard County -
- President Last Name: Lambert
Phone Number: (321) 684-1543
Email Address: football_lambert@yahoo.com
City: Port St Johns
State: FL
Country: United States
Venue: Beef O'Bradys in Port St. Johns
Venue Location: 3745 Curtis Blvd
Total Fans: 5
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Anthony - - - Lambert - - - (321) 684-1543 - - - football_lambert@yahoo.com - - - Port St Johns - - - FL - - - United States - - - - - - 3745 Curtis Blvd - - - 5.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Forever Faithful Clique -
San Bernardino CA United States The Study Pub and Grill 5244 University Pkwy Suite L
- President Last Name: Arvizu
Phone Number: 9092227020
Email Address: foreverfaithfulclique@gmail.com
City: San Bernardino
State: CA
Country: United States
Venue: The Study Pub and Grill
Venue Location: 5244 University Pkwy Suite L
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Rosalinda - - - Arvizu - - - 9092227020 - - - foreverfaithfulclique@gmail.com - - - San Bernardino - - - CA - - - United States - - - The Study Pub and Grill - - - 5244 University Pkwy Suite L - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ERS FOREVER -
REDLANDS CALIFORNIA United States UPPER DECK 1101 N. CALIFORNIA ST.
- President Last Name: MENDEZ
Phone Number: 9098090868
Email Address: FORTY49ERS@GMAIL.COM
City: REDLANDS
State: CALIFORNIA
Country: United States
Venue: UPPER DECK
Venue Location: 1101 N. CALIFORNIA ST.
Total Fans: 80
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - BOBBY - - - MENDEZ - - - 9098090868 - - - FORTY49ERS@GMAIL.COM - - - REDLANDS - - - CALIFORNIA - - - United States - - - UPPER DECK - - - 1101 N. CALIFORNIA ST. - - - 80.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Thee Empire Faithful Bakersfield -
- President Last Name: Gonzales
Phone Number: 6612050411
Email Address: frgonzales3@hotmail.com
City: Bakersfield
State: Ca
Country: United States
Venue: Senor Pepe's Mexican Restaurant
Venue Location: 8450 Granite Falls Dr
Total Fans: 20
Website:
Facebook: https://www.facebook.com/Thee-Empire-Faithful-Bakersfield-385021485035078/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Faustino - - - Gonzales - - - 6612050411 - - - frgonzales3@hotmail.com - - - Bakersfield - - - Ca - - - United States - - - - - - 8450 Granite Falls Dr - - - 20.0 - - - - - - https://www.facebook.com/Thee-Empire-Faithful-Bakersfield-385021485035078/ - - - - - - - - - - - - - - - - - -
- - Saloon Suad -
Los Angeles ca United States San Francisco Saloon Bar 11501
- President Last Name: Fowler
Phone Number: 3109022071
Email Address: garymfowler2000@gmail.com
City: Los Angeles
State: ca
Country: United States
Venue: San Francisco Saloon Bar
Venue Location: 11501
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gary - - - Fowler - - - 3109022071 - - - garymfowler2000@gmail.com - - - Los Angeles - - - ca - - - United States - - - San Francisco Saloon Bar - - - 11501 - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Troy OH United States Viva la fiesta restaurant 836 w main st
- President Last Name: Villanueva
Phone Number: 7028602312
Email Address: gerardovillanueva90@gmail.com
City: Troy
State: OH
Country: United States
Venue: Viva la fiesta restaurant
Venue Location: 836 w main st
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gerardo - - - Villanueva - - - 7028602312 - - - gerardovillanueva90@gmail.com - - - Troy - - - OH - - - United States - - - Viva la fiesta restaurant - - - 836 w main st - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire IE Chapter -
San Bernardino California United States Don Martins Mexican Grill 1970 Ostrems Way
- President Last Name: Arroyo
Phone Number: 9099130140
Email Address: gfarroyo24@gmail.com
City: San Bernardino
State: California
Country: United States
Venue: Don Martins Mexican Grill
Venue Location: 1970 Ostrems Way
Total Fans: 50
Website:
Facebook: http://www.facebook.com/#!/ninerempire.iechapter/info
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gabriel - - - Arroyo - - - 9099130140 - - - gfarroyo24@gmail.com - - - San Bernardino - - - California - - - United States - - - Don Martins Mexican Grill - - - 1970 Ostrems Way - - - 50.0 - - - - - - http://www.facebook.com/#!/ninerempire.iechapter/info - - - - - - - - - - - - - - - - - -
- - 20916 Faithful -
Elk Grove CA United States Sky River Casino 1 Sky River Parkway
- President Last Name: Trujillo
Phone Number: 2095701072
Email Address: gina.trujillo@blueshieldca.com
City: Elk Grove
State: CA
Country: United States
Venue: Sky River Casino
Venue Location: 1 Sky River Parkway
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joe - - - Trujillo - - - 2095701072 - - - gina.trujillo@blueshieldca.com - - - Elk Grove - - - CA - - - United States - - - Sky River Casino - - - 1 Sky River Parkway - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Hacienda heights CA United States SUNSET ROOM 2029 hacinenda blvd
- President Last Name: Gutierrez
Phone Number: 6265396855
Email Address: goldbloodedniner1949@gmail.com
City: Hacienda heights
State: CA
Country: United States
Venue: SUNSET ROOM
Venue Location: 2029 hacinenda blvd
Total Fans: 20
Website:
Facebook: Facebook group page/instagram
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Louie - - - Gutierrez - - - 6265396855 - - - goldbloodedniner1949@gmail.com - - - Hacienda heights - - - CA - - - United States - - - SUNSET ROOM - - - 2029 hacinenda blvd - - - 20.0 - - - - - - Facebook group page/instagram - - - - - - - - - - - - - - - - - -
- - -
- President Last Name: Renae Desborough
Phone Number: 3053603672
Email Address: golden49ergirl@gmail.com
City: Homestead
State: Fl
Country: United States
Venue: Chili's in Homestead
Venue Location: 2220 NE 8TH St.
Total Fans: 10
Website:
Facebook: https://www.facebook.com/southfloridafaithfuls
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Dawn - - - Renae Desborough - - - 3053603672 - - - golden49ergirl@gmail.com - - - Homestead - - - Fl - - - United States - - - - - - 2220 NE 8TH St. - - - 10.0 - - - - - - https://www.facebook.com/southfloridafaithfuls - - - - - - - - - - - - - - - - - -
- - -
- President Last Name: Machiche
Phone Number: 4804527403
Email Address: gomez_michelle@hotmail.com
City: Chandler
State: AZ
Country: United States
Venue: Nando's Mexican Cafe
Venue Location: 1890 W Germann Rd
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Pablo - - - Machiche - - - 4804527403 - - - gomez_michelle@hotmail.com - - - Chandler - - - AZ - - - United States - - - - - - 1890 W Germann Rd - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Gang Empire -
- President Last Name: Gonzalez
Phone Number: (956) 342-2285
Email Address: gonzalezdanny1493@gmail.com
City: EDINBURG
State: TX
Country: United States
Venue: Danny Bar & Grill
Venue Location: 4409 Adriana
Total Fans: 2
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Marquez - - - Gonzalez - - - (956) 342-2285 - - - gonzalezdanny1493@gmail.com - - - EDINBURG - - - TX - - - United States - - - - - - 4409 Adriana - - - 2.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Bell Ringers -
- President Last Name: Gier
Phone Number: 7852700872
Email Address: gretchengier@gmail.com
City: Manhattan
State: KS
Country: United States
Venue: Jeff and Josie Schafer's House
Venue Location: 1517 Leavenworth St.
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gretchen - - - Gier - - - 7852700872 - - - gretchengier@gmail.com - - - Manhattan - - - KS - - - United States - - - - - - 1517 Leavenworth St. - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
- President Last Name: Grijalva
Phone Number: 5627391639
Email Address: grijalvaangel7@gmail.com
City: Buena park
State: CA
Country: United States
Venue: Ciro's pizza
Venue Location: 6969 la Palma Ave
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Angel - - - Grijalva - - - 5627391639 - - - grijalvaangel7@gmail.com - - - Buena park - - - CA - - - United States - - - - - - 6969 la Palma Ave - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire DFW -
- President Last Name: Ramirez
Phone Number: 8176757644
Email Address: grimlock49@gmail.com
City: Bedford
State: TX
Country: United States
Venue: Papa G's
Venue Location: 2900 HIGHWAY 121
Total Fans: 50
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Danny - - - Ramirez - - - 8176757644 - - - grimlock49@gmail.com - - - Bedford - - - TX - - - United States - - - - - - 2900 HIGHWAY 121 - - - 50.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Hilmar Empire -
Hilmar Ca United States Faithful House 7836 Klint dr
- President Last Name: Lopes
Phone Number: 2092624468
Email Address: Hilmar49Empire@yahoo.com
City: Hilmar
State: Ca
Country: United States
Venue: Faithful House
Venue Location: 7836 Klint dr
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Brian - - - Lopes - - - 2092624468 - - - Hilmar49Empire@yahoo.com - - - Hilmar - - - Ca - - - United States - - - Faithful House - - - 7836 Klint dr - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers of West Virginia -
Bridgeport WV United States Buffalo WIld Wings 45 Betten Ct
- President Last Name: Moore IV
Phone Number: 3045082378
Email Address: hmoore11@pierpont.edu
City: Bridgeport
State: WV
Country: United States
Venue: Buffalo WIld Wings
Venue Location: 45 Betten Ct
Total Fans: 2
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Herbert - - - Moore IV - - - 3045082378 - - - hmoore11@pierpont.edu - - - Bridgeport - - - WV - - - United States - - - Buffalo WIld Wings - - - 45 Betten Ct - - - 2.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 618 Niner Empire -
- President Last Name: Holmes
Phone Number: 6185593569
Email Address: holmesjared77@gmail.com
City: Carbondale
State: IL
Country: United States
Venue: Home Basement aka ""The Local Tavern""
Venue Location: 401 N Allyn st
Total Fans: 3
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jared - - - Holmes - - - 6185593569 - - - holmesjared77@gmail.com - - - Carbondale - - - IL - - - United States - - - - - - 401 N Allyn st - - - 3.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINER EMPIRE HAWAII 808 -
HONOLULU HI United States DAVE AND BUSTERS 1030 AUAHI ST
- President Last Name: MEWS
Phone Number: 808-989-0030
Email Address: HOODLUMSAINT@YAHOO.CM
City: HONOLULU
State: HI
Country: United States
Venue: DAVE AND BUSTERS
Venue Location: 1030 AUAHI ST
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - KEVIN - - - MEWS - - - 808-989-0030 - - - HOODLUMSAINT@YAHOO.CM - - - HONOLULU - - - HI - - - United States - - - DAVE AND BUSTERS - - - 1030 AUAHI ST - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINER EMPIRE HAWAII 808 -
Honolulu HI United States Buffalo Wild Wings 1644 Young St # E
- President Last Name: MEWS
Phone Number: (808) 989-0030
Email Address: hoodlumsaint@yahoo.com
City: Honolulu
State: HI
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 1644 Young St # E
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - KEVIN - - - MEWS - - - (808) 989-0030 - - - hoodlumsaint@yahoo.com - - - Honolulu - - - HI - - - United States - - - Buffalo Wild Wings - - - 1644 Young St # E - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - H-Town Empire -
Houston Tx United States Skybox Bar and Grill 11312 Westheimer
- President Last Name: Robinson
Phone Number: 8323734372
Email Address: htownempire49@gmail.com
City: Houston
State: Tx
Country: United States
Venue: Skybox Bar and Grill
Venue Location: 11312 Westheimer
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Cedric - - - Robinson - - - 8323734372 - - - htownempire49@gmail.com - - - Houston - - - Tx - - - United States - - - Skybox Bar and Grill - - - 11312 Westheimer - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Hub City Faithful -
Hattiesburg Mississippi United States Mugshots 204 N 40th Ave
- President Last Name: Thomas
Phone Number: 6015691741
Email Address: Hubcityfaithful@gmail.com
City: Hattiesburg
State: Mississippi
Country: United States
Venue: Mugshots
Venue Location: 204 N 40th Ave
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Alan - - - Thomas - - - 6015691741 - - - Hubcityfaithful@gmail.com - - - Hattiesburg - - - Mississippi - - - United States - - - Mugshots - - - 204 N 40th Ave - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Spartan Niner Empire Georgia -
Duluth GA United States Bermuda Bar 3473 Old Norcross Rd
- President Last Name: Finch
Phone Number: 4043191365
Email Address: idrisfinch@gmail.com
City: Duluth
State: GA
Country: United States
Venue: Bermuda Bar
Venue Location: 3473 Old Norcross Rd
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Idris - - - Finch - - - 4043191365 - - - idrisfinch@gmail.com - - - Duluth - - - GA - - - United States - - - Bermuda Bar - - - 3473 Old Norcross Rd - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Westchester County New York 49ers Fans -
- President Last Name: Delgado aka 49ers Matador
Phone Number: 6462357661
Email Address: IhateSherman@49ersMatador.com
City: Yonkers
State: New York
Country: United States
Venue: We meet at 3 locations, Burkes Bar in Yonkers, Matador's Fan Cave and Finnerty's
Venue Location: 14 Troy Lane
Total Fans: 46
Website:
Facebook: https://www.facebook.com/groups/250571711629937/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Victor - - - Delgado aka 49ers Matador - - - 6462357661 - - - IhateSherman@49ersMatador.com - - - Yonkers - - - New York - - - United States - - - - - - 14 Troy Lane - - - 46.0 - - - - - - https://www.facebook.com/groups/250571711629937/ - - - - - - - - - - - - - - - - - -
- - Niner Empire 831 -
Salinas Ca United States Straw Hat Pizza 156 E. Laurel Drive
- President Last Name: Pavon
Phone Number: 8319702480
Email Address: info@ninerempire831.com
City: Salinas
State: Ca
Country: United States
Venue: Straw Hat Pizza
Venue Location: 156 E. Laurel Drive
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Luis - - - Pavon - - - 8319702480 - - - info@ninerempire831.com - - - Salinas - - - Ca - - - United States - - - Straw Hat Pizza - - - 156 E. Laurel Drive - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Portland -
Clackamas Oregon United States Various 14682 SE Sunnyside Rd
- President Last Name: F Billups
Phone Number: 5033080127
Email Address: info@ninerempirepdx.com
City: Clackamas
State: Oregon
Country: United States
Venue: Various
Venue Location: 14682 SE Sunnyside Rd
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joshua - - - F Billups - - - 5033080127 - - - info@ninerempirepdx.com - - - Clackamas - - - Oregon - - - United States - - - Various - - - 14682 SE Sunnyside Rd - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Empire Galveston County Chapter -
Nassau Bay TX United States Office 1322 Space Park Dr.
- President Last Name: Bell
Phone Number: 2815464828
Email Address: info@terrancebell.com
City: Nassau Bay
State: TX
Country: United States
Venue: Office
Venue Location: 1322 Space Park Dr.
Total Fans: 9
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Terrance - - - Bell - - - 2815464828 - - - info@terrancebell.com - - - Nassau Bay - - - TX - - - United States - - - Office - - - 1322 Space Park Dr. - - - 9.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINER EMPIRE -
Brisbane Ca United States 7 Mile House 2800 Bayshore Blvd
- President Last Name: Leonor
Phone Number: 4153707725
Email Address: info@theninerempire.com
City: Brisbane
State: Ca
Country: United States
Venue: 7 Mile House
Venue Location: 2800 Bayshore Blvd
Total Fans: 8000
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joe - - - Leonor - - - 4153707725 - - - info@theninerempire.com - - - Brisbane - - - Ca - - - United States - - - 7 Mile House - - - 2800 Bayshore Blvd - - - 8000.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Boston San Francisco Bay Area Crew -
Boston MA United States The Point Boston 147 Hanover Street
- President Last Name: Bourelle
Phone Number: 6173350380
Email Address: isabou@alumni.stanford.edu
City: Boston
State: MA
Country: United States
Venue: The Point Boston
Venue Location: 147 Hanover Street
Total Fans: 50
Website:
Facebook: https://www.facebook.com/groups/392222837571990/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Isabel - - - Bourelle - - - 6173350380 - - - isabou@alumni.stanford.edu - - - Boston - - - MA - - - United States - - - The Point Boston - - - 147 Hanover Street - - - 50.0 - - - - - - https://www.facebook.com/groups/392222837571990/ - - - - - - - - - - - - - - - - - -
- - 49ers Faithful of Boston -
Boston MA United States The Point, Boston, MA 147 Hanover Street
- President Last Name: Bourelle
Phone Number: 6173350380
Email Address: isabou@mit.edu
City: Boston
State: MA
Country: United States
Venue: The Point, Boston, MA
Venue Location: 147 Hanover Street
Total Fans: 100
Website:
Facebook: https://www.facebook.com/49ersfanBoston
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Isabel - - - Bourelle - - - 6173350380 - - - isabou@mit.edu - - - Boston - - - MA - - - United States - - - The Point, Boston, MA - - - 147 Hanover Street - - - 100.0 - - - - - - https://www.facebook.com/49ersfanBoston - - - - - - - - - - - - - - - - - -
- - Riverside 49ers Booster Club -
- President Last Name: Esmerio
Phone Number: 9098153880
Email Address: ismerio77@gmail.com
City: Riverside
State: California
Country: United States
Venue: Lake Alice Trading Co Saloon &Eatery
Venue Location: 3616 University Ave
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gus - - - Esmerio - - - 9098153880 - - - ismerio77@gmail.com - - - Riverside - - - California - - - United States - - - - - - 3616 University Ave - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 318 Niner Empire -
Monroe La. United States 318 Niner Empire HQ 400 Stone Ave.
- President Last Name: Johnson (Jayrock)
Phone Number: 3187893452
Email Address: jayrock640@yahoo.com
City: Monroe
State: La.
Country: United States
Venue: 318 Niner Empire HQ
Venue Location: 400 Stone Ave.
Total Fans: 35
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Dwane - - - Johnson (Jayrock) - - - 3187893452 - - - jayrock640@yahoo.com - - - Monroe - - - La. - - - United States - - - 318 Niner Empire HQ - - - 400 Stone Ave. - - - 35.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Austin Faithful -
Austin TX United States 8 Track 2805 Manor Rd
- President Last Name: Cerda
Phone Number: 5127872407
Email Address: jeffcerda12@gmail.com
City: Austin
State: TX
Country: United States
Venue: 8 Track
Venue Location: 2805 Manor Rd
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jeffrey - - - Cerda - - - 5127872407 - - - jeffcerda12@gmail.com - - - Austin - - - TX - - - United States - - - 8 Track - - - 2805 Manor Rd - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire San Antonio -
- President Last Name: Archuleta
Phone Number: 5599677071
Email Address: jesusarchuleta@hotmail.com
City: San Antonio
State: TX
Country: United States
Venue: Sir Winston's Pub
Venue Location: 2522 Nacogdoches Rd.
Total Fans: 150
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jesus - - - Archuleta - - - 5599677071 - - - jesusarchuleta@hotmail.com - - - San Antonio - - - TX - - - United States - - - - - - 2522 Nacogdoches Rd. - - - 150.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINER EMPIRE OF THE 509 -
- President Last Name: MACIAS
Phone Number: 5097684738
Email Address: jesusmaciasusarmy@yahoo.com
City: Spokane
State: WA
Country: United States
Venue: Mac daddy's
Venue Location: 808 W Main Ave #106, Spokane, WA 99201
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - JESUS - - - MACIAS - - - 5097684738 - - - jesusmaciasusarmy@yahoo.com - - - Spokane - - - WA - - - United States - - - - - - 808 W Main Ave #106, Spokane, WA 99201 - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - SOCAL OC 49ERS -
Newport Beach CA United States The Blue Beet 107 21st Place
- President Last Name: Di Cesare Jr
Phone Number: 19496329301
Email Address: jjandadice@gmail.com
City: Newport Beach
State: CA
Country: United States
Venue: The Blue Beet
Venue Location: 107 21st Place
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - James - - - Di Cesare Jr - - - 19496329301 - - - jjandadice@gmail.com - - - Newport Beach - - - CA - - - United States - - - The Blue Beet - - - 107 21st Place - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Sin City Niner Empire -
Henderson NV United States Hi Scores Bar-Arcade 65 S Stephanie St.
- President Last Name: Patrick Bryant-Chavez
Phone Number: 7027692152
Email Address: jly4bby@yahoo.com
City: Henderson
State: NV
Country: United States
Venue: Hi Scores Bar-Arcade
Venue Location: 65 S Stephanie St.
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jay - - - Patrick Bryant-Chavez - - - 7027692152 - - - jly4bby@yahoo.com - - - Henderson - - - NV - - - United States - - - Hi Scores Bar-Arcade - - - 65 S Stephanie St. - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Central Valley 9er Faithful -
- President Last Name: Palacio
Phone Number: 2093862570
Email Address: jm_palacio32@yahoo.com
City: Turlock
State: CA
Country: United States
Venue: Mountain Mike's
Venue Location: 409 S Orange St.
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jenn - - - Palacio - - - 2093862570 - - - jm_palacio32@yahoo.com - - - Turlock - - - CA - - - United States - - - - - - 409 S Orange St. - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Squad -
San Jose CA United States 4171 Gion Ave San Jose,Ca 4171 Gion Ave
- President Last Name: Perez
Phone Number: 4089104105
Email Address: joeperez408@gmail.com
City: San Jose
State: CA
Country: United States
Venue: 4171 Gion Ave San Jose,Ca
Venue Location: 4171 Gion Ave
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joseph - - - Perez - - - 4089104105 - - - joeperez408@gmail.com - - - San Jose - - - CA - - - United States - - - 4171 Gion Ave San Jose,Ca - - - 4171 Gion Ave - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - merced niner empire -
merced ca United States round table pizza 1728 w olive ave
- President Last Name: candelaria sr
Phone Number: 2094897540
Email Address: johncandelariasr@gmail.com
City: merced
State: ca
Country: United States
Venue: round table pizza
Venue Location: 1728 w olive ave
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - john - - - candelaria sr - - - 2094897540 - - - johncandelariasr@gmail.com - - - merced - - - ca - - - United States - - - round table pizza - - - 1728 w olive ave - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINERS ROLLIN HARD IMPERIAL VALLEY CHAPTER -
Brawley CA United States SPOT 805 550 main Street
- President Last Name: Vallejo
Phone Number: 7604120919
Email Address: johnnyboy49.jv@gmail.com
City: Brawley
State: CA
Country: United States
Venue: SPOT 805
Venue Location: 550 main Street
Total Fans: 45
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Juan - - - Vallejo - - - 7604120919 - - - johnnyboy49.jv@gmail.com - - - Brawley - - - CA - - - United States - - - SPOT 805 - - - 550 main Street - - - 45.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Tooele County 49ers -
TOOELE UT United States Pins and Ales - 1111 N 200 W, Tooele, UT 84074 1111 N 200 W
- President Last Name: Proctor
Phone Number: 3856257232
Email Address: jonproctor1@msn.com
City: TOOELE
State: UT
Country: United States
Venue: Pins and Ales - 1111 N 200 W, Tooele, UT 84074
Venue Location: 1111 N 200 W
Total Fans: 30
Website:
Facebook: https://www.facebook.com/groups/173040274865599
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jon - - - Proctor - - - 3856257232 - - - jonproctor1@msn.com - - - TOOELE - - - UT - - - United States - - - Pins and Ales - 1111 N 200 W, Tooele, UT 84074 - - - 1111 N 200 W - - - 30.0 - - - - - - https://www.facebook.com/groups/173040274865599 - - - - - - - - - - - - - - - - - -
- - 49ers united of wichita ks -
Wichita KS United States Hurricane sports grill 8641 w 13th st suite 111
- President Last Name: Henke
Phone Number: 3165194699
Email Address: Josh.Henke@pioneerks.com
City: Wichita
State: KS
Country: United States
Venue: Hurricane sports grill
Venue Location: 8641 w 13th st suite 111
Total Fans: 206
Website:
Facebook: Facebook 49ers united of wichita ks
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Josh - - - Henke - - - 3165194699 - - - Josh.Henke@pioneerks.com - - - Wichita - - - KS - - - United States - - - Hurricane sports grill - - - 8641 w 13th st suite 111 - - - 206.0 - - - - - - Facebook 49ers united of wichita ks - - - - - - - - - - - - - - - - - -
- - 828 NCNINERS -
Hickory NC United States Coaches Neighborhood Bar and Grill 2049 Catawba Valley Blvd SE
- President Last Name: Hoover
Phone Number: 8282919599
Email Address: Jovan.hoover@yahoo.com
City: Hickory
State: NC
Country: United States
Venue: Coaches Neighborhood Bar and Grill
Venue Location: 2049 Catawba Valley Blvd SE
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jovan - - - Hoover - - - 8282919599 - - - Jovan.hoover@yahoo.com - - - Hickory - - - NC - - - United States - - - Coaches Neighborhood Bar and Grill - - - 2049 Catawba Valley Blvd SE - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Chicago 49ers Club -
Chicago IL United States The Globe Pub 1934 West Irving Park Road
- President Last Name: West
Phone Number: 3207749300
Email Address: jswest33@yahoo.com
City: Chicago
State: IL
Country: United States
Venue: The Globe Pub
Venue Location: 1934 West Irving Park Road
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jonathan - - - West - - - 3207749300 - - - jswest33@yahoo.com - - - Chicago - - - IL - - - United States - - - The Globe Pub - - - 1934 West Irving Park Road - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Vancouver -
Vancouver WA United States Heathen feral public house 1109 Washington St
- President Last Name: Downs
Phone Number: 5033174024
Email Address: justin.downs25@yahoo.com
City: Vancouver
State: WA
Country: United States
Venue: Heathen feral public house
Venue Location: 1109 Washington St
Total Fans: 567
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Justin - - - Downs - - - 5033174024 - - - justin.downs25@yahoo.com - - - Vancouver - - - WA - - - United States - - - Heathen feral public house - - - 1109 Washington St - - - 567.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Hampton Roads Niners Fanatics -
Hampton VA United States Nascar Grille 1996 Power Plant Parkway
- President Last Name: Mead
Phone Number: 7572565334
Email Address: kam9294@gmail.com
City: Hampton
State: VA
Country: United States
Venue: Nascar Grille
Venue Location: 1996 Power Plant Parkway
Total Fans: 65
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Steve - - - Mead - - - 7572565334 - - - kam9294@gmail.com - - - Hampton - - - VA - - - United States - - - Nascar Grille - - - 1996 Power Plant Parkway - - - 65.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Cincy Faithful -
Newport KY United States Buffalo Wild Wings (Newport) 83 Carothers Rd
- President Last Name: Karcher
Phone Number: (859) 991-8185
Email Address: karch03@gmail.com
City: Newport
State: KY
Country: United States
Venue: Buffalo Wild Wings (Newport)
Venue Location: 83 Carothers Rd
Total Fans: 4
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joshua - - - Karcher - - - (859) 991-8185 - - - karch03@gmail.com - - - Newport - - - KY - - - United States - - - Buffalo Wild Wings (Newport) - - - 83 Carothers Rd - - - 4.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Southside OKC Faithful Niners -
Oklahoma City Oklahoma United States CrosseEyed Moose 10601 Sout Western Ave
- President Last Name: Calton
Phone Number: 4058028979
Email Address: kat1031@hotmail.com
City: Oklahoma City
State: Oklahoma
Country: United States
Venue: CrosseEyed Moose
Venue Location: 10601 Sout Western Ave
Total Fans: 6
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gary - - - Calton - - - 4058028979 - - - kat1031@hotmail.com - - - Oklahoma City - - - Oklahoma - - - United States - - - CrosseEyed Moose - - - 10601 Sout Western Ave - - - 6.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 707 FAITHFULS -
- President Last Name: Licea
Phone Number: 7078899236
Email Address: keakslicea@yahoo.com
City: Wine country
State: CA
Country: United States
Venue: Wine country
Venue Location: Breweries, restaurant's, wineries, private locations
Total Fans: 1000
Website:
Facebook:
Instagram: 707 faithfuls ( INSTAGRAM)
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Enrique - - - Licea - - - 7078899236 - - - keakslicea@yahoo.com - - - Wine country - - - CA - - - United States - - - Wine country - - - - - - 1000.0 - - - - - - - - - 707 faithfuls ( INSTAGRAM) - - - - - - - - - - - - - - -
- - NINER EMPIRE MEMPHIS CHAPTER -
- President Last Name: Miller
Phone Number: 6623134320
Email Address: kenitamiller@hotmail.com
City: Memphis
State: Tennessee
Country: United States
Venue: 360 Sports Bar & Grill
Venue Location: 3896 Lamar Avenue
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Kenita - - - Miller - - - 6623134320 - - - kenitamiller@hotmail.com - - - Memphis - - - Tennessee - - - United States - - - - - - 3896 Lamar Avenue - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Chucktown Empire 49ers of Charleston -
- President Last Name: Jenkins
Phone Number: (843) 437-3101
Email Address: KENTAROEJENKINS@gmail.com
City: North Charleston
State: SC
Country: United States
Venue: Chill n' Grill Sports bar
Venue Location: 2810 Ashley Phosphate Rd A1, North Charleston, SC 29418
Total Fans: 20
Website:
Facebook: https://m.facebook.com/groups/1546441202286398?ref=bookmarks
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Kentaroe - - - Jenkins - - - (843) 437-3101 - - - KENTAROEJENKINS@gmail.com - - - North Charleston - - - SC - - - United States - - - - - - 2810 Ashley Phosphate Rd A1, North Charleston, SC 29418 - - - 20.0 - - - - - - https://m.facebook.com/groups/1546441202286398?ref=bookmarks - - - - - - - - - - - - - - - - - -
- - Spartans Niner Empire Florida -
- President Last Name: Keomek
Phone Number: 7278359840
Email Address: keomekfamily@yahoo.com
City: Tampa
State: FL
Country: United States
Venue: Ducky's Sports Bar
Venue Location: 1719 Kennedy Blvd
Total Fans: 12
Website:
Facebook: Spartans Empire Florida (Facebook)
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ram - - - Keomek - - - 7278359840 - - - keomekfamily@yahoo.com - - - Tampa - - - FL - - - United States - - - - - - 1719 Kennedy Blvd - - - 12.0 - - - - - - Spartans Empire Florida (Facebook) - - - - - - - - - - - - - - - - - -
- - Palm Springs Area 49er Club -
Palm Springs CA United States The Draughtsmen 1501 N Palm Canyon
- President Last Name: Casey
Phone Number: 4159871795
Email Address: kevincasey61@gmail.com
City: Palm Springs
State: CA
Country: United States
Venue: The Draughtsmen
Venue Location: 1501 N Palm Canyon
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Kevin - - - Casey - - - 4159871795 - - - kevincasey61@gmail.com - - - Palm Springs - - - CA - - - United States - - - The Draughtsmen - - - 1501 N Palm Canyon - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49th State Faithful -
- President Last Name: Knudson
Phone Number: 907351-8367
Email Address: knudson73@gmail.com
City: Anchorage
State: AK
Country: United States
Venue: Al's Alaskan Inn
Venue Location: 7830 Old Seward Hwy
Total Fans: 202
Website:
Facebook: Facebook 49th State Faithful
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - James - - - Knudson - - - 907351-8367 - - - knudson73@gmail.com - - - Anchorage - - - AK - - - United States - - - - - - 7830 Old Seward Hwy - - - 202.0 - - - - - - Facebook 49th State Faithful - - - - - - - - - - - - - - - - - -
- - 49er faithful of Arizona ( of the West Valley ) -
- President Last Name: Raes
Phone Number: 6232241316
Email Address: koniraes@hotmail.com
City: Surprise
State: Az
Country: United States
Venue: Booty's Wings, Burgers and Beer Bar and Grill
Venue Location: 15557 W. Bell Rd. Suite 405
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Koni - - - Raes - - - 6232241316 - - - koniraes@hotmail.com - - - Surprise - - - Az - - - United States - - - - - - 15557 W. Bell Rd. Suite 405 - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINER CORE -
Bloomington CA United States Traveling chapter 18972 Grove pl
- President Last Name: Fortunato
Phone Number: 19096849033
Email Address: Krazymyk909@gmail.com
City: Bloomington
State: CA
Country: United States
Venue: Traveling chapter
Venue Location: 18972 Grove pl
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Mike - - - Fortunato - - - 19096849033 - - - Krazymyk909@gmail.com - - - Bloomington - - - CA - - - United States - - - Traveling chapter - - - 18972 Grove pl - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Forever Faithful RGV (Rio Grande Valley) -
McAllen TX United States My Place 410 N 17th St
- President Last Name: Schmidt
Phone Number: 9168380550
Email Address: ktschmidt@sbcglobal.net
City: McAllen
State: TX
Country: United States
Venue: My Place
Venue Location: 410 N 17th St
Total Fans: 1
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Karen - - - Schmidt - - - 9168380550 - - - ktschmidt@sbcglobal.net - - - McAllen - - - TX - - - United States - - - My Place - - - 410 N 17th St - - - 1.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Sacramento Faithfuls -
West Sacramento CA United States Kick N Mule Restaurant and Sports Bar 2901 W Capitol Ave
- President Last Name: Placencia lll
Phone Number: 9166065299
Email Address: leoplacencia3@yahoo.com
City: West Sacramento
State: CA
Country: United States
Venue: Kick N Mule Restaurant and Sports Bar
Venue Location: 2901 W Capitol Ave
Total Fans: 250
Website:
Facebook:
Instagram: Instagram page 49erssacramentofaithfuls
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Leo - - - Placencia lll - - - 9166065299 - - - leoplacencia3@yahoo.com - - - West Sacramento - - - CA - - - United States - - - Kick N Mule Restaurant and Sports Bar - - - 2901 W Capitol Ave - - - 250.0 - - - - - - - - - Instagram page 49erssacramentofaithfuls - - - - - - - - - - - - - - -
- - SO. CAL GOLDBLOOED NINERS -
Industry CA United States Hacienda nights pizza co. 15239 Gale ave
- President Last Name: Gutierrez
Phone Number: 9098964162
Email Address: Lglakers@aol.com
City: Industry
State: CA
Country: United States
Venue: Hacienda nights pizza co.
Venue Location: 15239 Gale ave
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Louie - - - Gutierrez - - - 9098964162 - - - Lglakers@aol.com - - - Industry - - - CA - - - United States - - - Hacienda nights pizza co. - - - 15239 Gale ave - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Hayward chapter -
Hayward Ca United States Strawhat pizza 1163 industrial pkwy W
- President Last Name: Sosa
Phone Number: 5105867089
Email Address: lidiagonzales2001@comcast.net
City: Hayward
State: Ca
Country: United States
Venue: Strawhat pizza
Venue Location: 1163 industrial pkwy W
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Raul - - - Sosa - - - 5105867089 - - - lidiagonzales2001@comcast.net - - - Hayward - - - Ca - - - United States - - - Strawhat pizza - - - 1163 industrial pkwy W - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Empire Iowa Chapter -
Chariton Iowa United States Shoemakers Steak House 2130 Court Ave
- President Last Name: Wertz
Phone Number: 6412033285
Email Address: lisemo73@yahoo.com
City: Chariton
State: Iowa
Country: United States
Venue: Shoemakers Steak House
Venue Location: 2130 Court Ave
Total Fans: 194
Website:
Facebook: https://www.facebook.com/groups/247559578738411/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Lisa - - - Wertz - - - 6412033285 - - - lisemo73@yahoo.com - - - Chariton - - - Iowa - - - United States - - - Shoemakers Steak House - - - 2130 Court Ave - - - 194.0 - - - - - - https://www.facebook.com/groups/247559578738411/ - - - - - - - - - - - - - - - - - -
- - Niner Empire of Fresno -
Fresno CA United States Round Table Pizza 5702 N. First st
- President Last Name: Lozano
Phone Number: 5598923919
Email Address: llozano_316@hotmail.com
City: Fresno
State: CA
Country: United States
Venue: Round Table Pizza
Venue Location: 5702 N. First st
Total Fans: 215
Website:
Facebook: Http://facebook.com/theninerempireoffresno
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Luis - - - Lozano - - - 5598923919 - - - llozano_316@hotmail.com - - - Fresno - - - CA - - - United States - - - Round Table Pizza - - - 5702 N. First st - - - 215.0 - - - - - - Http://facebook.com/theninerempireoffresno - - - - - - - - - - - - - - - - - -
- - Connecticut Spartan Niner Empire -
East Hartford Connecticut United States Silver Lanes Lounge 748 Silverlane
- President Last Name: Ortiz
Phone Number: 8602057937
Email Address: Lollie_pop_style@yahoo.com
City: East Hartford
State: Connecticut
Country: United States
Venue: Silver Lanes Lounge
Venue Location: 748 Silverlane
Total Fans: 13
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Maria - - - Ortiz - - - 8602057937 - - - Lollie_pop_style@yahoo.com - - - East Hartford - - - Connecticut - - - United States - - - Silver Lanes Lounge - - - 748 Silverlane - - - 13.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Houston, TX Chapter -
- President Last Name: Puentes
Phone Number: 2814602274
Email Address: Lorenzo@squadrally.com
City: Houston
State: Texas
Country: United States
Venue: Little J's Bar
Venue Location: 5306 Washington Ave
Total Fans: 175
Website:
Facebook: https://www.facebook.com/NinerEmpireHTX
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Lorenzo - - - Puentes - - - 2814602274 - - - Lorenzo@squadrally.com - - - Houston - - - Texas - - - United States - - - - - - 5306 Washington Ave - - - 175.0 - - - - - - https://www.facebook.com/NinerEmpireHTX - - - - - - - - - - - - - - - - - -
- - Niner Empire Houston, TX -
Houston Texas United States coaches I-10 17754 Katy Fwy #1
- President Last Name: puentes
Phone Number: 2814085420
Email Address: lorenzoflores88@gmail.com
City: Houston
State: Texas
Country: United States
Venue: coaches I-10
Venue Location: 17754 Katy Fwy #1
Total Fans: 150
Website:
Facebook: https://m.facebook.com/NinersFaithfulHTX
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - lorenzo - - - puentes - - - 2814085420 - - - lorenzoflores88@gmail.com - - - Houston - - - Texas - - - United States - - - coaches I-10 - - - 17754 Katy Fwy #1 - - - 150.0 - - - - - - https://m.facebook.com/NinersFaithfulHTX - - - - - - - - - - - - - - - - - -
- - -
Industry CA United States Hacienda heights Pizza Co 15239 Gale Ave
- President Last Name: Gutierrez
Phone Number: 6265396855
Email Address: louchekush13@gmail.com
City: Industry
State: CA
Country: United States
Venue: Hacienda heights Pizza Co
Venue Location: 15239 Gale Ave
Total Fans: 25
Website:
Facebook: Facebook group page/instagram
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Louie - - - Gutierrez - - - 6265396855 - - - louchekush13@gmail.com - - - Industry - - - CA - - - United States - - - Hacienda heights Pizza Co - - - 15239 Gale Ave - - - 25.0 - - - - - - Facebook group page/instagram - - - - - - - - - - - - - - - - - -
- - the 559 ers -
porterville CA United States landing 13 landing 13
- President Last Name: Ascencio
Phone Number: 5593597047
Email Address: luey559@gmail.com
City: porterville
State: CA
Country: United States
Venue: landing 13
Venue Location: landing 13
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - jose - - - Ascencio - - - 5593597047 - - - luey559@gmail.com - - - porterville - - - CA - - - United States - - - landing 13 - - - landing 13 - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Billings Niners Faithful -
- President Last Name: Seely
Phone Number: 3105705415
Email Address: lukas_seely@hotmail.com
City: Billings
State: MT
Country: United States
Venue: Craft B&B
Venue Location: 2658 Grand ave
Total Fans: 42
Website:
Facebook: https://www.facebook.com/groups/402680873209435
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Lukas - - - Seely - - - 3105705415 - - - lukas_seely@hotmail.com - - - Billings - - - MT - - - United States - - - - - - 2658 Grand ave - - - 42.0 - - - - - - https://www.facebook.com/groups/402680873209435 - - - - - - - - - - - - - - - - - -
- - 901 9ers -
Memphis Tn United States Prohibition 4855 American Way
- President Last Name: Pate
Phone Number: 9016909484
Email Address: lydellpate@yahoo.com
City: Memphis
State: Tn
Country: United States
Venue: Prohibition
Venue Location: 4855 American Way
Total Fans: 50
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Darrick - - - Pate - - - 9016909484 - - - lydellpate@yahoo.com - - - Memphis - - - Tn - - - United States - - - Prohibition - - - 4855 American Way - - - 50.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Tulsa 49ers Faithful -
Tulsa OK United States Buffalo Wild Wings 6222 E 41st St
- President Last Name: Bell
Phone Number: 5127738511
Email Address: marcusbw82@hotmail.com
City: Tulsa
State: OK
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 6222 E 41st St
Total Fans: 140
Website:
Facebook: https://www.facebook.com/groups/313885131283800/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Marcus - - - Bell - - - 5127738511 - - - marcusbw82@hotmail.com - - - Tulsa - - - OK - - - United States - - - Buffalo Wild Wings - - - 6222 E 41st St - - - 140.0 - - - - - - https://www.facebook.com/groups/313885131283800/ - - - - - - - - - - - - - - - - - -
- - The Niner Empire - 405 Faithfuls - Oklahoma City -
Oklahoma City OK United States The Side Chick 115 E. California Ave 5911 Yale Drive
- President Last Name: Ward
Phone Number: 4086853231
Email Address: mariaward.jd@gmail.com
City: Oklahoma City
State: OK
Country: United States
Venue: The Side Chick 115 E. California Ave
Venue Location: 5911 Yale Drive
Total Fans: 50
Website:
Facebook: https://www.facebook.com/share/FZGC9mVjz3BrHGxf/?mibextid=K35XfP
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Maria - - - Ward - - - 4086853231 - - - mariaward.jd@gmail.com - - - Oklahoma City - - - OK - - - United States - - - The Side Chick 115 E. California Ave - - - 5911 Yale Drive - - - 50.0 - - - - - - https://www.facebook.com/share/FZGC9mVjz3BrHGxf/?mibextid=K35XfP - - - - - - - - - - - - - - - - - -
- - Niner Empire Imperial Valley -
- President Last Name: A Garcia Jr
Phone Number: 7605404093
Email Address: mario_g51@hotmail.com
City: Brawley
State: Ca
Country: United States
Venue: Waves Restaurant & Saloon
Venue Location: 621 S Brawley Ave
Total Fans: 7
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Mario - - - A Garcia Jr - - - 7605404093 - - - mario_g51@hotmail.com - - - Brawley - - - Ca - - - United States - - - - - - 621 S Brawley Ave - - - 7.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - East Valley Faithful -
Gilbert AZ United States TBD 5106 South Almond CT
- President Last Name: Arellano
Phone Number: 6234519863
Email Address: markatb3@aol.com
City: Gilbert
State: AZ
Country: United States
Venue: TBD
Venue Location: 5106 South Almond CT
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Mark - - - Arellano - - - 6234519863 - - - markatb3@aol.com - - - Gilbert - - - AZ - - - United States - - - TBD - - - 5106 South Almond CT - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 360 Niner Empire -
Lacey WA United States Dela Cruz Residence 1118 Villanova St NE
- President Last Name: Dela Cruz
Phone Number: (360) 970-4784
Email Address: markofetti@yahoo.com
City: Lacey
State: WA
Country: United States
Venue: Dela Cruz Residence
Venue Location: 1118 Villanova St NE
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Marcus - - - Dela Cruz - - - (360) 970-4784 - - - markofetti@yahoo.com - - - Lacey - - - WA - - - United States - - - Dela Cruz Residence - - - 1118 Villanova St NE - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Booster Club of Virginia -
- President Last Name: Marshall
Phone Number: 8042106332
Email Address: marshalchris@yahoo.com
City: Mechanicsville
State: Virginia
Country: United States
Venue: Sports Page Bar & Grill
Venue Location: 8319 Bell Creek Rd
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Chris - - - Marshall - - - 8042106332 - - - marshalchris@yahoo.com - - - Mechanicsville - - - Virginia - - - United States - - - - - - 8319 Bell Creek Rd - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Tampa -
Tampa FL United States The Bad Monkey 1717 East 7th Avenue
- President Last Name: Pascual
Phone Number: 3605931626
Email Address: matthew.pascual@gmail.com
City: Tampa
State: FL
Country: United States
Venue: The Bad Monkey
Venue Location: 1717 East 7th Avenue
Total Fans: 18
Website:
Facebook: https://www.facebook.com/NinerEmpireTampa
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Matthew - - - Pascual - - - 3605931626 - - - matthew.pascual@gmail.com - - - Tampa - - - FL - - - United States - - - The Bad Monkey - - - 1717 East 7th Avenue - - - 18.0 - - - - - - https://www.facebook.com/NinerEmpireTampa - - - - - - - - - - - - - - - - - -
- - 49ers Faithful Montana State -
Missoula MT United States Not yet determined 415 Coloma Way
- President Last Name: Kirkham
Phone Number: 4062441820
Email Address: Melissared72@hotmail.com
City: Missoula
State: MT
Country: United States
Venue: Not yet determined
Venue Location: 415 Coloma Way
Total Fans: 40
Website:
Facebook: https://www.facebook.com/groups/2370742863189848/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Melissa - - - Kirkham - - - 4062441820 - - - Melissared72@hotmail.com - - - Missoula - - - MT - - - United States - - - Not yet determined - - - 415 Coloma Way - - - 40.0 - - - - - - https://www.facebook.com/groups/2370742863189848/ - - - - - - - - - - - - - - - - - -
- - 49ers Fan club -
Corpus Christi Texas United States Click Paradise Billiards 5141 Oakhurst Dr.
- President Last Name: Mendez
Phone Number: 3615632198
Email Address: mendez0947@sbcglobal.net
City: Corpus Christi
State: Texas
Country: United States
Venue: Click Paradise Billiards
Venue Location: 5141 Oakhurst Dr.
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jess - - - Mendez - - - 3615632198 - - - mendez0947@sbcglobal.net - - - Corpus Christi - - - Texas - - - United States - - - Click Paradise Billiards - - - 5141 Oakhurst Dr. - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Delano -
Delano ca United States Aviator casino 1225 Airport dr
- President Last Name: uranday
Phone Number: 6613438275
Email Address: michaeluranday@yahoo.com
City: Delano
State: ca
Country: United States
Venue: Aviator casino
Venue Location: 1225 Airport dr
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - mike - - - uranday - - - 6613438275 - - - michaeluranday@yahoo.com - - - Delano - - - ca - - - United States - - - Aviator casino - - - 1225 Airport dr - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Mid South Niner Empire -
Nashville TN United States Winners Bar and Grill 1913 Division St
- President Last Name: J Taylor
Phone Number: 6159537124
Email Address: midsouthninerempire@gmail.com
City: Nashville
State: TN
Country: United States
Venue: Winners Bar and Grill
Venue Location: 1913 Division St
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tyrone - - - J Taylor - - - 6159537124 - - - midsouthninerempire@gmail.com - - - Nashville - - - TN - - - United States - - - Winners Bar and Grill - - - 1913 Division St - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Empire New York City -
New York New York United States Off The Wagon 109 MacDougal Street
- President Last Name: Ramirez
Phone Number: 6465429352
Email Address: miguel.ramirez4@aol.com
City: New York
State: New York
Country: United States
Venue: Off The Wagon
Venue Location: 109 MacDougal Street
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Miguel - - - Ramirez - - - 6465429352 - - - miguel.ramirez4@aol.com - - - New York - - - New York - - - United States - - - Off The Wagon - - - 109 MacDougal Street - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Empire High Desert -
- President Last Name: Kidwell (president)
Phone Number: 7605879798
Email Address: mikekid23@gmail.com
City: hesperia
State: California
Country: United States
Venue: Thorny's
Venue Location: 1330 Ranchero rd.
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Mike - - - Kidwell (president) - - - 7605879798 - - - mikekid23@gmail.com - - - hesperia - - - California - - - United States - - - - - - 1330 Ranchero rd. - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Mile High 49ers -
Denver Colorado United States IceHouse Tavern 1801 Wynkoop St
- President Last Name: Gibian
Phone Number: 3038425017
Email Address: milehigh49ers@gmail.com
City: Denver
State: Colorado
Country: United States
Venue: IceHouse Tavern
Venue Location: 1801 Wynkoop St
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Howard - - - Gibian - - - 3038425017 - - - milehigh49ers@gmail.com - - - Denver - - - Colorado - - - United States - - - IceHouse Tavern - - - 1801 Wynkoop St - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NOCO 49ers -
Windsor CO United States The Summit Windsor 4455 N Fairgrounds Ave
- President Last Name: Fregosi
Phone Number: (323) 440-3129
Email Address: milehigh49ersnoco@gmail.com
City: Windsor
State: CO
Country: United States
Venue: The Summit Windsor
Venue Location: 4455 N Fairgrounds Ave
Total Fans: 677
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ryan - - - Fregosi - - - (323) 440-3129 - - - milehigh49ersnoco@gmail.com - - - Windsor - - - CO - - - United States - - - The Summit Windsor - - - 4455 N Fairgrounds Ave - - - 677.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Milwaukee Spartans of the Niner Empire -
Wauwatosa WI United States jacksons blue ribbon pub 11302 w bluemound rd
- President Last Name: Rayls
Phone Number: 4142429903
Email Address: Milwaukeespartan@gmail.com
City: Wauwatosa
State: WI
Country: United States
Venue: jacksons blue ribbon pub
Venue Location: 11302 w bluemound rd
Total Fans: 5
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Brandon - - - Rayls - - - 4142429903 - - - Milwaukeespartan@gmail.com - - - Wauwatosa - - - WI - - - United States - - - jacksons blue ribbon pub - - - 11302 w bluemound rd - - - 5.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - SAN ANGELO NINER EMPIRE -
san angelo tx United States buffalo wild wings 4251 sherwoodway
- President Last Name: barrientod
Phone Number: 3257165662
Email Address: mireyapablo@yahoo.com
City: san angelo
State: tx
Country: United States
Venue: buffalo wild wings
Venue Location: 4251 sherwoodway
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - pablo - - - barrientod - - - 3257165662 - - - mireyapablo@yahoo.com - - - san angelo - - - tx - - - United States - - - buffalo wild wings - - - 4251 sherwoodway - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 580 FAITHFUL -
Devol OK United States APACHE LONE STAR CASUNO Devol, Oklahoma
- President Last Name: Mitchusson
Phone Number: 5802848928
Email Address: Mitchussonld44@gmail.com
City: Devol
State: OK
Country: United States
Venue: APACHE LONE STAR CASUNO
Venue Location: Devol, Oklahoma
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Lowell - - - Mitchusson - - - 5802848928 - - - Mitchussonld44@gmail.com - - - Devol - - - OK - - - United States - - - APACHE LONE STAR CASUNO - - - Devol, Oklahoma - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers of Ohio -
- President Last Name: Leslie
Phone Number: 9373974225
Email Address: mleslie7671@yahoo.com
City: Xenia
State: Ohio
Country: United States
Venue: Cafe Ole'
Venue Location: 131 North Allison Ave
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Monica - - - Leslie - - - 9373974225 - - - mleslie7671@yahoo.com - - - Xenia - - - Ohio - - - United States - - - - - - 131 North Allison Ave - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 307 FAITHFUL -
Cheyenne WY United States 4013 Golden Ct, Cheyenne, Wyoming 4013 Golden Ct
- President Last Name: Mason
Phone Number: 3073653179
Email Address: mmason123169@gmail.com
City: Cheyenne
State: WY
Country: United States
Venue: 4013 Golden Ct, Cheyenne, Wyoming
Venue Location: 4013 Golden Ct
Total Fans: 2
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Michael - - - Mason - - - 3073653179 - - - mmason123169@gmail.com - - - Cheyenne - - - WY - - - United States - - - 4013 Golden Ct, Cheyenne, Wyoming - - - 4013 Golden Ct - - - 2.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Mojave Desert 49er Faithfuls -
- President Last Name: Ortega
Phone Number: 7609277246
Email Address: mojavedesert49erfaithfuls@gmail.com
City: Apple Valley
State: CA
Country: United States
Venue: Gator's Sports Bar and Grill - Apple Valley
Venue Location: 21041 Bear Valley Rd
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Nicole - - - Ortega - - - 7609277246 - - - mojavedesert49erfaithfuls@gmail.com - - - Apple Valley - - - CA - - - United States - - - - - - 21041 Bear Valley Rd - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Dusty Faithful -
Socorro TX United States The Dusty Tap Bar 10297 Socorro Rd
- President Last Name: Montero
Phone Number: 9153463686
Email Address: monterophoto@aol.com
City: Socorro
State: TX
Country: United States
Venue: The Dusty Tap Bar
Venue Location: 10297 Socorro Rd
Total Fans: 45
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Alejandro - - - Montero - - - 9153463686 - - - monterophoto@aol.com - - - Socorro - - - TX - - - United States - - - The Dusty Tap Bar - - - 10297 Socorro Rd - - - 45.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Duke City Faithful -
Albuquerque N.M. United States Buffalo wild wings 6001 iliff rd.
- President Last Name: Young
Phone Number: 5055451180
Email Address: mr49ers16@gmail.com
City: Albuquerque
State: N.M.
Country: United States
Venue: Buffalo wild wings
Venue Location: 6001 iliff rd.
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - David - - - Young - - - 5055451180 - - - mr49ers16@gmail.com - - - Albuquerque - - - N.M. - - - United States - - - Buffalo wild wings - - - 6001 iliff rd. - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Emilio -
Casa grande Arizona(AZ) United States Liquor factory bar and deli 930 E Florence
- President Last Name:
Phone Number: 5203719925
Email Address: mraztecacg520@hotmail.com
City: Casa grande
State: Arizona(AZ)
Country: United States
Venue: Liquor factory bar and deli
Venue Location: 930 E Florence
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Bustos - - - - - - 5203719925 - - - mraztecacg520@hotmail.com - - - Casa grande - - - Arizona(AZ) - - - United States - - - Liquor factory bar and deli - - - 930 E Florence - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - New Mexico Niner Empire -
Albuquerque New Mexico United States Ojos Locos Sports Cantina Park Square,2105 Louisiana Blvd N.E
- President Last Name: Montano
Phone Number: 5054894879
Email Address: mrchunky1@live.com
City: Albuquerque
State: New Mexico
Country: United States
Venue: Ojos Locos Sports Cantina
Venue Location: Park Square,2105 Louisiana Blvd N.E
Total Fans: 250
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Charles - - - Montano - - - 5054894879 - - - mrchunky1@live.com - - - Albuquerque - - - New Mexico - - - United States - - - Ojos Locos Sports Cantina - - - Park Square,2105 Louisiana Blvd N.E - - - 250.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - So Cal Niner Empire -
Long Beach Ca United States Gallaghers Irish Pub and Grill 2751 E. Broadway
- President Last Name: Curtis Shepperd
Phone Number: 5626593944
Email Address: mrrascurt@att.net
City: Long Beach
State: Ca
Country: United States
Venue: Gallaghers Irish Pub and Grill
Venue Location: 2751 E. Broadway
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ras - - - Curtis Shepperd - - - 5626593944 - - - mrrascurt@att.net - - - Long Beach - - - Ca - - - United States - - - Gallaghers Irish Pub and Grill - - - 2751 E. Broadway - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Faithful of Charlotte -
Charlotte North Carolina United States Strike City Charlotte 210 E. Trade St.
- President Last Name: Lutz
Phone Number: 9802000224
Email Address: mrryanlutz@yahoo.com
City: Charlotte
State: North Carolina
Country: United States
Venue: Strike City Charlotte
Venue Location: 210 E. Trade St.
Total Fans: 353
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ryan - - - Lutz - - - 9802000224 - - - mrryanlutz@yahoo.com - - - Charlotte - - - North Carolina - - - United States - - - Strike City Charlotte - - - 210 E. Trade St. - - - 353.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - MSP Niner Faithful -
Saint Paul MN United States Firebox BBQ 1585 Marshall Ave
- President Last Name: Lee
Phone Number: 6126365232
Email Address: mspniners@gmail.com
City: Saint Paul
State: MN
Country: United States
Venue: Firebox BBQ
Venue Location: 1585 Marshall Ave
Total Fans: 5
Website:
Facebook: Www.fb.me/mspniners
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Xp - - - Lee - - - 6126365232 - - - mspniners@gmail.com - - - Saint Paul - - - MN - - - United States - - - Firebox BBQ - - - 1585 Marshall Ave - - - 5.0 - - - - - - Www.fb.me/mspniners - - - - - - - - - - - - - - - - - -
- - Mississippi Niner Empire Chapter-Jackson -
Jackson Ms. United States M-Bar Sports Grill 6340 Ridgewood Ct.
- President Last Name: Jones
Phone Number: 6019187982
Email Address: mssajson@gmail.com
City: Jackson
State: Ms.
Country: United States
Venue: M-Bar Sports Grill
Venue Location: 6340 Ridgewood Ct.
Total Fans: 69
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Nicholas - - - Jones - - - 6019187982 - - - mssajson@gmail.com - - - Jackson - - - Ms. - - - United States - - - M-Bar Sports Grill - - - 6340 Ridgewood Ct. - - - 69.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - BayArea Faithfuls -
Pleasant Hill California United States Damo Sushi 508 Contra Costa Blvd
- President Last Name: Punla
Phone Number: 9256982330
Email Address: myrapunla@att.net
City: Pleasant Hill
State: California
Country: United States
Venue: Damo Sushi
Venue Location: 508 Contra Costa Blvd
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jon - - - Punla - - - 9256982330 - - - myrapunla@att.net - - - Pleasant Hill - - - California - - - United States - - - Damo Sushi - - - 508 Contra Costa Blvd - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - AZ49erFaithful -
mesa az United States Boulders on Southern 1010 w Southern ave suite 1
- President Last Name: Cordova
Phone Number: 4803525459
Email Address: nachocordova73@gmail.com
City: mesa
State: az
Country: United States
Venue: Boulders on Southern
Venue Location: 1010 w Southern ave suite 1
Total Fans: 120
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ignacio - - - Cordova - - - 4803525459 - - - nachocordova73@gmail.com - - - mesa - - - az - - - United States - - - Boulders on Southern - - - 1010 w Southern ave suite 1 - - - 120.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Pluckers Alamo Ranch -
San Antonio TX United States Pluckers Wong Bar 202 Meadow Bend Dr
- President Last Name: Robles
Phone Number: 2103164674
Email Address: naomiaranda@yahoo.com
City: San Antonio
State: TX
Country: United States
Venue: Pluckers Wong Bar
Venue Location: 202 Meadow Bend Dr
Total Fans: 45
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Naomi - - - Robles - - - 2103164674 - - - naomiaranda@yahoo.com - - - San Antonio - - - TX - - - United States - - - Pluckers Wong Bar - - - 202 Meadow Bend Dr - - - 45.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Natural State Niners -
Jonesboro AR United States Buffalo Wild Wings 1503 Red Wolf Blvd
- President Last Name: Blanchett
Phone Number: 870-519-9373
Email Address: naturalstateniners@gmail.com
City: Jonesboro
State: AR
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 1503 Red Wolf Blvd
Total Fans: 105
Website:
Facebook: www.facebook.com/NSNiners
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Denishio - - - Blanchett - - - 870-519-9373 - - - naturalstateniners@gmail.com - - - Jonesboro - - - AR - - - United States - - - Buffalo Wild Wings - - - 1503 Red Wolf Blvd - - - 105.0 - - - - - - www.facebook.com/NSNiners - - - - - - - - - - - - - - - - - -
- - North Carolina Gold Blooded Empire -
Raleigh North Carolina United States Tobacco Road - Raleigh 222 Glenwood Avenue
- President Last Name:
Phone Number: 5614050582
Email Address: ncgoldblooded@gmail.com
City: Raleigh
State: North Carolina
Country: United States
Venue: Tobacco Road - Raleigh
Venue Location: 222 Glenwood Avenue
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - ncgoldblooded@gmail.com - - - - - - 5614050582 - - - ncgoldblooded@gmail.com - - - Raleigh - - - North Carolina - - - United States - - - Tobacco Road - Raleigh - - - 222 Glenwood Avenue - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Spartan Empire of North Carolina -
Greensboro NC United States World of Beer 1310 westover terr
- President Last Name: Green
Phone Number: 3365588525
Email Address: ncspartans5@gmail.com
City: Greensboro
State: NC
Country: United States
Venue: World of Beer
Venue Location: 1310 westover terr
Total Fans: 8
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Karlton - - - Green - - - 3365588525 - - - ncspartans5@gmail.com - - - Greensboro - - - NC - - - United States - - - World of Beer - - - 1310 westover terr - - - 8.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Kings County -
- President Last Name: Cuevas
Phone Number: (559) 380-5061
Email Address: NEKC559@YAHOO.COM
City: Hanford
State: CA
Country: United States
Venue: Fatte Albert's pizza co
Venue Location: 110 E 7th St
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Javier - - - Cuevas - - - (559) 380-5061 - - - NEKC559@YAHOO.COM - - - Hanford - - - CA - - - United States - - - - - - 110 E 7th St - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - New Mexico Gold Rush -
- President Last Name: Urbina
Phone Number: 5053216498
Email Address: NewMexicoGoldRush@aol.com
City: Rio Rancho
State: NM
Country: United States
Venue: Applebee's
Venue Location: 4100 Ridge Rock Rd
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Larry - - - Urbina - - - 5053216498 - - - NewMexicoGoldRush@aol.com - - - Rio Rancho - - - NM - - - United States - - - - - - 4100 Ridge Rock Rd - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner 408 Squad -
San Jose CA United States Personal home 3189 Apperson Ridge Court
- President Last Name: Anthony
Phone Number: 650-333-6117
Email Address: niner408squad@yahoo.com
City: San Jose
State: CA
Country: United States
Venue: Personal home
Venue Location: 3189 Apperson Ridge Court
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tracey - - - Anthony - - - 650-333-6117 - - - niner408squad@yahoo.com - - - San Jose - - - CA - - - United States - - - Personal home - - - 3189 Apperson Ridge Court - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINER ALLEY -
moreno valley ca United States home 13944 grant st
- President Last Name: ambriz
Phone Number: 9518670172
Email Address: nineralley@gmail.com
City: moreno valley
State: ca
Country: United States
Venue: home
Venue Location: 13944 grant st
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - junior - - - ambriz - - - 9518670172 - - - nineralley@gmail.com - - - moreno valley - - - ca - - - United States - - - home - - - 13944 grant st - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire San Antonio -
- President Last Name: Archuleta
Phone Number: 5599677071
Email Address: ninerempire_sanantonio@yahoo.com
City: San Antonio
State: Texas
Country: United States
Venue: Fatso's
Venue Location: 1704 Bandera Road
Total Fans: 25
Website:
Facebook: https://www.facebook.com/ninerempire.antonio
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jesus - - - Archuleta - - - 5599677071 - - - ninerempire_sanantonio@yahoo.com - - - San Antonio - - - Texas - - - United States - - - - - - 1704 Bandera Road - - - 25.0 - - - - - - https://www.facebook.com/ninerempire.antonio - - - - - - - - - - - - - - - - - -
- - NinerEmpire520 -
- President Last Name: (Bubba) Avalos
Phone Number: 5209711614
Email Address: ninerempire520@gmail.com
City: Tucson
State: AZ
Country: United States
Venue: Maloney's
Venue Location: 213 North 4th Ave
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joseph - - - (Bubba) Avalos - - - 5209711614 - - - ninerempire520@gmail.com - - - Tucson - - - AZ - - - United States - - - - - - 213 North 4th Ave - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Empire Desert West -
- President Last Name: Enriquez
Phone Number: 6024594333
Email Address: ninerempiredw@yahoo.com
City: Glendale
State: Arizona
Country: United States
Venue: McFadden's Glendale
Venue Location: 9425 West Coyotes Blvd
Total Fans: 60
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Daniel - - - Enriquez - - - 6024594333 - - - ninerempiredw@yahoo.com - - - Glendale - - - Arizona - - - United States - - - - - - 9425 West Coyotes Blvd - - - 60.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire EPT -
el paso tx United States knockout pizza 10110 mccombs
- President Last Name: Chavez
Phone Number: 9155026670
Email Address: ninerempireept@gmail.com
City: el paso
State: tx
Country: United States
Venue: knockout pizza
Venue Location: 10110 mccombs
Total Fans: 12
Website:
Facebook: http://www.facebook.com/groups/ninerempireept
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Pete - - - Chavez - - - 9155026670 - - - ninerempireept@gmail.com - - - el paso - - - tx - - - United States - - - knockout pizza - - - 10110 mccombs - - - 12.0 - - - - - - http://www.facebook.com/groups/ninerempireept - - - - - - - - - - - - - - - - - -
- - Niner Empire Henderson, NV -
Henderson Nevada United States Hi Scores Bar-Arcade 65 S Stephanie St
- President Last Name: Bryant-Chavez
Phone Number: 7027692152
Email Address: NinerEmpireHenderson@yahoo.com
City: Henderson
State: Nevada
Country: United States
Venue: Hi Scores Bar-Arcade
Venue Location: 65 S Stephanie St
Total Fans: 11
Website:
Facebook: http://www.facebook.com/ninerempirehenderson
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jay - - - Bryant-Chavez - - - 7027692152 - - - NinerEmpireHenderson@yahoo.com - - - Henderson - - - Nevada - - - United States - - - Hi Scores Bar-Arcade - - - 65 S Stephanie St - - - 11.0 - - - - - - http://www.facebook.com/ninerempirehenderson - - - - - - - - - - - - - - - - - -
- - Niner Empire Salem -
Salem OR United States IWingz IWingz
- President Last Name: Stevens
Phone Number: 9712184734
Email Address: ninerempiresalem2018@gmail.com
City: Salem
State: OR
Country: United States
Venue: IWingz
Venue Location: IWingz
Total Fans: 200
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Timothy - - - Stevens - - - 9712184734 - - - ninerempiresalem2018@gmail.com - - - Salem - - - OR - - - United States - - - IWingz - - - IWingz - - - 200.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire San Antonio -
San Antonio Texas United States Fatsos 1704 Bandera Rd
- President Last Name: Archuleta
Phone Number: 5599677071
Email Address: NinerEmpireSanAntoni0@oulook.com
City: San Antonio
State: Texas
Country: United States
Venue: Fatsos
Venue Location: 1704 Bandera Rd
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jesus - - - Archuleta - - - 5599677071 - - - NinerEmpireSanAntoni0@oulook.com - - - San Antonio - - - Texas - - - United States - - - Fatsos - - - 1704 Bandera Rd - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Southern Oregon -
- President Last Name: Alvarez
Phone Number: 5419440558
Email Address: NinerEmpireSoOr@gmail.com
City: Medford
State: OR
Country: United States
Venue: The Zone Sports Bar & Grill
Venue Location: 1250 Biddle Rd.
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Patricia - - - Alvarez - - - 5419440558 - - - NinerEmpireSoOr@gmail.com - - - Medford - - - OR - - - United States - - - - - - 1250 Biddle Rd. - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - niner empire faithfuls of toledo -
Toledo Ohio United States Legendz sports pub and grill 519 S. Reynolds RD
- President Last Name: Sims
Phone Number: 4199171537
Email Address: ninerempiretoledo@yahoo.com
City: Toledo
State: Ohio
Country: United States
Venue: Legendz sports pub and grill
Venue Location: 519 S. Reynolds RD
Total Fans: 27
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Darren - - - Sims - - - 4199171537 - - - ninerempiretoledo@yahoo.com - - - Toledo - - - Ohio - - - United States - - - Legendz sports pub and grill - - - 519 S. Reynolds RD - - - 27.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Las Vegas Niner EmpireNorth -
- President Last Name: Larsen
Phone Number: 7023033434
Email Address: Ninerfolife@yahoo.com
City: Las Vegas
State: NV
Country: United States
Venue: Timbers Bar & Grill
Venue Location: 7240 West Azure Drive
Total Fans: 50
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Susan - - - Larsen - - - 7023033434 - - - Ninerfolife@yahoo.com - - - Las Vegas - - - NV - - - United States - - - - - - 7240 West Azure Drive - - - 50.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINER FRONTIER -
las vegas NV United States Luckys Lounge 7345 S Jones Blvd
- President Last Name: white
Phone Number: 7023715898
Email Address: ninerfrontier@gmail.com
City: las vegas
State: NV
Country: United States
Venue: Luckys Lounge
Venue Location: 7345 S Jones Blvd
Total Fans: 8
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tyson - - - white - - - 7023715898 - - - ninerfrontier@gmail.com - - - las vegas - - - NV - - - United States - - - Luckys Lounge - - - 7345 S Jones Blvd - - - 8.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NINERS ROLLIN HARD IMPERIAL VALLEY -
Brawley CA United States SPOT 805 Bar and Grill 550 Main St
- President Last Name: Vallejo
Phone Number: 7604120919
Email Address: ninerrollinhard49@yahoo.com
City: Brawley
State: CA
Country: United States
Venue: SPOT 805 Bar and Grill
Venue Location: 550 Main St
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Juan - - - Vallejo - - - 7604120919 - - - ninerrollinhard49@yahoo.com - - - Brawley - - - CA - - - United States - - - SPOT 805 Bar and Grill - - - 550 Main St - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niners Rollin Hard EL Valle C.V. Chapter -
La Quinta CA United States The Beer Hunters 78483 Highway 111
- President Last Name: Garcia
Phone Number: 8282228545
Email Address: Niners49rollinhardcvchapter@yahoo.com
City: La Quinta
State: CA
Country: United States
Venue: The Beer Hunters
Venue Location: 78483 Highway 111
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joshua - - - Garcia - - - 8282228545 - - - Niners49rollinhardcvchapter@yahoo.com - - - La Quinta - - - CA - - - United States - - - The Beer Hunters - - - 78483 Highway 111 - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niners United -
- President Last Name: Soque
Phone Number: 4088576983
Email Address: ninersunited@gmail.com
City: Santa Clara
State: CA
Country: United States
Venue: Levi's Stadium Section 201, Section 110, Section 235 (8 of the 18 members are Season Ticket Holders)
Venue Location: 4900 Marie P DeBartolo Way
Total Fans: 18
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Eli - - - Soque - - - 4088576983 - - - ninersunited@gmail.com - - - Santa Clara - - - CA - - - United States - - - - - - 4900 Marie P DeBartolo Way - - - 18.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - San Francisco 49ers Fans of Chicago -
- President Last Name: Israileff
Phone Number: 3125904783
Email Address: nisraileff@gmail.com
City: Chicago
State: IL
Country: United States
Venue: Gracie O'Malley's (Wicker Park location), 1635 N Milwaukee Ave, Chicago, IL 60647
Venue Location: Gracie O'Malley's
Total Fans: 1990
Website:
Facebook: https://www.facebook.com/Chicago49ersFans
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Nathan - - - Israileff - - - 3125904783 - - - nisraileff@gmail.com - - - Chicago - - - IL - - - United States - - - - - - - - - 1990.0 - - - - - - https://www.facebook.com/Chicago49ersFans - - - - - - - - - - - - - - - - - -
- - NJ Niner Empire Faithful Warriors -
- President Last Name: Aguiluz
Phone Number: 2017022055
Email Address: nj_ninerempire@yahoo.com
City: Jersey City
State: New Jersey
Country: United States
Venue: O'Haras Downtown
Venue Location: 172 1st Street
Total Fans: 20
Website:
Facebook: https://m.facebook.com/njninerempire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joe - - - Aguiluz - - - 2017022055 - - - nj_ninerempire@yahoo.com - - - Jersey City - - - New Jersey - - - United States - - - - - - 172 1st Street - - - 20.0 - - - - - - https://m.facebook.com/njninerempire - - - - - - - - - - - - - - - - - -
- - NJ9ers -
- President Last Name: Rodriguez
Phone Number: 2017057762
Email Address: nj9ers2023@gmail.com
City: Bayonne
State: NJ
Country: United States
Venue: Mr. Cee's Bar & Grill
Venue Location: 17 E 21st Street
Total Fans: 35
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Arron - - - Rodriguez - - - 2017057762 - - - nj9ers2023@gmail.com - - - Bayonne - - - NJ - - - United States - - - - - - 17 E 21st Street - - - 35.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - North Idaho 49ers Faithful -
- President Last Name: Foshee
Phone Number: 2088183104
Email Address: northid49erfaithful@gmail.com
City: Coeur d'Alene
State: ID
Country: United States
Venue: Iron Horse Bar and Grille
Venue Location: 407 Sherman Ave
Total Fans: 700
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Josh - - - Foshee - - - 2088183104 - - - northid49erfaithful@gmail.com - - - - - - ID - - - United States - - - Iron Horse Bar and Grille - - - 407 Sherman Ave - - - 700.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Northwest Niner Empire -
Ellensburg WA United States Armies Horseshoe Sports Bar 106 W 3rd
- President Last Name: Hartless
Phone Number: 5093069273
Email Address: northwestninerempire@gmail.com
City: Ellensburg
State: WA
Country: United States
Venue: Armies Horseshoe Sports Bar
Venue Location: 106 W 3rd
Total Fans: 145
Website:
Facebook: https://www.facebook.com/groups/northwestninerempire/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - David - - - Hartless - - - 5093069273 - - - northwestninerempire@gmail.com - - - Ellensburg - - - WA - - - United States - - - Armies Horseshoe Sports Bar - - - 106 W 3rd - - - 145.0 - - - - - - https://www.facebook.com/groups/northwestninerempire/ - - - - - - - - - - - - - - - - - -
- - NOVA Niners -
- President Last Name: Gaffey
Phone Number: 7039691435
Email Address: novaniners@gmail.com
City: Herndon
State: VA
Country: United States
Venue: Finnegan's Sports Bar & Grill
Venue Location: 2310 Woodland Crossing Dr
Total Fans: 80
Website:
Facebook: http://www.facebook.com/nova.niners1
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Matt - - - Gaffey - - - 7039691435 - - - novaniners@gmail.com - - - Herndon - - - VA - - - United States - - - - - - 2310 Woodland Crossing Dr - - - 80.0 - - - - - - http://www.facebook.com/nova.niners1 - - - - - - - - - - - - - - - - - -
- - Austin Niner Empire -
- President Last Name: Williams
Phone Number: 8303870501
Email Address: nuthinlika9er@gmail.com
City: Austin
State: Texas
Country: United States
Venue: Mister Tramps Pub & Sports Bar
Venue Location: 8565 Research Blvd
Total Fans: 13
Website:
Facebook: http://www.Facebook.com/AustinNinerEmpire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Amber - - - Williams - - - 8303870501 - - - nuthinlika9er@gmail.com - - - Austin - - - Texas - - - United States - - - - - - 8565 Research Blvd - - - 13.0 - - - - - - http://www.Facebook.com/AustinNinerEmpire - - - - - - - - - - - - - - - - - -
- - New York 49ers Club -
- President Last Name: Greener
Phone Number: 6462677844
Email Address: nycredandgold@gmail.com
City: new york
State: ny
Country: United States
Venue: Finnerty's Sports Bar
Venue Location: 221 2nd Avenue
Total Fans: 300
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joey - - - Greener - - - 6462677844 - - - nycredandgold@gmail.com - - - new york - - - ny - - - United States - - - - - - 221 2nd Avenue - - - 300.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Mad-town chapter -
Madera CA United States Madera Ranch 28423 Oregon Ave
- President Last Name: Velasquez
Phone Number: 559-664-2446
Email Address: onejavi481@gmail.com
City: Madera
State: CA
Country: United States
Venue: Madera Ranch
Venue Location: 28423 Oregon Ave
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Francisco - - - Velasquez - - - 559-664-2446 - - - onejavi481@gmail.com - - - Madera - - - CA - - - United States - - - Madera Ranch - - - 28423 Oregon Ave - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Gold Rush Army of Austin -
Austin TX United States Midway Field House 2015 E Riverside Dr
- President Last Name: Salgado
Phone Number: 5129491183
Email Address: osheavue@gmail.com
City: Austin
State: TX
Country: United States
Venue: Midway Field House
Venue Location: 2015 E Riverside Dr
Total Fans: 180
Website:
Facebook: https://www.facebook.com/GoldRushArmyofAustin
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Emmanuel - - - Salgado - - - 5129491183 - - - osheavue@gmail.com - - - Austin - - - TX - - - United States - - - Midway Field House - - - 2015 E Riverside Dr - - - 180.0 - - - - - - https://www.facebook.com/GoldRushArmyofAustin - - - - - - - - - - - - - - - - - -
- - niner alley -
MORENO VALLEY CA United States papa joes sports bar 12220 frederick ave
- President Last Name: ambriz
Phone Number: (951) 867-0172
Email Address: pambriz@mvusd.net
City: MORENO VALLEY
State: CA
Country: United States
Venue: papa joes sports bar
Venue Location: 12220 frederick ave
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - pedro - - - ambriz - - - (951) 867-0172 - - - pambriz@mvusd.net - - - MORENO VALLEY - - - CA - - - United States - - - papa joes sports bar - - - 12220 frederick ave - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 413 Spartans -
Chicopee MA United States Bullseye Bullseye
- President Last Name: Ruiz
Phone Number: (413)361-9818
Email Address: papanut150@yahoo.com
City: Chicopee
State: MA
Country: United States
Venue: Bullseye
Venue Location: Bullseye
Total Fans: 17
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ricky Pnut - - - Ruiz - - - (413)361-9818 - - - papanut150@yahoo.com - - - Chicopee - - - MA - - - United States - - - Bullseye - - - Bullseye - - - 17.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Portland OR United States The Mule Bar 4915 NE Fremont Street
- President Last Name: Hylland
Phone Number: 503-550-9738
Email Address: paula@themulebar.com
City: Portland
State: OR
Country: United States
Venue: The Mule Bar
Venue Location: 4915 NE Fremont Street
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Paula - - - Hylland - - - 503-550-9738 - - - paula@themulebar.com - - - Portland - - - OR - - - United States - - - The Mule Bar - - - 4915 NE Fremont Street - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 585faithful -
dansville NY United States dansville ny 108 main st
- President Last Name:
Phone Number: 5852592796
Email Address: paulfiref@gmail.com
City: dansville
State: NY
Country: United States
Venue: dansville ny
Venue Location: 108 main st
Total Fans: 1
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - patterson - - - - - - 5852592796 - - - paulfiref@gmail.com - - - dansville - - - NY - - - United States - - - dansville ny - - - 108 main st - - - 1.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Cen Cal 559 -
PORTERVILLE CA United States BRICKHOUSE BAR AND GRILL 152 North Hockett Street
- President Last Name: Castro
Phone Number: 5599203535
Email Address: PAULINECASTRO87@MSN.COM
City: PORTERVILLE
State: CA
Country: United States
Venue: BRICKHOUSE BAR AND GRILL
Venue Location: 152 North Hockett Street
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Pauline - - - Castro - - - 5599203535 - - - PAULINECASTRO87@MSN.COM - - - PORTERVILLE - - - CA - - - United States - - - BRICKHOUSE BAR AND GRILL - - - 152 North Hockett Street - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Solana Beach CA United States Saddle Bar 123 W Plaza St
- President Last Name: Parker
Phone Number: 9254514477
Email Address: peterparker61925@yahoo.com
City: Solana Beach
State: CA
Country: United States
Venue: Saddle Bar
Venue Location: 123 W Plaza St
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Mike - - - Parker - - - 9254514477 - - - peterparker61925@yahoo.com - - - Solana Beach - - - CA - - - United States - - - Saddle Bar - - - 123 W Plaza St - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Westside Niners Nation -
Culver City CA United States Buffalo Wings and Pizza 5571 Sepulveda Blvd.
- President Last Name: Gonzalez
Phone Number: 6262024448
Email Address: pibe444@hotmail.com
City: Culver City
State: CA
Country: United States
Venue: Buffalo Wings and Pizza
Venue Location: 5571 Sepulveda Blvd.
Total Fans: 16
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Leo - - - Gonzalez - - - 6262024448 - - - pibe444@hotmail.com - - - Culver City - - - CA - - - United States - - - Buffalo Wings and Pizza - - - 5571 Sepulveda Blvd. - - - 16.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Pinal county niner empire -
Casa grande Arizona(AZ) United States Liquor factory bar and deli 930 E Florence
- President Last Name: Bustos
Phone Number: 5203719925
Email Address: pinalninerempire@gmail.com
City: Casa grande
State: Arizona(AZ)
Country: United States
Venue: Liquor factory bar and deli
Venue Location: 930 E Florence
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Emilio - - - Bustos - - - 5203719925 - - - pinalninerempire@gmail.com - - - Casa grande - - - Arizona(AZ) - - - United States - - - Liquor factory bar and deli - - - 930 E Florence - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Prescott, AZ 49ers faithful -
Prescott AZ United States Prescott Office Resturant 128 N. Cortez St.
- President Last Name: Marquardt
Phone Number: 4252561925
Email Address: pmarquardt2011@gmail.com
City: Prescott
State: AZ
Country: United States
Venue: Prescott Office Resturant
Venue Location: 128 N. Cortez St.
Total Fans: 28
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Pam - - - Marquardt - - - 4252561925 - - - pmarquardt2011@gmail.com - - - Prescott - - - AZ - - - United States - - - Prescott Office Resturant - - - 128 N. Cortez St. - - - 28.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Honolulu Hawaii United States To be determined To be determined
- President Last Name: Miyamoto
Phone Number: 8082585120
Email Address: promoto1@hawaiiantel.net
City: Honolulu
State: Hawaii
Country: United States
Venue: To be determined
Venue Location: To be determined
Total Fans: 50
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Randy - - - Miyamoto - - - 8082585120 - - - promoto1@hawaiiantel.net - - - Honolulu - - - Hawaii - - - United States - - - To be determined - - - To be determined - - - 50.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Portland -
Portland OR United States KingPins Portland 3550 SE 92nd ave
- President Last Name: Urzua
Phone Number: (503) 544-3640
Email Address: purzua76@gmail.com
City: Portland
State: OR
Country: United States
Venue: KingPins Portland
Venue Location: 3550 SE 92nd ave
Total Fans: 100
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Pedro - - - Urzua - - - (503) 544-3640 - - - purzua76@gmail.com - - - Portland - - - OR - - - United States - - - KingPins Portland - - - 3550 SE 92nd ave - - - 100.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - QueensandKings Bay Area Empire Chapter -
Antioch Ca United States Tailgaters 4605 Golf Course Rd
- President Last Name:
Phone Number: 9253054704
Email Address: queensandkings49@gmail.com
City: Antioch
State: Ca
Country: United States
Venue: Tailgaters
Venue Location: 4605 Golf Course Rd
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Queen - - - - - - 9253054704 - - - queensandkings49@gmail.com - - - Antioch - - - Ca - - - United States - - - Tailgaters - - - 4605 Golf Course Rd - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Club 49 Tailgate Crew -
Pleasanton California United States Sunshine Saloon Sports Bar 1807 Santa Rita Rd #K
- President Last Name: Chavez
Phone Number: 4086671847
Email Address: raiderhater@club49.org
City: Pleasanton
State: California
Country: United States
Venue: Sunshine Saloon Sports Bar
Venue Location: 1807 Santa Rita Rd #K
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Alex - - - Chavez - - - 4086671847 - - - raiderhater@club49.org - - - Pleasanton - - - California - - - United States - - - Sunshine Saloon Sports Bar - - - 1807 Santa Rita Rd #K - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Nyc Chapter -
New York New York United States Off the Wagon 109 Macdougal St,
- President Last Name: Ramirez
Phone Number: 6465429352
Email Address: ram4449ers@aol.com
City: New York
State: New York
Country: United States
Venue: Off the Wagon
Venue Location: 109 Macdougal St,
Total Fans: 35
Website:
Facebook: https://www.facebook.com/niner.nychapter
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Miguel - - - Ramirez - - - 6465429352 - - - ram4449ers@aol.com - - - New York - - - New York - - - United States - - - Off the Wagon - - - 109 Macdougal St, - - - 35.0 - - - - - - https://www.facebook.com/niner.nychapter - - - - - - - - - - - - - - - - - -
- - 49er faithfuls Yakima,Wa -
Yakima Wa United States TheEndzone 1023 N 1st
- President Last Name: Salazar
Phone Number: 5093076839
Email Address: Ramirez14148@gmail.com
City: Yakima
State: Wa
Country: United States
Venue: TheEndzone
Venue Location: 1023 N 1st
Total Fans: 35
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Olivia - - - Salazar - - - 5093076839 - - - Ramirez14148@gmail.com - - - Yakima - - - Wa - - - United States - - - TheEndzone - - - 1023 N 1st - - - 35.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Aurora CO United States 17307 E Flora Place 17307 E Flora Place
- President Last Name: Cantu'
Phone Number: 7209080304
Email Address: raton76.fc@gmail.com
City: Aurora
State: CO
Country: United States
Venue: 17307 E Flora Place
Venue Location: 17307 E Flora Place
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Fito - - - - - - 7209080304 - - - raton76.fc@gmail.com - - - Aurora - - - CO - - - United States - - - 17307 E Flora Place - - - 17307 E Flora Place - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er F8thfuls -
Gardena Ca United States Paradise 889 w 190th
- President Last Name: Casper
Phone Number: 5626404112
Email Address: ray@rdnetwrks.com
City: Gardena
State: Ca
Country: United States
Venue: Paradise
Venue Location: 889 w 190th
Total Fans: 50
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ray - - - Casper - - - 5626404112 - - - ray@rdnetwrks.com - - - Gardena - - - Ca - - - United States - - - Paradise - - - 889 w 190th - - - 50.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - westside9ers -
Downey CA United States Bar Louie 8860 Apollo Way
- President Last Name: Casper
Phone Number: 562-322-8833
Email Address: raycasper5@yahoo.com
City: Downey
State: CA
Country: United States
Venue: Bar Louie
Venue Location: 8860 Apollo Way
Total Fans: 75
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ray - - - Casper - - - 562-322-8833 - - - raycasper5@yahoo.com - - - Downey - - - CA - - - United States - - - Bar Louie - - - 8860 Apollo Way - - - 75.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Spartan 9er Empire Connecticut -
EastHartford CO United States Red Room 1543 Main St
- President Last Name: Dogans
Phone Number: 8609951926
Email Address: Raymonddogans224@gmail.com
City: EastHartford
State: CO
Country: United States
Venue: Red Room
Venue Location: 1543 Main St
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Raymond - - - Dogans - - - 8609951926 - - - Raymonddogans224@gmail.com - - - EastHartford - - - CO - - - United States - - - Red Room - - - 1543 Main St - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Sandy Springs GA United States Hudson Grille Sandy Springs 6317 Roswell Rd NE
- President Last Name: Box
Phone Number: 6786322673
Email Address: RednGoldEmpire@gmail.com
City: Sandy Springs
State: GA
Country: United States
Venue: Hudson Grille Sandy Springs
Venue Location: 6317 Roswell Rd NE
Total Fans: 25
Website:
Facebook: https://www.facebook.com/RGEmpire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Stephen - - - Box - - - 6786322673 - - - RednGoldEmpire@gmail.com - - - Sandy Springs - - - GA - - - United States - - - Hudson Grille Sandy Springs - - - 6317 Roswell Rd NE - - - 25.0 - - - - - - https://www.facebook.com/RGEmpire - - - - - - - - - - - - - - - - - -
- - RENO NINEREMPIRE -
- President Last Name: Gudiel
Phone Number: 7755606361
Email Address: reno9erempire@gmail.com
City: Reno
State: Nv
Country: United States
Venue: Semenza's Pizzeria
Venue Location: 4380 Neil rd.
Total Fans: 35
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Walter - - - Gudiel - - - 7755606361 - - - reno9erempire@gmail.com - - - Reno - - - Nv - - - United States - - - - - - 4380 Neil rd. - - - 35.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 650 Niner Empire peninsula chapter -
South San Francisco Ca United States 7 Mile House 1201 bayshore blvd
- President Last Name: Reyes Raquel Ortiz
Phone Number: 6502711535
Email Address: reyesj650@gmail.com
City: South San Francisco
State: Ca
Country: United States
Venue: 7 Mile House
Venue Location: 1201 bayshore blvd
Total Fans: 27
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jose - - - Reyes Raquel Ortiz - - - 6502711535 - - - reyesj650@gmail.com - - - South San Francisco - - - Ca - - - United States - - - 7 Mile House - - - 1201 bayshore blvd - - - 27.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Spartan Niner Empire California -
Colma CA United States Molloys Tavern Molloys tavern
- President Last Name: Reyes
Phone Number: 6508346624
Email Address: reyesj650empire@gmail.com
City: Colma
State: CA
Country: United States
Venue: Molloys Tavern
Venue Location: Molloys tavern
Total Fans: 19
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jose - - - Reyes - - - 6508346624 - - - reyesj650empire@gmail.com - - - Colma - - - CA - - - United States - - - Molloys Tavern - - - Molloys tavern - - - 19.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Riverside county TEF (Thee Empire Faithful) -
Winchester CA United States Pizza factory 30676 Bentod Rd
- President Last Name: Flynn
Phone Number: (951) 390-6832
Email Address: riversidecountytef@gmail.com
City: Winchester
State: CA
Country: United States
Venue: Pizza factory
Venue Location: 30676 Bentod Rd
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Sean - - - Flynn - - - (951) 390-6832 - - - riversidecountytef@gmail.com - - - Winchester - - - CA - - - United States - - - Pizza factory - - - 30676 Bentod Rd - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Riverside 49ers Booster Club -
- President Last Name: Esmerio
Phone Number: 9098153880
Email Address: riversidefortyniners@gmail.com
City: Riverside
State: California
Country: United States
Venue: Lake Alice Trading Co Saloon &Eatery
Venue Location: 3616 University Ave
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gus - - - Esmerio - - - 9098153880 - - - riversidefortyniners@gmail.com - - - Riverside - - - California - - - United States - - - - - - 3616 University Ave - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Strong Iowa - Des Moines Chapter -
Ankeny IA United States Benchwarmers 705 S Ankeny Blvd
- President Last Name: Boehringer
Phone Number: 5156643526
Email Address: robert_boehringer@yahoo.com
City: Ankeny
State: IA
Country: United States
Venue: Benchwarmers
Venue Location: 705 S Ankeny Blvd
Total Fans: 8
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Rob - - - Boehringer - - - 5156643526 - - - robert_boehringer@yahoo.com - - - Ankeny - - - IA - - - United States - - - Benchwarmers - - - 705 S Ankeny Blvd - - - 8.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Mid South Niner Nation -
- President Last Name: Taylor
Phone Number: 6159537124
Email Address: roniram@hotmail.com
City: Nashville
State: TN
Country: United States
Venue: Kay Bob's
Venue Location: 1602 21st Ave S
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tyrone - - - Taylor - - - 6159537124 - - - roniram@hotmail.com - - - Nashville - - - TN - - - United States - - - - - - 1602 21st Ave S - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Kansas City 49ers Faithful -
Leavenworth KS United States Fox and hound. 10428 metcalf Ave. Overland Park, ks 22425
- President Last Name: Tilman
Phone Number: 8165898717
Email Address: ronnietilman@yahoo.com
City: Leavenworth
State: KS
Country: United States
Venue: Fox and hound. 10428 metcalf Ave. Overland Park, ks
Venue Location: 22425
Total Fans: 245
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ronnie - - - Tilman - - - 8165898717 - - - ronnietilman@yahoo.com - - - Leavenworth - - - KS - - - United States - - - Fox and hound. 10428 metcalf Ave. Overland Park, ks - - - 22425 - - - 245.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Booster Club Carmichael Ca -
Fair Oaks Ca United States Fair Oaks 7587 Pineridge Lane
- President Last Name: Hall
Phone Number: 9169965326
Email Address: rotten7583@comcast.net
City: Fair Oaks
State: Ca
Country: United States
Venue: Fair Oaks
Venue Location: 7587 Pineridge Lane
Total Fans: 38
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ramona - - - Hall - - - 9169965326 - - - rotten7583@comcast.net - - - Fair Oaks - - - Ca - - - United States - - - Fair Oaks - - - 7587 Pineridge Lane - - - 38.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Baton Rouge LA United States Sporting News Grill 4848 Constitution Avenue
- President Last Name: Wells
Phone Number: 2252419900
Email Address: rougeandgold@gmail.com
City: Baton Rouge
State: LA
Country: United States
Venue: Sporting News Grill
Venue Location: 4848 Constitution Avenue
Total Fans: 32
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Derek - - - Wells - - - 2252419900 - - - rougeandgold@gmail.com - - - Baton Rouge - - - LA - - - United States - - - Sporting News Grill - - - 4848 Constitution Avenue - - - 32.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Tulare County -
Visalia Ca United States 5th Quarter 3360 S. Fairway
- President Last Name: Murillo
Phone Number: 5592029388
Email Address: rt_murillo@yahoo.com
City: Visalia
State: Ca
Country: United States
Venue: 5th Quarter
Venue Location: 3360 S. Fairway
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Rita - - - Murillo - - - 5592029388 - - - rt_murillo@yahoo.com - - - Visalia - - - Ca - - - United States - - - 5th Quarter - - - 3360 S. Fairway - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Mile High 49ers NOCO Booster Club -
Greeley co United States Old Chicago Greeley 2349 W. 29th St
- President Last Name: Fregosi
Phone Number: 3234403129
Email Address: Ryan.fregosi@gmail.com
City: Greeley
State: co
Country: United States
Venue: Old Chicago Greeley
Venue Location: 2349 W. 29th St
Total Fans: 176
Website:
Facebook: http://www.facebook.com/milehigh49ersnocoboosterclub
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ryan - - - Fregosi - - - 3234403129 - - - Ryan.fregosi@gmail.com - - - Greeley - - - co - - - United States - - - Old Chicago Greeley - - - 2349 W. 29th St - - - 176.0 - - - - - - http://www.facebook.com/milehigh49ersnocoboosterclub - - - - - - - - - - - - - - - - - -
- - NINERFANS.COM -
Cupertino California United States Islands Bar And Grill (Cupertino) 20750 Stevens Creek Blvd.
- President Last Name: Sakamoto
Phone Number: 4086220996
Email Address: ryan@ninerfans.com
City: Cupertino
State: California
Country: United States
Venue: Islands Bar And Grill (Cupertino)
Venue Location: 20750 Stevens Creek Blvd.
Total Fans: 22
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Ryan - - - Sakamoto - - - 4086220996 - - - ryan@ninerfans.com - - - Cupertino - - - California - - - United States - - - Islands Bar And Grill (Cupertino) - - - 20750 Stevens Creek Blvd. - - - 22.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - San Diego Gold Rush -
San Diego CA United States Bootleggers 804 market st.
- President Last Name: Zubiate
Phone Number: 6198203631
Email Address: rzavsd@gmail.com
City: San Diego
State: CA
Country: United States
Venue: Bootleggers
Venue Location: 804 market st.
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Robert - - - Zubiate - - - 6198203631 - - - rzavsd@gmail.com - - - San Diego - - - CA - - - United States - - - Bootleggers - - - 804 market st. - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - East Valley Niner Empire -
- President Last Name: Cardona
Phone Number: 6026264006
Email Address: salcard49@yahoo.com
City: Apache Junction
State: AZ
Country: United States
Venue: Tumbleweed Bar & Grill
Venue Location: 725 W Apache Trail
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Selvin - - - Cardona - - - 6026264006 - - - salcard49@yahoo.com - - - Apache Junction - - - AZ - - - United States - - - - - - 725 W Apache Trail - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Santa Rosa Niner Empire -
Windsor CA United States Santa Rosa 140 3rd St
- President Last Name: Kingo Saucedo
Phone Number: 7076949476
Email Address: saucedo1981@live.com
City: Windsor
State: CA
Country: United States
Venue: Santa Rosa
Venue Location: 140 3rd St
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joaquin - - - Kingo Saucedo - - - 7076949476 - - - saucedo1981@live.com - - - Windsor - - - CA - - - United States - - - Santa Rosa - - - 140 3rd St - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Youngstown Faithful -
Canfield OH United States The Cave 369 Timber Run Drive
- President Last Name: West
Phone Number: 3305180874
Email Address: scottwest1@zoominternet.net
City: Canfield
State: OH
Country: United States
Venue: The Cave
Venue Location: 369 Timber Run Drive
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Scott - - - West - - - 3305180874 - - - scottwest1@zoominternet.net - - - Canfield - - - OH - - - United States - - - The Cave - - - 369 Timber Run Drive - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Seattle Niners Faithful -
Everett WA United States Great American Casino 12715 4th Ave W
- President Last Name: Carpenter
Phone Number: 6502469641
Email Address: SeattleNinersFaithful@gmail.com
City: Everett
State: WA
Country: United States
Venue: Great American Casino
Venue Location: 12715 4th Ave W
Total Fans: 300
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Brittany - - - Carpenter - - - 6502469641 - - - SeattleNinersFaithful@gmail.com - - - Everett - - - WA - - - United States - - - Great American Casino - - - 12715 4th Ave W - - - 300.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - San Francisco 49ers Faithful - Greater Triangle Area, NC -
Durham North Carolina United States Tobacco Road Sports Cafe 280 S. Mangum St. #100
- President Last Name: Edgar
Phone Number: 9194511624
Email Address: SF49ersFaithful.TriangleAreaNC@gmail.com
City: Durham
State: North Carolina
Country: United States
Venue: Tobacco Road Sports Cafe
Venue Location: 280 S. Mangum St. #100
Total Fans: 24
Website:
Facebook: https://www.facebook.com/groups/474297662683684/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Lora - - - Edgar - - - 9194511624 - - - SF49ersFaithful.TriangleAreaNC@gmail.com - - - Durham - - - North Carolina - - - United States - - - Tobacco Road Sports Cafe - - - 280 S. Mangum St. #100 - - - 24.0 - - - - - - https://www.facebook.com/groups/474297662683684/ - - - - - - - - - - - - - - - - - -
- - South Florida Gold Blooded Empire -
- President Last Name: ""Meme"" Jackson
Phone Number: 5103948854
Email Address: sff49ers@gmail.com
City: Boynton Beach
State: Florida
Country: United States
Venue: Miller's Ale House
Venue Location: 2212 N. Congress Avenue
Total Fans: 23
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Michelle - - - - - - 5103948854 - - - sff49ers@gmail.com - - - Boynton Beach - - - Florida - - - United States - - - - - - 2212 N. Congress Avenue - - - 23.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Red Bluff CA United States Tips Bar 501 walnut St.
- President Last Name: Keffer
Phone Number: 5305264764
Email Address: shanekeffer19@gmail.com
City: Red Bluff
State: CA
Country: United States
Venue: Tips Bar
Venue Location: 501 walnut St.
Total Fans: 40
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Shane - - - Keffer - - - 5305264764 - - - shanekeffer19@gmail.com - - - Red Bluff - - - CA - - - United States - - - Tips Bar - - - 501 walnut St. - - - 40.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Columbia Basin Niners Faithful -
Finley Washington United States Shooters 214711 e SR 397 314711 wa397
- President Last Name: Feldman
Phone Number: 5098451845
Email Address: shanora28@yahoo.com
City: Finley
State: Washington
Country: United States
Venue: Shooters
Venue Location: 214711 e SR 397 314711 wa397
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Christina - - - Feldman - - - 5098451845 - - - shanora28@yahoo.com - - - Finley - - - Washington - - - United States - - - Shooters - - - 214711 e SR 397 314711 wa397 - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 9er Elite -
Lake Elsinore CA United States Pins N Pockets 32250 Mission Trail
- President Last Name: Shaw
Phone Number: (951) 816-8801
Email Address: shawharmony@yahoo.com
City: Lake Elsinore
State: CA
Country: United States
Venue: Pins N Pockets
Venue Location: 32250 Mission Trail
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Harmony - - - Shaw - - - (951) 816-8801 - - - shawharmony@yahoo.com - - - Lake Elsinore - - - CA - - - United States - - - Pins N Pockets - - - 32250 Mission Trail - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Shore Faithful -
Barnegat NJ United States 603 East Bay Ave
- President Last Name: Griffin Jr
Phone Number: 6093396596
Email Address: shorefaithfulempire@gmail.com
City: Barnegat
State: NJ
Country: United States
Venue:
Venue Location: 603 East Bay Ave
Total Fans: 6
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Edward - - - Griffin Jr - - - 6093396596 - - - shorefaithfulempire@gmail.com - - - Barnegat - - - NJ - - - United States - - - - - - 603 East Bay Ave - - - 6.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Santa Fe Faithfuls -
Santa Fe New Mexico United States Blue Corn Brewery 4056 Cerrilos Rd.
- President Last Name: Apodaca
Phone Number: 5054708144
Email Address: sic.apodaca1@gmail.com
City: Santa Fe
State: New Mexico
Country: United States
Venue: Blue Corn Brewery
Venue Location: 4056 Cerrilos Rd.
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Anthony - - - Apodaca - - - 5054708144 - - - sic.apodaca1@gmail.com - - - Santa Fe - - - New Mexico - - - United States - - - Blue Corn Brewery - - - 4056 Cerrilos Rd. - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Sonoran Desert Niner Empire -
Maricopa AZ United States Cold beers and cheeseburgers 20350 N John Wayne Pkwy
- President Last Name: Yubeta
Phone Number: 5204147239
Email Address: sonorandesertninerempire@yahoo.com
City: Maricopa
State: AZ
Country: United States
Venue: Cold beers and cheeseburgers
Venue Location: 20350 N John Wayne Pkwy
Total Fans: 48
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Derek - - - Yubeta - - - 5204147239 - - - sonorandesertninerempire@yahoo.com - - - Maricopa - - - AZ - - - United States - - - Cold beers and cheeseburgers - - - 20350 N John Wayne Pkwy - - - 48.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 9549ERS faithful -
Davie FL United States Twin peaks Twin peaks
- President Last Name: Tobar
Phone Number: 3054953136
Email Address: soyyonell@yahoo.com
City: Davie
State: FL
Country: United States
Venue: Twin peaks
Venue Location: Twin peaks
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Nelson - - - Tobar - - - 3054953136 - - - soyyonell@yahoo.com - - - Davie - - - FL - - - United States - - - Twin peaks - - - Twin peaks - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 806 Niner Empire West Texas Chapter -
Lubbock Texas United States Buffalo Wild Wings 6320 19th st
- President Last Name: Frank Rodriquez
Phone Number: 8062929172
Email Address: state_champ_27@hotmail.com
City: Lubbock
State: Texas
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 6320 19th st
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joe - - - Frank Rodriquez - - - 8062929172 - - - state_champ_27@hotmail.com - - - Lubbock - - - Texas - - - United States - - - Buffalo Wild Wings - - - 6320 19th st - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Ohana Niner Empire -
Honolulu HI United States TBD 1234 TBD
- President Last Name: Sterling
Phone Number: 8082283453
Email Address: sterling.nathan@aol.com
City: Honolulu
State: HI
Country: United States
Venue: TBD
Venue Location: 1234 TBD
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Nathan - - - Sterling - - - 8082283453 - - - sterling.nathan@aol.com - - - Honolulu - - - HI - - - United States - - - TBD - - - 1234 TBD - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Westside Portland 49er Fan Club -
Portland OR United States The Cheerful Tortoise 1939 SW 6th Ave
- President Last Name: Englund
Phone Number: 9167470720
Email Address: stevenenglund@hotmail.com
City: Portland
State: OR
Country: United States
Venue: The Cheerful Tortoise
Venue Location: 1939 SW 6th Ave
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Steven - - - Englund - - - 9167470720 - - - stevenenglund@hotmail.com - - - Portland - - - OR - - - United States - - - The Cheerful Tortoise - - - 1939 SW 6th Ave - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ersGold -
Oakland Park FL United States stout bar and grill Stout Bar and Grill
- President Last Name: OCONNELL
Phone Number: 7542235678
Email Address: stoutbarandgrill3419@gmail.com
City: Oakland Park
State: FL
Country: United States
Venue: stout bar and grill
Venue Location: Stout Bar and Grill
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tim - - - OCONNELL - - - 7542235678 - - - stoutbarandgrill3419@gmail.com - - - Oakland Park - - - FL - - - United States - - - stout bar and grill - - - Stout Bar and Grill - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 4T9 MOB TRACY FAMILY -
Tracy Ca United States Buffalo wild wings 2796 Naglee road
- President Last Name: Borges Soto
Phone Number: 2096409543
Email Address: superrednece@comcast.net
City: Tracy
State: Ca
Country: United States
Venue: Buffalo wild wings
Venue Location: 2796 Naglee road
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jenese - - - Borges Soto - - - 2096409543 - - - superrednece@comcast.net - - - Tracy - - - Ca - - - United States - - - Buffalo wild wings - - - 2796 Naglee road - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Southern Oregon Chapter -
medford or United States imperial event center 41 north Front Street
- President Last Name: Perez
Phone Number: 5413015005
Email Address: susana.perez541@gmail.com
City: medford
State: or
Country: United States
Venue: imperial event center
Venue Location: 41 north Front Street
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Susana - - - Perez - - - 5413015005 - - - susana.perez541@gmail.com - - - medford - - - or - - - United States - - - imperial event center - - - 41 north Front Street - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - SacFaithful -
Cameron park CA United States Presidents home 3266 Cimmarron rd
- President Last Name: Mcconkey
Phone Number: (530) 315-9467
Email Address: synfulpleasurestattoos@gmail.com
City: Cameron park
State: CA
Country: United States
Venue: Presidents home
Venue Location: 3266 Cimmarron rd
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Gregory - - - Mcconkey - - - (530) 315-9467 - - - synfulpleasurestattoos@gmail.com - - - Cameron park - - - CA - - - United States - - - Presidents home - - - 3266 Cimmarron rd - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Faithful Of Southern Ohio -
piqua OH United States My House 410 Camp St
- President Last Name: Farrell
Phone Number: 9374189628
Email Address: tarafarrell86@gmail.com
City: piqua
State: OH
Country: United States
Venue: My House
Venue Location: 410 Camp St
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tara - - - Farrell - - - 9374189628 - - - tarafarrell86@gmail.com - - - piqua - - - OH - - - United States - - - My House - - - 410 Camp St - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NinerGangFaithfuls -
Oceanside ca United States my house 4020 Thomas st
- President Last Name: Siliga
Phone Number: 7609783736
Email Address: tattguy760@gmail.com
City: Oceanside
State: ca
Country: United States
Venue: my house
Venue Location: 4020 Thomas st
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Andrew - - - Siliga - - - 7609783736 - - - tattguy760@gmail.com - - - Oceanside - - - ca - - - United States - - - my house - - - 4020 Thomas st - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Jersey 49ers riders -
Trenton New Jersey United States sticky wecket 2465 S.broad st
- President Last Name: jackson
Phone Number: 6099544424
Email Address: terryjackson93@aol.com
City: Trenton
State: New Jersey
Country: United States
Venue: sticky wecket
Venue Location: 2465 S.broad st
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - terry - - - jackson - - - 6099544424 - - - terryjackson93@aol.com - - - Trenton - - - New Jersey - - - United States - - - sticky wecket - - - 2465 S.broad st - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Life Free or Die Faithfuls -
Concord NH United States Buffalo Wild Wings 8 Loudon Rd
- President Last Name: Vo
Phone Number: (703) 401-0212
Email Address: thangvo@gmail.com
City: Concord
State: NH
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 8 Loudon Rd
Total Fans: 3
Website:
Facebook: https://www.facebook.com/groups/876812822713709/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Thang - - - Vo - - - (703) 401-0212 - - - thangvo@gmail.com - - - Concord - - - NH - - - United States - - - Buffalo Wild Wings - - - 8 Loudon Rd - - - 3.0 - - - - - - https://www.facebook.com/groups/876812822713709/ - - - - - - - - - - - - - - - - - -
- - The 909 Niner Faithfuls -
- President Last Name: Del Rio
Phone Number: 3105929214
Email Address: The909NinerFaithfuls@gmail.com
City: Fontana
State: Ca
Country: United States
Venue: Boston's Sports Bar and Grill
Venue Location: 16927 Sierra Lakes Pkwy.
Total Fans: 30
Website:
Facebook: http://www.facebook.com/The909NinerFaithfuls
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joe - - - Del Rio - - - 3105929214 - - - The909NinerFaithfuls@gmail.com - - - Fontana - - - Ca - - - United States - - - - - - 16927 Sierra Lakes Pkwy. - - - 30.0 - - - - - - http://www.facebook.com/The909NinerFaithfuls - - - - - - - - - - - - - - - - - -
- - Arcadia Chapter -
Arcadia CA United States 4167 e live oak Ave 4167 e live oak Ave
- President Last Name: Martin
Phone Number: 6264459623
Email Address: Thebittavern@gmail.com
City: Arcadia
State: CA
Country: United States
Venue: 4167 e live oak Ave
Venue Location: 4167 e live oak Ave
Total Fans: 25
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Allyson - - - Martin - - - 6264459623 - - - Thebittavern@gmail.com - - - Arcadia - - - CA - - - United States - - - 4167 e live oak Ave - - - 4167 e live oak Ave - - - 25.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Thee Empire Faithful -
Fresno California United States Buffalo Wild Wings 3065 E Shaw Ave
- President Last Name: Rocha
Phone Number: 5592897293
Email Address: theeempirefaithfulfc@live.com
City: Fresno
State: California
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 3065 E Shaw Ave
Total Fans: 50
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Joe - - - Rocha - - - 5592897293 - - - theeempirefaithfulfc@live.com - - - Fresno - - - California - - - United States - - - Buffalo Wild Wings - - - 3065 E Shaw Ave - - - 50.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - The Oregon Faithful -
Eugene OR United States The Side Bar Side Bar
- President Last Name: Sutton
Phone Number: 5412063142
Email Address: theoregonfaithful@gmail.com
City: Eugene
State: OR
Country: United States
Venue: The Side Bar
Venue Location: Side Bar
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter): oregonfaithful on Twitter
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jeff - - - Sutton - - - 5412063142 - - - theoregonfaithful@gmail.com - - - Eugene - - - OR - - - United States - - - The Side Bar - - - Side Bar - - - 12.0 - - - - - - - - - - - - oregonfaithful on Twitter - - - - - - - - - - - -
- - The ORIGINAL Niner Empire-New Jersey Chapter -
- President Last Name: Murphy
Phone Number: 9082475788
Email Address: theoriginalninernjchapter@gmail.com
City: Linden
State: NJ
Country: United States
Venue: Nuno's Pavilion
Venue Location: 300 Roselle ave
Total Fans: 35
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Charlie - - - Murphy - - - 9082475788 - - - theoriginalninernjchapter@gmail.com - - - Linden - - - NJ - - - United States - - - - - - 300 Roselle ave - - - 35.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - What a Rush (gold) -
Rochester NY United States The Scotch House Pub 373 south Goodman street
- President Last Name: Smith
Phone Number: 5852788246
Email Address: thescotchhouse@gmail.com
City: Rochester
State: NY
Country: United States
Venue: The Scotch House Pub
Venue Location: 373 south Goodman street
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Paul - - - Smith - - - 5852788246 - - - thescotchhouse@gmail.com - - - Rochester - - - NY - - - United States - - - The Scotch House Pub - - - 373 south Goodman street - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Moreno Valley 49er Empire -
Moreno Vallay CA United States S Bar and Grill 23579 Sunnymead Ranch Pkwy
- President Last Name: Belt
Phone Number: 9519029955
Email Address: tibor.belt@yahoo.com
City: Moreno Vallay
State: CA
Country: United States
Venue: S Bar and Grill
Venue Location: 23579 Sunnymead Ranch Pkwy
Total Fans: 15
Website:
Facebook: https://www.facebook.com/pages/Moreno-Valley-49er-Empire/220528134738022
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tibor - - - Belt - - - 9519029955 - - - tibor.belt@yahoo.com - - - Moreno Vallay - - - CA - - - United States - - - S Bar and Grill - - - 23579 Sunnymead Ranch Pkwy - - - 15.0 - - - - - - https://www.facebook.com/pages/Moreno-Valley-49er-Empire/220528134738022 - - - - - - - - - - - - - - - - - -
- - The Niner Empire, 405 Faithfuls, Oklahoma City -
Oklahoma city OK United States Hooters NW Expressway OKC 3025 NW EXPRESSWAY
- President Last Name: Ward
Phone Number: 14054370161
Email Address: tne405faithfuls@gmail.com
City: Oklahoma city
State: OK
Country: United States
Venue: Hooters NW Expressway OKC
Venue Location: 3025 NW EXPRESSWAY
Total Fans: 25
Website:
Facebook: https://www.facebook.com/share/g/4RVmqumg1MQNtMSi/?mibextid=K35XfP
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Maria - - - Ward - - - 14054370161 - - - tne405faithfuls@gmail.com - - - Oklahoma city - - - OK - - - United States - - - Hooters NW Expressway OKC - - - 3025 NW EXPRESSWAY - - - 25.0 - - - - - - https://www.facebook.com/share/g/4RVmqumg1MQNtMSi/?mibextid=K35XfP - - - - - - - - - - - - - - - - - -
- - 707 EMPIRE VALLEY -
napa California United States Ruiz Home 696a stonehouse drive
- President Last Name: Ruiz
Phone Number: 7072971945
Email Address: tonyruiz49@gmail.com
City: napa
State: California
Country: United States
Venue: Ruiz Home
Venue Location: 696a stonehouse drive
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tony - - - Ruiz - - - 7072971945 - - - tonyruiz49@gmail.com - - - napa - - - California - - - United States - - - Ruiz Home - - - 696a stonehouse drive - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Treasure Valley 49er Faithful -
Star ID United States The Beer Guys Saloon 10937 W. State Street
- President Last Name: Starz
Phone Number: 208-964-2981
Email Address: treasurevalley49erfaithful@gmail.com
City: Star
State: ID
Country: United States
Venue: The Beer Guys Saloon
Venue Location: 10937 W. State Street
Total Fans: 100
Website:
Facebook: https://www.facebook.com/TV49erFaithful
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Curt - - - Starz - - - 208-964-2981 - - - treasurevalley49erfaithful@gmail.com - - - Star - - - ID - - - United States - - - The Beer Guys Saloon - - - 10937 W. State Street - - - 100.0 - - - - - - https://www.facebook.com/TV49erFaithful - - - - - - - - - - - - - - - - - -
- - Hampton Roads Niner Empire -
Newport news VA United States Boathouse Live 11800 Merchants Walk #100
- President Last Name: Farmer
Phone Number: (804) 313-1137
Email Address: Trickynick89@aol.com
City: Newport news
State: VA
Country: United States
Venue: Boathouse Live
Venue Location: 11800 Merchants Walk #100
Total Fans: 300
Website:
Facebook: https://m.facebook.com/groups/441340355910833?ref=bookmarks
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Nick - - - Farmer - - - (804) 313-1137 - - - Trickynick89@aol.com - - - Newport news - - - VA - - - United States - - - Boathouse Live - - - 11800 Merchants Walk #100 - - - 300.0 - - - - - - https://m.facebook.com/groups/441340355910833?ref=bookmarks - - - - - - - - - - - - - - - - - -
- - Niner Empire Salem -
Salem OR United States AMF Firebird Lanes 4303 Center St NE
- President Last Name: Stevens
Phone Number: (971) 218-4734
Email Address: tstevens1989@gmail.com
City: Salem
State: OR
Country: United States
Venue: AMF Firebird Lanes
Venue Location: 4303 Center St NE
Total Fans: 218
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Timothy - - - Stevens - - - (971) 218-4734 - - - tstevens1989@gmail.com - - - Salem - - - OR - - - United States - - - AMF Firebird Lanes - - - 4303 Center St NE - - - 218.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Forty Niners LA chapter -
Bell Ca United States Krazy Wings 7016 Atlantic Blvd
- President Last Name:
Phone Number: 3234590567
Email Address: tvaladez49ers@gmail.com
City: Bell
State: Ca
Country: United States
Venue: Krazy Wings
Venue Location: 7016 Atlantic Blvd
Total Fans: 15
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tony - - - - - - 3234590567 - - - tvaladez49ers@gmail.com - - - Bell - - - Ca - - - United States - - - Krazy Wings - - - 7016 Atlantic Blvd - - - 15.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Red River Niner Empire -
- President Last Name: Kinsey
Phone Number: (318) 268-9657
Email Address: tylkinsey@gmail.com
City: Bossier City
State: LA
Country: United States
Venue: Walk On's Bossier City
Venue Location: 3010 Airline Dr
Total Fans: 15
Website:
Facebook: www.facebook.com/RedRiverNinerEmpire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Tyra - - - Kinsey - - - (318) 268-9657 - - - tylkinsey@gmail.com - - - Bossier City - - - LA - - - United States - - - - - - 3010 Airline Dr - - - 15.0 - - - - - - www.facebook.com/RedRiverNinerEmpire - - - - - - - - - - - - - - - - - -
- - Ultimate 49er Empire -
Pembroke pines Florida United States Pines alehouse 11795 pine island blvd
- President Last Name: Nadie Lizabe
Phone Number: 3058965471
Email Address: Ultimateninerempire@gmail.com
City: Pembroke pines
State: Florida
Country: United States
Venue: Pines alehouse
Venue Location: 11795 pine island blvd
Total Fans: 14
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Nadieshda - - - Nadie Lizabe - - - 3058965471 - - - Ultimateninerempire@gmail.com - - - Pembroke pines - - - Florida - - - United States - - - Pines alehouse - - - 11795 pine island blvd - - - 14.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Utah Niner Empire -
Salt Lake City UT United States Legends Sports Pub 677 South 200 West
- President Last Name: Vallejo
Phone Number: 8014140109
Email Address: utahninerempire@gmail.com
City: Salt Lake City
State: UT
Country: United States
Venue: Legends Sports Pub
Venue Location: 677 South 200 West
Total Fans: 25
Website:
Facebook: https://www.facebook.com/UtahNinerEmpire
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Travis - - - Vallejo - - - 8014140109 - - - utahninerempire@gmail.com - - - Salt Lake City - - - UT - - - United States - - - Legends Sports Pub - - - 677 South 200 West - - - 25.0 - - - - - - https://www.facebook.com/UtahNinerEmpire - - - - - - - - - - - - - - - - - -
- - Phoenix602Faithful -
Phoenix AZ United States Galaghers 3220 E Baseline Rd
- President Last Name: Price
Phone Number: (480) 493-9526
Email Address: vprice068@yahoo.com
City: Phoenix
State: AZ
Country: United States
Venue: Galaghers
Venue Location: 3220 E Baseline Rd
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Vincent - - - Price - - - (480) 493-9526 - - - vprice068@yahoo.com - - - Phoenix - - - AZ - - - United States - - - Galaghers - - - 3220 E Baseline Rd - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - WESTSIDE 9ERS -
Carson CA United States Buffalo Wild Wings 736 E Del Amo Blvd
- President Last Name: Williams
Phone Number: 3108979404
Email Address: Westside9ers@gmail.com
City: Carson
State: CA
Country: United States
Venue: Buffalo Wild Wings
Venue Location: 736 E Del Amo Blvd
Total Fans: 20
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Naimah - - - Williams - - - 3108979404 - - - Westside9ers@gmail.com - - - Carson - - - CA - - - United States - - - Buffalo Wild Wings - - - 736 E Del Amo Blvd - - - 20.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - -
Addison Texas United States Addison Point Sports Grill 4578 Beltline Road
- President Last Name: Kuhn
Phone Number: 4696009701
Email Address: wkpoint@gmail.com
City: Addison
State: Texas
Country: United States
Venue: Addison Point Sports Grill
Venue Location: 4578 Beltline Road
Total Fans: 288
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - William - - - Kuhn - - - 4696009701 - - - wkpoint@gmail.com - - - Addison - - - Texas - - - United States - - - Addison Point Sports Grill - - - 4578 Beltline Road - - - 288.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49er Forever Faithfuls -
Vancouver Wa United States Hooligans bar and grill 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662
- President Last Name: Yelloweyes-Ripoyla
Phone Number: 3605679487
Email Address: wolfhawk9506@aol.com
City: Vancouver
State: Wa
Country: United States
Venue: Hooligans bar and grill
Venue Location: 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662
Total Fans: 11
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Wayne - - - Yelloweyes-Ripoyla - - - 3605679487 - - - wolfhawk9506@aol.com - - - Vancouver - - - Wa - - - United States - - - Hooligans bar and grill - - - 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662 - - - 11.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Woodland Faithful -
Woodland CA United States Mountain Mikes Pizza 171 W. Main St
- President Last Name: Ruiz
Phone Number: 5309086004
Email Address: woodlandfaithful22@gmail.com
City: Woodland
State: CA
Country: United States
Venue: Mountain Mikes Pizza
Venue Location: 171 W. Main St
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Oscar - - - Ruiz - - - 5309086004 - - - woodlandfaithful22@gmail.com - - - Woodland - - - CA - - - United States - - - Mountain Mikes Pizza - - - 171 W. Main St - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Central New York -
- President Last Name:
Phone Number: 3159448662
Email Address: ykeoneil@gmail.com
City: Cicero
State: New York
Country: United States
Venue: Tully's Good Times
Venue Location: 7838 Brewerton Rd
Total Fans: 6
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Michal - - - - - - 3159448662 - - - ykeoneil@gmail.com - - - Cicero - - - New York - - - United States - - - - - - 7838 Brewerton Rd - - - 6.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 4 Corners Faithful -
Durango CO United States Sporting News Grill 21636 Highway 160
- President Last Name: Green
Phone Number: (970) 442-1932
Email Address: yourprince24@yahoo.com
City: Durango
State: CO
Country: United States
Venue: Sporting News Grill
Venue Location: 21636 Highway 160
Total Fans: 10
Website:
Facebook: https://www.facebook.com/groups/363488474141493/
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Anthony - - - Green - - - (970) 442-1932 - - - yourprince24@yahoo.com - - - Durango - - - CO - - - United States - - - Sporting News Grill - - - 21636 Highway 160 - - - 10.0 - - - - - - https://www.facebook.com/groups/363488474141493/ - - - - - - - - - - - - - - - - - -
- - 480 Gilbert Niner Empire -
Gilbert AZ United States Panda Libre 748 N Gilbert Rd
- President Last Name: Lopez
Phone Number: (480) 708-0838
Email Address: zepolelle@gmail.com
City: Gilbert
State: AZ
Country: United States
Venue: Panda Libre
Venue Location: 748 N Gilbert Rd
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Elle - - - Lopez - - - (480) 708-0838 - - - zepolelle@gmail.com - - - Gilbert - - - AZ - - - United States - - - Panda Libre - - - 748 N Gilbert Rd - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Jalisco 49ers Guadalajara -
Guadalajara TX United States Bar Cheleros Bar CHELEROS
- President Last Name: Hernandez
Phone Number: (331) 387-0752
Email Address: zhekografico1@gmail.com
City: Guadalajara
State: TX
Country: United States
Venue: Bar Cheleros
Venue Location: Bar CHELEROS
Total Fans: 190
Website:
Facebook: https://www.facebook.com/NinerEmpireJalisco49ersGuadalajara/?modal=admin_todo_tour
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Sergio - - - Hernandez - - - (331) 387-0752 - - - zhekografico1@gmail.com - - - Guadalajara - - - TX - - - United States - - - Bar Cheleros - - - Bar CHELEROS - - - 190.0 - - - - - - https://www.facebook.com/NinerEmpireJalisco49ersGuadalajara/?modal=admin_todo_tour - - - - - - - - - - - - - - - - - -
- - 49ERS Faithful of West Virginia -
Charleston WV United States The Pitch 5711 MacCorkle Ave SE
- President Last Name: Meadows
Phone Number: 3045457327
Email Address: zmeads@live.com
City: Charleston
State: WV
Country: United States
Venue: The Pitch
Venue Location: 5711 MacCorkle Ave SE
Total Fans: 12
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Zachary - - - Meadows - - - 3045457327 - - - zmeads@live.com - - - Charleston - - - WV - - - United States - - - The Pitch - - - 5711 MacCorkle Ave SE - - - 12.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49 Migos Chapter -
Saddle Brook NJ United States Midland Brewhouse 374 N Midland Ave
- President Last Name: Duarte
Phone Number: 2016971994
Email Address: Yaman053@yahoo.com
City: Saddle Brook
State: NJ
Country: United States
Venue: Midland Brewhouse
Venue Location: 374 N Midland Ave
Total Fans: 10
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Manny - - - Duarte - - - 2016971994 - - - Yaman053@yahoo.com - - - Saddle Brook - - - NJ - - - United States - - - Midland Brewhouse - - - 374 N Midland Ave - - - 10.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - 49ers Bay Area Faithful Social Club -
- President Last Name: Wallace
Phone Number: 408-892-5315
Email Address: 49ersbayareafaithful@gmail.com
City: Sunnyvale
State: CA
Country: United States
Venue: Giovanni's New York Pizzeria
Venue Location: 1127 Lawrence Expy
Total Fans: 65
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Sarah - - - Wallace - - - 408-892-5315 - - - 49ersbayareafaithful@gmail.com - - - Sunnyvale - - - CA - - - United States - - - - - - 1127 Lawrence Expy - - - 65.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - Niner Empire Of Indy -
Indianapolis IN United States The Bulldog Bar and Lounge 5380 N College Ave
- President Last Name: Balthrop
Phone Number: 5404245114
Email Address: Indyninerfaithful@yahoo.com
City: Indianapolis
State: IN
Country: United States
Venue: The Bulldog Bar and Lounge
Venue Location: 5380 N College Ave
Total Fans: 30
Website:
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jay - - - Balthrop - - - 5404245114 - - - Indyninerfaithful@yahoo.com - - - Indianapolis - - - IN - - - United States - - - The Bulldog Bar and Lounge - - - 5380 N College Ave - - - 30.0 - - - - - - - - - - - - - - - - - - - - - - - -
- - NoTT 49ers SB BANG BANG -
Goleta California United States No Town Tavern 5114 Hollister Ave
- President Last Name: McCue
Phone Number: 8056791423
Email Address: jessemccue@hotmail.com
City: Goleta
State: California
Country: United States
Venue: No Town Tavern
Venue Location: 5114 Hollister Ave
Total Fans: 12
Website: buildsbc.com
Facebook:
Instagram:
X (Twitter):
TikTok:
WhatsApp:
YouTube: ]]>
- #icon-1899-A52714 - - - Jesse - - - McCue - - - 8056791423 - - - jessemccue@hotmail.com - - - Goleta - - - California - - - United States - - - No Town Tavern - - - 5114 Hollister Ave - - - 12.0 - - - buildsbc.com - - - - - - - - - - - - - - - - - - - - -
-
-
-
diff --git a/data/z_old/upload_embeddings.py b/data/z_old/upload_embeddings.py deleted file mode 100644 index d11136d2e4fda0a7654f9ad103381e1c7cb5390c..0000000000000000000000000000000000000000 --- a/data/z_old/upload_embeddings.py +++ /dev/null @@ -1,91 +0,0 @@ -import os -import pandas as pd -from neo4j import GraphDatabase -from dotenv import load_dotenv -import numpy as np - -# Load environment variables -load_dotenv() - -# Neo4j connection details -NEO4J_URI = os.getenv('AURA_CONNECTION_URI') -NEO4J_USER = os.getenv('AURA_USERNAME') -NEO4J_PASS = os.getenv('AURA_PASSWORD') - -if not all([NEO4J_URI, NEO4J_USER, NEO4J_PASS]): - raise ValueError("Missing required Neo4j credentials in .env file") - -def restore_game_data_with_embeddings(): - # Path to the CSV files - SCRIPT_DIR = os.path.dirname(os.path.abspath(__file__)) - game_data_file = os.path.join(SCRIPT_DIR, "niners_output/schedule_with_result.csv") - embeddings_file = os.path.join(SCRIPT_DIR, "niners_output/schedule_with_result_embedding.csv") - - print(f"Reading game data from: {game_data_file}") - print(f"Reading embeddings from: {embeddings_file}") - - # Read the CSV files - game_df = pd.read_csv(game_data_file) - embeddings_df = pd.read_csv(embeddings_file) - - # Get the embedding columns (all columns starting with 'dim_') - embedding_cols = [col for col in embeddings_df.columns if col.startswith('dim_')] - - # Merge the game data with embeddings on game_id - merged_df = pd.merge(game_df, embeddings_df, on='game_id', how='left') - - print(f"Merged {len(game_df)} games with {len(embeddings_df)} embeddings") - - # Connect to Neo4j - driver = GraphDatabase.driver(NEO4J_URI, auth=(NEO4J_USER, NEO4J_PASS)) - - def update_game_data(tx, game_id, game_data, embedding): - # First, create/update the game node with basic properties - tx.run(""" - MERGE (g:Game {game_id: $game_id}) - SET g.date = $date, - g.home_team = $home_team, - g.away_team = $away_team, - g.home_score = $home_score, - g.away_score = $away_score, - g.result = $result - """, game_id=game_id, - date=game_data['date'], - home_team=game_data['home_team'], - away_team=game_data['away_team'], - home_score=game_data['home_score'], - away_score=game_data['away_score'], - result=game_data['result']) - - # Then set the vector embedding using the proper Neo4j vector operation - tx.run(""" - MATCH (g:Game {game_id: $game_id}) - CALL db.create.setNodeVectorProperty(g, 'gameEmbedding', $embedding) - YIELD node - RETURN node - """, game_id=game_id, embedding=embedding) - - # Process each game and update Neo4j - with driver.session() as session: - for _, row in merged_df.iterrows(): - # Convert embedding columns to list - embedding = row[embedding_cols].values.tolist() - - # Create game data dictionary - game_data = { - 'date': row['date'], - 'home_team': row['home_team'], - 'away_team': row['away_team'], - 'home_score': row['home_score'], - 'away_score': row['away_score'], - 'result': row['result'] - } - - # Update the game data in Neo4j - session.execute_write(update_game_data, row['game_id'], game_data, embedding) - - print("Finished updating game data in Neo4j") - driver.close() - -if __name__ == "__main__": - restore_game_data_with_embeddings() \ No newline at end of file diff --git a/data/z_old/upload_secrets.py b/data/z_old/upload_secrets.py deleted file mode 100644 index bef91cb5857bb0f79d1d3a3c7e6451bb68056800..0000000000000000000000000000000000000000 --- a/data/z_old/upload_secrets.py +++ /dev/null @@ -1,48 +0,0 @@ -#!/usr/bin/env python3 -import os -import re -from huggingface_hub import HfApi - -# Initialize the Hugging Face API -api = HfApi() - -# Define the repository (Space) name -repo_id = "aliss77777/ifx-sandbox" - -# Function to parse .env file -def parse_env_file(file_path): - secrets = {} - with open(file_path, 'r') as file: - for line in file: - line = line.strip() - # Skip empty lines and comments - if not line or line.startswith('#'): - continue - - # Parse key-value pairs - match = re.match(r'^([A-Za-z0-9_]+)\s*=\s*["\'](.*)["\']$', line) - if match: - key, value = match.groups() - secrets[key] = value - else: - # Try without quotes - match = re.match(r'^([A-Za-z0-9_]+)\s*=\s*(.*)$', line) - if match: - key, value = match.groups() - secrets[key] = value - - return secrets - -# Parse the .env file -secrets = parse_env_file('.env') - -# Upload each secret to the Hugging Face Space -for key, value in secrets.items(): - try: - print(f"Setting secret: {key}") - api.add_space_secret(repo_id=repo_id, key=key, value=value) - print(f"✅ Successfully set secret: {key}") - except Exception as e: - print(f"❌ Error setting secret {key}: {str(e)}") - -print("\nAll secrets have been processed.") \ No newline at end of file diff --git a/data/z_old/z_49ers_fan_chapters_DNU.csv b/data/z_old/z_49ers_fan_chapters_DNU.csv deleted file mode 100644 index 981810a1b779ba4fab6f5ba047a1eea2ff0719c9..0000000000000000000000000000000000000000 --- a/data/z_old/z_49ers_fan_chapters_DNU.csv +++ /dev/null @@ -1,797 +0,0 @@ -Stadium Name,Team,Address,City,State,Zip Code,Full Address -State Farm Stadium,Arizona Cardinals,1 Cardinals Dr.,Glendale,Arizona,85305,1 Cardinals Dr. Glendale Arizona 85305 -Mercedes-Benz Stadium,Atlanta Falcons,1 AMB Drive NW,Atlanta,Georgia,30313,1 AMB Drive NW Atlanta Georgia 30313 -M&T Bank Stadium,Baltimore Ravens, 1101 Russell St,Baltimore,Maryland,21230, 1101 Russell St Baltimore Maryland 21230 -Highmark Stadium,Buffalo Bills,1 Bills Dr,Orchard Park,New York,14127,1 Bills Dr Orchard Park New York 14127 -Bank of America Stadium,Carolina Panthers,800 S Mint St,Charlotte,North Carolina,28202,800 S Mint St Charlotte North Carolina 28202 -Soldier Field,Chicago Bears,1410 Museum Campus Dr,Chicago,Illinois,60605,1410 Museum Campus Dr Chicago Illinois 60605 -Paul Brown Stadium,Cincinnati Bengals,1 Paul Brown Stadium,Cincinnati,Ohio,45202,1 Paul Brown Stadium Cincinnati Ohio 45202 -FirstEnergy Stadium,Cleveland Browns,100 Alfred Lerner Way,Cleveland,Ohio,44114,100 Alfred Lerner Way Cleveland Ohio 44114 -AT&T Stadium,Dallas Cowboys,1 AT&T Way,Arlington,Texas,76011,1 AT&T Way Arlington Texas 76011 -Empower Field at Mile High,Denver Broncos, 1701 Bryant St,Denver,Colorado,80204, 1701 Bryant St Denver Colorado 80204 -Ford Field,Detroit Lions,2000 Brush St,Detroit,Michigan,48226,2000 Brush St Detroit Michigan 48226 -Lambeau Field,Green Bay Packers,1265 Lombardi Ave,Green Bay,Wisconsin,54304,1265 Lombardi Ave Green Bay Wisconsin 54304 -NRG Stadium,Houston Texans,NRG Pkwy,Houston,Texas,77054,NRG Pkwy Houston Texas 77054 -Lucas Oil Stadium,Indianapolis Colts,500 S Capitol Ave,Indianapolis,Indiana,46225,500 S Capitol Ave Indianapolis Indiana 46225 -EverBank Field,Jacksonville Jaguars,1 Everbank Field Dr,Jacksonville,Florida,32202,1 Everbank Field Dr Jacksonville Florida 32202 -Arrowhead Stadium,Kansas City Chiefs,1 Arrowhead Dr,Kansas City,Missouri,64129,1 Arrowhead Dr Kansas City Missouri 64129 -SoFi Stadium,Los Angeles Chargers & Los Angeles Rams ,1001 Stadium Dr,Inglewood,California,90301,1001 Stadium Dr Inglewood California 90301 -Hard Rock Stadium,Miami Dolphins,347 Don Shula Dr,Miami Gardens,Florida,33056,347 Don Shula Dr Miami Gardens Florida 33056 -U.S. Bank Stadium,Minnesota Vikings,401 Chicago Avenue,Minneapolis,Minnesota,55415,401 Chicago Avenue Minneapolis Minnesota 55415 -Gillette Stadium,New England Patriots,1 Patriot Pl,Foxborough,Massachusetts,2035,1 Patriot Pl Foxborough Massachusetts 2035 -Caesars Superdome,New Orleans Saints,1500 Sugar Bowl Dr,New Orleans,Louisiana,70112,1500 Sugar Bowl Dr New Orleans Louisiana 70112 -MetLife Stadium,New York Giants & New York Jets ,1 MetLife Stadium D,East Rutherford,New Jersey,7073,1 MetLife Stadium D East Rutherford New Jersey 7073 -Allegiant Stadium,Las Vegas Raiders,3333 Al Davis Way,Las Vegas,Nevada,89118,3333 Al Davis Way Las Vegas Nevada 89118 -Lincoln Financial Field,Philadelphia Eagles,1 Lincoln Financial Field Way,Philadelphia,Pennsylvania,19148,1 Lincoln Financial Field Way Philadelphia Pennsylvania 19148 -Heinz Field,Pittsburgh Steelers,100 Art Rooney Ave,Pittsburgh,Pennsylvania,15212,100 Art Rooney Ave Pittsburgh Pennsylvania 15212 -Levi's Stadium,San Francisco 49ers,4900 Marie P DeBartolo Way ,Santa Clara,California,95054,4900 Marie P DeBartolo Way Santa Clara California 95054 -Lumen Field,Seattle Seahawks,800 Occidental Ave,Seattle,Washington,98134,800 Occidental Ave Seattle Washington 98134 -Raymond James Stadium,Tampa Bay Buccaneers,4201 N Dale Mabry Hwy,Tampa,Florida,33607,4201 N Dale Mabry Hwy Tampa Florida 33607 -Nissan Stadium,Tennessee Titans,1 Titans Way,Nashville,Tennessee,37213,1 Titans Way Nashville Tennessee 37213 -FedExField,Washington Comanders,1600 Fedex Way,Landover,Maryland,20785,1600 Fedex Way Landover Maryland 20785 -,,,Aguascalientes,,, -,,,"Celaya, GTO",,, -,,,Chiapas,,, -,,,Chihuahua,,, -,,,Chihuahua,,, -,,,"Ciudad de Mexico, Mexico",,, -,,,Durango,,, -,,,Estado de Mexico,,, -,,,"Guadalajara, Jalisco",,, -,,,"Guadalajara, Jalisco",,, -,,,Juarez,,, -,,,Merida,,, -,,,Mexicali,,, -,,,Monterrey,,, -,,,Puebla,,, -,,,Saltillo,,, -,,,San Luis Potosi,,, -,,,Tijuana,,, -,,,Toluca,,, -,,,Veracruz,,, -,,,Bad Vigaun,,, -,,,Nousseviller Saint Nabor,,, -,,,Ismaning,,, -,,,Hamburg,,, -,,,Cologne State: NRW,,, -,,,Berlin,,, -,,,Bornhöved,,, -,,,Ampfing,,, -,,,Duesseldorf,,, -,,,Cologne,,, -,,,Dublin 13,,, -,,,Fiorano Modenese,,, -,,,Madrid,,, -,,,Sao Paulo,,, -,,,"Campo Limpo, Sao Paulo",,, -,,,"Sao Bernardo do Campo, Sao Paulo",,, -,,,"Vancouver, BC",,, -,,,"Bolton, Ontario",,, -,,,Auckland,,, -,,,Nuku'alofa,,, -,,,Greater Manchester,,, -,,,Newcastle,,, -,,,London,,, -,,,Manchester,,, -,,,Charleston,SC,, -,,,Chico,Ca,, -,,,Aurora,CO,, -,,,bell,ca,, -,,,Danville,VA,, -,,,Gilbert,AZ,, -,,,Evansville,IN,, -,,,Vacaville,CA,, -,,,Hesperia,California,, -,,,Cool,CA,, -,,,Hermosa Beach,CA,, -,,,Aurora,Co,, -,,,Vancouver,Wa,, -,,,Harlingen,TX,, -,,,Hollywood,CA,, -,,,Frisco,TX,, -,,,San Diego,California,, -,,,City of Industry,California,, -,,,Redwood City,CA,, -,,,Oxnard,CA,, -,,,Lake Elsinore,California,, -,,,Gilbert,Az,, -,,,Forestville,Ca,, -,,,wylie,texas,, -,,,Novato,CA,, -,,,Modesto,ca,, -,,,Larksville,PA,, -,,,Portland,Or,, -,,,Morgan Hill,CA,, -,,,Erie,PA,, -,,,Yuma,AZ,, -,,,Fremont,california,, -,,,Orlando,FL,, -,,,517 E Gore Blvd,OK,, -,,,Alameda,CA,, -,,,Gilroy,CA,, -,,,Merced,CA,, -,,,Buena park,CA,, -,,,Milpitas,CA,, -,,,san francisco,California,, -,,,Denver,Co,, -,,,Tlalnepantla de Baz,CA,, -,,,Modesto,CA,, -,,,Auburn,Wa,, -,,,Phoenix,AZ,, -,,,Montclair,California,, -,,,Woodbridge,va,, -,,,Hemet,CA,, -,,,Arlington,TX,, -,,,Los Angeles,CA,, -,,,San Pablo,Ca,, -,,,Oakley,Ca,, -,,,Mechanicsville,Va,, -,,,Billings,MT,, -,,,Waipahu,HI,, -,,,Porterville,Ca,, -,,,CHICOPEE,MA,, -,,,Norfolk,VA,, -,,,Visalia,Ca,, -,,,Ewing Twp,NJ,, -,,,Houston,TX,, -,,,Honolulu,HI,, -,,,Murrieta,CA,, -,,,Sacramento,CA,, -,,,Huntington Beach,CA,, -,,,Saltillo,TX,, -,,,Memphis,TN,, -,,,KEYES,CA,, -,,,Manteca,Ca,, -,,,Las Vegas,NV,, -,,,Washington,DC,, -,,,Roseville,CA,, -,,,Bakersfield,Ca,, -,,,Salinas,CA,, -,,,Salinas,CA,, -,,,Houston,TX,, -,,,Mountain View,CA,, -,,,Corpus Christi,TX,, -,,,Dade City,Florida,, -,,,Chico,CA,, -,,,Chicago,IL,, -,,,Sacramento,CA,, -,,,Colorado Springs,Co.,, -,,,Greensboro,NC,, -,,,Redmond,OR,, -,,,Carson,CA,, -,,,Mattoon,Illinois,, -,,,Star,ID,, -,,,stamford,ct,, -,,,Miami,FL,, -,,,San Francisco,CA,, -,,,Oxnard,CA,, -,,,Arlington,TX,, -,,,Albuquerque,NM,, -,,,Honolulu,Hawaii,, -,,,Jonesboro,AR,, -,,,Marietta,ga,, -,,,San Diego,CA,, -,,,Maricopa,AZ,, -,,,Syracuse,NY,, -,,,Ventura,CA,, -,,,Fredericksburg,VA,, -,,,tampa,fl,, -,,,Rochester,New York,, -,,,Waco,TX,, -,,,Brentwood,CA,, -,,,Lancaster,PA,, -,,,El Paso,Tx,, -,,,West Sacramento,CA,, -,,,Los Angeles,CA,, -,,,Denver,CO,, -,,,Frisco,TX,, -,,,Fairfield,CA,, -,,,Redding,CA,, -,,,Fremont,CA,, -,,,Fargo,ND,, -,,,Redding,CA,, -,,,Summerville,South Carolina,, -,,,Port St Johns,FL,, -,,,San Bernardino,CA,, -,,,REDLANDS,CALIFORNIA,, -,,,Bakersfield,Ca,, -,,,Los Angeles,ca,, -,,,Troy,OH,, -,,,San Bernardino,California,, -,,,Elk Grove,CA,, -,,,Hacienda heights,CA,, -,,,Homestead,Fl,, -,,,Chandler,AZ,, -,,,EDINBURG,TX,, -,,,Manhattan,KS,, -,,,Buena park,CA,, -,,,Bedford,TX,, -,,,Hilmar,Ca,, -,,,Bridgeport,WV,, -,,,Carbondale,IL,, -,,,HONOLULU,HI,, -,,,Honolulu,HI,, -,,,Houston,Tx,, -,,,Hattiesburg,Mississippi,, -,,,Duluth,GA,, -,,,Yonkers,New York,, -,,,Salinas,Ca,, -,,,Clackamas,Oregon,, -,,,Nassau Bay,TX,, -,,,Brisbane,Ca,, -,,,Boston,MA,, -,,,Boston,MA,, -,,,Riverside,California,, -,,,Monroe,La.,, -,,,Austin,TX,, -,,,San Antonio,TX,, -,,,Spokane,WA,, -,,,Newport Beach,CA,, -,,,Henderson,NV,, -,,,Turlock,CA,, -,,,San Jose,CA,, -,,,merced,ca,, -,,,Brawley,CA,, -,,,TOOELE,UT,, -,,,Wichita,KS,, -,,,Hickory,NC,, -,,,Chicago,IL,, -,,,Vancouver,WA,, -,,,Hampton,VA,, -,,,Newport,KY,, -,,,Oklahoma City,Oklahoma,, -,,,Wine country,CA,, -,,,Memphis,Tennessee,, -,,,North Charleston,SC,, -,,,Tampa,FL,, -,,,Palm Springs,CA,, -,,,Anchorage,AK,, -,,,Surprise,Az,, -,,,Bloomington,CA,, -,,,McAllen,TX,, -,,,West Sacramento,CA,, -,,,Industry,CA,, -,,,Hayward,Ca,, -,,,Chariton,Iowa,, -,,,Fresno,CA,, -,,,East Hartford,Connecticut,, -,,,Houston,Texas,, -,,,Houston,Texas,, -,,,Industry,CA,, -,,,porterville,CA,, -,,,Billings,MT,, -,,,Memphis,Tn,, -,,,Tulsa,OK,, -,,,Oklahoma City,OK,, -,,,Brawley,Ca,, -,,,Gilbert,AZ,, -,,,Lacey,WA,, -,,,Mechanicsville,Virginia,, -,,,Tampa,FL,, -,,,Missoula,MT,, -,,,Corpus Christi,Texas,, -,,,Delano,ca,, -,,,Nashville,TN,, -,,,New York,New York,, -,,,hesperia,California,, -,,,Denver,Colorado,, -,,,Windsor,CO,, -,,,Wauwatosa,WI,, -,,,san angelo,tx,, -,,,Devol,OK,, -,,,Xenia,Ohio,, -,,,Cheyenne,WY,, -,,,Apple Valley,CA,, -,,,Socorro,TX,, -,,,Albuquerque,N.M.,, -,,,Casa grande,Arizona(AZ),, -,,,Albuquerque,New Mexico,, -,,,Long Beach,Ca,, -,,,Charlotte,North Carolina,, -,,,Saint Paul,MN,, -,,,Jackson,Ms.,, -,,,Pleasant Hill,California,, -,,,mesa,az,, -,,,San Antonio,TX,, -,,,Jonesboro,AR,, -,,,Raleigh,North Carolina,, -,,,Greensboro,NC,, -,,,Hanford,CA,, -,,,Rio Rancho,NM,, -,,,San Jose,CA,, -,,,moreno valley,ca,, -,,,San Antonio,Texas,, -,,,Tucson,AZ,, -,,,Glendale,Arizona,, -,,,el paso,tx,, -,,,Henderson,Nevada,, -,,,Salem,OR,, -,,,San Antonio,Texas,, -,,,Medford,OR,, -,,,Toledo,Ohio,, -,,,Las Vegas,NV,, -,,,las vegas,NV,, -,,,Brawley,CA,, -,,,La Quinta,CA,, -,,,Santa Clara,CA,, -,,,Chicago,IL,, -,,,Jersey City,New Jersey,, -,,,Bayonne,NJ,, -,,,Coeur d'Alene,ID,, -,,,Ellensburg,WA,, -,,,Herndon,VA,, -,,,Austin,Texas,, -,,,new york,ny,, -,,,Madera,CA,, -,,,Austin,TX,, -,,,MORENO VALLEY,CA,, -,,,Chicopee,MA,, -,,,Portland,OR,, -,,,dansville,NY,, -,,,PORTERVILLE,CA,, -,,,Solana Beach,CA,, -,,,Culver City,CA,, -,,,Casa grande,Arizona(AZ),, -,,,Prescott,AZ,, -,,,Honolulu,Hawaii,, -,,,Portland,OR,, -,,,Antioch,Ca,, -,,,Pleasanton,California,, -,,,New York,New York,, -,,,Yakima,Wa,, -,,,Aurora,CO,, -,,,Gardena,Ca,, -,,,Downey,CA,, -,,,EastHartford,CO,, -,,,Sandy Springs,GA,, -,,,Reno,Nv,, -,,,South San Francisco,Ca,, -,,,Colma,CA,, -,,,Winchester,CA,, -,,,Riverside,California,, -,,,Ankeny,IA,, -,,,Nashville,TN,, -,,,Leavenworth,KS,, -,,,Fair Oaks,Ca,, -,,,Baton Rouge,LA,, -,,,Visalia,Ca,, -,,,Greeley,co,, -,,,Cupertino,California,, -,,,San Diego,CA,, -,,,Apache Junction,AZ,, -,,,Windsor,CA,, -,,,Canfield,OH,, -,,,Everett,WA,, -,,,Durham,North Carolina,, -,,,Boynton Beach,Florida,, -,,,Red Bluff,CA,, -,,,Finley,Washington,, -,,,Lake Elsinore,CA,, -,,,Barnegat,NJ,, -,,,Santa Fe,New Mexico,, -,,,Maricopa,AZ,, -,,,Davie,FL,, -,,,Lubbock,Texas,, -,,,Honolulu,HI,, -,,,Portland,OR,, -,,,Oakland Park,FL,, -,,,Tracy,Ca,, -,,,medford,or,, -,,,Cameron park,CA,, -,,,piqua,OH,, -,,,Oceanside,ca,, -,,,Trenton,New Jersey,, -,,,Concord,NH,, -,,,Fontana,Ca,, -,,,Arcadia,CA,, -,,,Fresno,California,, -,,,Eugene,OR,, -,,,Linden,NJ,, -,,,Rochester,NY,, -,,,Moreno Vallay,CA,, -,,,Oklahoma city,OK,, -,,,napa,California,, -,,,Star,ID,, -,,,Newport news,VA,, -,,,Salem,OR,, -,,,Bell,Ca,, -,,,Bossier City,LA,, -,,,Pembroke pines,Florida,, -,,,Salt Lake City,UT,, -,,,Phoenix,AZ,, -,,,Carson,CA,, -,,,Addison,Texas,, -,,,Vancouver,Wa,, -,,,Woodland,CA,, -,,,Cicero,New York,, -,,,Durango,CO,, -,,,Gilbert,AZ,, -,,,Guadalajara,TX,, -,,,Charleston,WV,, -,,,Saddle Brook,NJ,, -,,,Sunnyvale,CA,, -,,,Indianapolis,IN,, -49ers Aguascalientes,,,Aguascalientes,,,"Aguascalientes Mexico Vikingo Bar Av de la Convención de 1914 Sur 312-A, Las Américas, 20230 Aguascalientes, Ags., Mexico" -Bajio Faithful,,,"Celaya, GTO",,,"Celaya, GTO Mexico California Prime Rib Restaurant Av. Constituyentes 1000 A, 3 Guerras, 38080 Celaya, Gto., Mexico" -Niner Empire Chiapas,,,Chiapas,,,"Chiapas Mexico Alitas Tuxtla Blvd. Belisario Dominguez 1861 Loc K1 Tuxtl Fracc, Bugambilias, 29060 Tuxtla Gutiérrez, Chis., Mexico" -49ers Faithful Chihuahua Oficial,,,Chihuahua,,,"Chihuahua Mexico El Coliseo Karaoke Sports Bar C. Jose Maria Morelos 111, Zona Centro, 31000 Chihuahua, Chih., Mexico" -Gold Rush Chihuahua Spartans,,,Chihuahua,,,"Chihuahua Mexico 34 Billiards & Drinks Av. Tecnológico 4903, Las Granjas 31100" -Club 49ers Mexico,,,"Ciudad de Mexico, Mexico",,,"Ciudad de Mexico, Mexico Mexico Bar 49 16 Septiembre #27 Colonia Centro Historico Ciudad de Mexico" -Club 49ers Durango Oficial,,,Durango,,,"Durango Mexico Restaurante Buffalucas Constitución C. Constitución 107B, Zona Centro, 34000 Durango, Dgo., Mexico" -Niner Empire Edo Mex,,,Estado de Mexico,,,"Estado de Mexico Mexico Beer Garden Satélite Cto. Circunvalación Ote. 10-L-4, Cd. Satélite, 53100 Naucalpan de Juárez, Méx., Mexico" -Club 49ers Jalisco,,,"Guadalajara, Jalisco",,,"Guadalajara, Jalisco Mexico Restaurante Modo Avión Zapopan Calzada Nte 14, Granja, 45010 Zapopan, Jal., Mexico" -Niner Empire Jalisco,,,"Guadalajara, Jalisco",,,"Guadalajara, Jalisco Mexico SkyGames Sports Bar Av. Vallarta 874 entre Camarena y, C. Escorza, Centro, 44100 Guadalajara, Jal., Mexico" -Niner Empire Juarez Oficial,,,Juarez,,,"Juarez Mexico Sport Bar Silver Fox Av. Paseo Triunfo de la República 430, Las Fuentes, 32530 Juárez, Chih., Mexico" -49ers Merida Oficial,,,Merida,,,"Merida Mexico Taproom Mastache Av. Cámara de Comercio 263, San Ramón Nte, 97117 Mérida, Yuc., Mexico" -Niner Empire Mexicali,,,Mexicali,,,"Mexicali Mexico La Gambeta Terraza Sports Bar Calz. Cuauhtémoc 328, Aviación, 21230 Mexicali, B.C., Mexico" -49ers Monterrey Oficial,,,Monterrey,,,"Monterrey Mexico Buffalo Wild Wings Insurgentes Av Insurgentes 3961, Sin Nombre de Col 31, 64620 Monterrey, N.L., Mexico" -Club 49ers Puebla,,,Puebla,,,"Puebla Mexico Bar John Barrigón Av. Juárez 2925, La Paz, 72160 Heroica Puebla de Zaragoza, Pue., Mexico" -Niners Empire Saltillo,,,Saltillo,,,"Saltillo Mexico Cervecería La Huérfana Blvd. Venustiano Carranza 7046-Int 9, Los Rodríguez, 25200 Saltillo, Coah., Mexico" -San Luis Potosi Oficial,,,San Luis Potosi,,,"San Luis Potosi Mexico Bar VIC Av Nereo Rodríguez Barragán 1399, Fuentes del Bosque, 78220 San Luis Potosí, S.L.P., Mexico" -49ers Tijuana Fans Oficial,,,Tijuana,,,"Tijuana Mexico Titan Sports Bar J. Gorostiza 1209, Zona Urbana Rio Tijuana, 22320 Tijuana, B.C., Mexico" -49ers Club Toluca Oficial,,,Toluca,,,"Toluca Mexico Revel Wings Carranza Calle Gral. Venustiano Carranza 20 Pte. 905, Residencial Colón y Col Ciprés, 50120 Toluca de Lerdo, Méx., Mexico" -Cluib de Fans 49ers Veracruz,,,Veracruz,,,"Veracruz Mexico Wings Army del Urban Center C. Lázaro Cárdenas 102, Rafael Lucio, 91110 Xalapa-Enríquez, Ver., Mexico" -49ersFanZone.net,,,Bad Vigaun,,,Bad Vigaun Austria Neuwirtsweg 315 -The Niner Empire France,,,Nousseviller Saint Nabor,,,Nousseviller Saint Nabor France 4 voie romaine 4 voie romaine -Niner Empire Germany-Bavaria Chapter,,,Ismaning,,,Ismaning Germany 49er's Sports & Partybar Muenchener Strasse 79 -4T9 Mob Germany Family,,,Hamburg,,,Hamburg Germany Jolly Roger Budapester Str. 44 -49 Niner Empire,,,Cologne State: NRW,,,Cologne State: NRW Germany Joe Camps Sports Bar Joe Champs -The Niner Empire Germany Berlin Chapter,,,Berlin,,,Berlin Germany Sportsbar Tor133 Torstrasse 133 -,,,Bornhöved,,,Bornhöved Germany Comeback Bar Mühlenstraße 11 -49ers Fans Bavaria,,,Ampfing,,,Ampfing Germany Holzheim 1a/Ampfing Holzheim 1a -The Niner Empire Germany - North Rhine-Westphalia Chapter,,,Duesseldorf,,,Duesseldorf Germany Knoten Kurze Strasse 1A -Niner Empire Germany-NRW Chapter,,,Cologne,,,Cologne Germany Joe Champs Sportsbar Cologne Hohenzollernring 1 -3 -The Irish Faithful,,,Dublin 13,,,Dublin 13 Ireland Busker On The Ball 13 - 17 Fleet Street -49ers Italian Fan Club,,,Fiorano Modenese,,,"Fiorano Modenese Italy The Beer Corner Via Roma, 2/A" -Mineros Spanish Faithful,,,Madrid,,,Madrid Spain Penalti Lounge Bar Avenida Reina 15 -Equipe Sports SF,,,Sao Paulo,,,"Sao Paulo Brazil Website, Podcast, Facebook Page, Twitter Rua Hitoshi Ishibashi, 11 B" -49ers Brasil,,,"Campo Limpo, Sao Paulo",,,"Campo Limpo, Sao Paulo Brazil Bars and Restaurants in São Paulo - SP" -San Francisco 49ers Brasil,,,"Sao Bernardo do Campo, Sao Paulo",,,"Sao Bernardo do Campo, Sao Paulo Brazil Multiple locations around south and southeast states of Brazil" -"Niner Empire --Vanouver,BC Chapter",,,"Vancouver, BC",,,"Vancouver, BC Canada The Sharks Club--Langley, BC 20169 88 Avenue" -True North Niners,,,"Bolton, Ontario",,,"Bolton, Ontario Canada Maguire's Pub 284 Queen st E" -Faithful Panama,,,,,,Panama 5inco Panama 8530 NW 72ND ST -Niner Empire New Zealand,,,Auckland,,,Auckland New Zealand The Kingslander 470 New North Road -49er Fans-Tonga,,,Nuku'alofa,,,Nuku'alofa Tonga Tali'eva Bar 14 Taufa'ahau Rd -49ers Faithful UK,,,Greater Manchester,,,Greater Manchester United Kingdom the green Ducie street Manchester Greater Manchester Lancashire m1 United Kingdom -49er Faithful UK,,,Newcastle,,,Newcastle United Kingdom Grosvenor Casino 100 St James' Blvd Newcastle Tyne & Wear CA 95054 United Kingdom -49ers of United Kingdom,,,London,,,London United Kingdom The Sports Cafe 80 Haymarket London SW1Y 4TE United Kingdom -Niner Empire UK,,,Manchester,,,"Manchester United Kingdom The Green Bridge House 26 Ducie Street, Manchester, Manchester M1 2dq United Kingdom" -"San Francisco 49er Fans of Charleston, SC",,,Charleston,SC,,Charleston SC United States Recovery Room Tavern 685 King St -530 Empire,,,Chico,Ca,,Chico Ca United States Nash's 1717 Esplanade -303 Denver Chapter Niner Empire,,,Aurora,CO,,Aurora CO United States Moes Bbq 2727 s Parker rd -40NINERS L.A. CHAPTER,,,bell,ca,,bell ca United States KRAZY WINGS SPORTS & GRILL 7016 ATLANTIC AVE -434 Virginia Niner Empire,,,Danville,VA,,Danville VA United States Kickbacks Jacks 140 Crown Dr -480 Gilbert Niner Empire LLC,,,Gilbert,AZ,,Gilbert AZ United States The Brass Tap 313 n Gilbert rd -Midwest Empire,,,Evansville,IN,,Evansville IN United States Hooters (Evansville) 2112 Bremmerton Dr -49er Booster Club of Vacaville,,,Vacaville,CA,,Vacaville CA United States Blondies Bar and Grill 555 Main Street -49er Empire High Desert,,,Hesperia,California,,Hesperia California United States Whiskey Barrel 12055 Mariposa Rd. -Cool 49er Booster Club,,,Cool,CA,,Cool CA United States The Cool Beerworks 5020 Ellinghouse Dr Suite H -49ersBeachCitiesSoCal,,,Hermosa Beach,CA,,Hermosa Beach CA United States American Junkie Sky Light Bar American Junkie -49ers Denver Empire,,,Aurora,Co,,Aurora Co United States Moe's Original BBQ Aurora 2727 S Parker Rd -49ers Forever Faithfuls,,,Vancouver,Wa,,"Vancouver Wa United States Hooligan's sports bar and grill 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662" -South Texas 49ers Chapter,,,Harlingen,TX,,Harlingen TX United States Wing barn 412 sunny side ln -49ers Los Angeles,,,Hollywood,CA,,Hollywood CA United States Dave & Buster's Hollywood 6801 Hollywood Blvd. -49ers United Of Frisco TX,,,Frisco,TX,,Frisco TX United States The Frisco Bar and Grill 6750 Gaylord Pkwy -619ers San Diego Niner Empire,,,San Diego,California,,San Diego California United States Bridges Bar & Grill 4800 Art Street -626 FAITHFUL'S,,,City of Industry,California,,City of Industry California United States Hacienda Heights Pizza Co. 15239 E Gale Ave -Niner Empire 650 Chapter,,,Redwood City,CA,,Redwood City CA United States 5th Quarter 976 Woodside Rd -714 Niner Empire,,,Oxnard,CA,,"Oxnard CA United States Bottoms Up Tavern, 2162 West Lincoln Ave, Anaheim CA 92801 3206 Lisbon Lane" -9er Elite Niner Empire,,,Lake Elsinore,California,,Lake Elsinore California United States Pin 'n' Pockets 32250 Mission Trail -Az 49er Faithful,,,Gilbert,Az,,Gilbert Az United States Fox and Hound! 1017 E Baseline Rd -Niners Winers,,,Forestville,Ca,,Forestville Ca United States Bars and wineries in sonoma and napa counties River road -a_49er fan,,,wylie,texas,,wylie texas United States Wylie 922 cedar creek dr. -Niner Empire Marin,,,Novato,CA,,Novato CA United States Moylan's Brewery & Restaurant 15 Rowland Way -4T9 Mob,,,Modesto,ca,,Modesto ca United States Jack's pizza cafe 2001 Mchenry ave -North Eastern Pennsyvania chapter,,,Larksville,PA,,Larksville PA United States Zlo joes sports bar 234 Nesbitt St -PDX Frisco Fanatics,,,Portland,Or,,Portland Or United States Suki's bar and Grill 2401 sw 4th ave -The 101 Niner Empire,,,Morgan Hill,CA,,Morgan Hill CA United States Huntington Station restaurant and sports pub Huntington Station restaurant and sports pub -Faithful Tri-State Empire,,,Erie,PA,,Erie PA United States Buffalo Wild Wings 2099 Interchange Rd -YUMA Faithfuls,,,Yuma,AZ,,Yuma AZ United States Hooters 1519 S Yuma Palms Pkwy -49ER EMPIRE SF Bay Area Core Chapter,,,Fremont,california,,Fremont california United States Jack's Brewery 39176 Argonaut Way -Niner Empire Orlando Chapter,,,Orlando,FL,,Orlando FL United States Underground Public House 19 S Orange Ave -Niner Artillery Empire,,,517 E Gore Blvd,OK,,517 E Gore Blvd OK United States Sweet Play/ Mike's Sports Grill 2610 Sw Lee Blvd Suite 3 / 517 E Gore Blvd -510 Empire,,,Alameda,CA,,Alameda CA United States McGee's Bar and Grill 1645 Park ST -Garlic City Faithful,,,Gilroy,CA,,Gilroy CA United States Straw Hat Pizza 1053 1st Street -Faithful to the Bay,,,Merced,CA,,Merced CA United States Home Mountain mikes pizza -O.C. NINER EMPIRE FAITHFUL'S,,,Buena park,CA,,Buena park CA United States Ciro's pizza 6969 la Palma Ave -408 Faithfuls,,,Milpitas,CA,,Milpitas CA United States Big Al's Silicon Valley 27 Ranch Drive -415 chapter,,,san francisco,California,,san francisco California United States 49er Faithful house 2090 Bryant street -HairWorks,,,Denver,Co,,Denver Co United States Hair Works 2201 Lafayette at -49ers Room The Next Generation Of Faithfuls,,,Tlalnepantla de Baz,CA,,Tlalnepantla de Baz CA United States Buffalo Wild Wings Mindo E Blvd. Manuel Avila Camacho 1007 -Niner Empire 209 Modesto Chapter,,,Modesto,CA,,Modesto CA United States Rivets American Grill 2307 Oakdale Rd -Lady Niners of Washington,,,Auburn,Wa,,Auburn Wa United States Sports Page 2802 Auburn Way N -AZ 49ER EMPIRE,,,Phoenix,AZ,,Phoenix AZ United States The Native New Yorker (Ahwatukee) 5030 E Ray Rd. -The Bulls Eye Bar 49ers,,,Montclair,California,,Montclair California United States Black Angus Montclair California 9415 Monte Vista Ave. -NoVa Tru9er Empire,,,Woodbridge,va,,Woodbridge va United States Morgan's sports bar & lounge 3081 galansky blvd -Niner Empire 951 Faithfuls,,,Hemet,CA,,"Hemet CA United States George's Pizza 2920 E. Florida Ave. Hemet, Ca. 2920 E. Florida Ave." -Spartan Niner Empire Texas,,,Arlington,TX,,Arlington TX United States Bombshells Restaurant & Bar 701 N. Watson Rd. -THEE EMPIRE FAITHFUL LOS ANGELES COUNTY,,,Los Angeles,CA,,Los Angeles CA United States Home 1422 Saybrook Ave -Niner Empire Richmond 510 Chapter,,,San Pablo,Ca,,San Pablo Ca United States Noya Lounge 14350 Laurie Lane -Thee Empire Faithful The Bay Area,,,Oakley,Ca,,Oakley Ca United States Sabrina's Pizzeria 2587 Main St -The Mid Atlantic Niner Empire Chapter,,,Mechanicsville,Va,,Mechanicsville Va United States The Ville 7526 Mechanicsville Turnpike -Big Sky SF 49ers,,,Billings,MT,,Billings MT United States Old Chicago - Billings 920 S 24th Street W -Hawaii Niner Empire,,,Waipahu,HI,,Waipahu HI United States The Hale 94-983 kahuailani st -Niner Empire Porterville Cen Cal 559,,,Porterville,Ca,,Porterville Ca United States Pizza Factory/ Local Bar & Grill 897 W. Henderson -W.MA CHAPTER NINER EMPIRE,,,CHICOPEE,MA,,CHICOPEE MA United States MAXIMUM CAPACITY 116 SCHOOL ST -Hampton Roads Niner Empire (Southside Chapter),,,Norfolk,VA,,Norfolk VA United States Azalea Inn / Timeout Sports Bar Azalea Inn / Timeout Sports Bar -Central Valley Niners,,,Visalia,Ca,,Visalia Ca United States Pizza factory 3121 w noble -Niner Knights,,,Ewing Twp,NJ,,Ewing Twp NJ United States Game Room of River Edge Apts 1009 Country Lane -Lone Star Niner Empire,,,Houston,TX,,Houston TX United States Post oak ice house 5610 Richmond Ave. -Hawaii Faithfuls,,,Honolulu,HI,,Honolulu HI United States Champions Bar & Grill 1108 Keeaumoku Street -49er Faithful of Murrieta,,,Murrieta,CA,,Murrieta CA United States Sidelines Bar & Grill 24910 Washington Ave -Capitol City 49ers,,,Sacramento,CA,,Sacramento CA United States Tom's Watch Bar DOCO Tom's Watch Bar 414 K St suite 180 -Huntington Beach Faithfuls,,,Huntington Beach,CA,,Huntington Beach CA United States BEACHFRONT 301 301 Main St. Suite 101 -Niner Empire Saltillo,,,Saltillo,TX,,Saltillo TX United States Cadillac Bar Cadillac Saltillo Bar -Germantown 49er's Club,,,Memphis,TN,,Memphis TN United States Mr. P's Sports Bar Hacks Cross Rd. 3284 Hacks Cross Road -49ers faithful,,,KEYES,CA,,KEYES CA United States Mt mikes ceres ca 4618 Blanca Ct -Ladies Of The Empire,,,Manteca,Ca,,Manteca Ca United States Central Valley and Bay Area 1660 W. Yosemite Ave -Las Vegas Niner Empire 702,,,Las Vegas,NV,,Las Vegas NV United States Calico Jack's 8200 W. Charleston rd -49ers Faithfuls in DC,,,Washington,DC,,Washington DC United States Town Tavern 2323 18th Street NW -49er Booster Club of Roseville,,,Roseville,CA,,Roseville CA United States Bunz Sports Pub & Grub 311 Judah Street -Kern County Niner Empire,,,Bakersfield,Ca,,Bakersfield Ca United States Firehouse Restaurant 7701 White Lane -Central Coast Niner Empire 831,,,Salinas,CA,,Salinas CA United States Buffalo Wild Wings 1988 North Main St -Central Coast Niner Empire 831,,,Salinas,CA,,Salinas CA United States Pizza Factory 1945 Natividad Rd -Houston Niner Empire,,,Houston,TX,,Houston TX United States Home Plate Bar & Grill 1800 Texas Street -Train Whistle Faithful,,,Mountain View,CA,,Mountain View CA United States Savvy Cellar 750 W. Evelyn Avenue -Corpus Christi Chapter Niner Empire,,,Corpus Christi,TX,,Corpus Christi TX United States Cheers 419 Starr St. -Niner Empire Dade City,,,Dade City,Florida,,Dade City Florida United States Beef O Brady's Sports Bar 14136 7th Street -Chico Faithfuls,,,Chico,CA,,Chico CA United States Mountain Mikes Pizza 1722 Mangrove Ave -Chicago Niners,,,Chicago,IL,,Chicago IL United States Cheesie's Pub & Grub 958 W Belmont Ave Chicago IL 60657 958 W Belmont Ave -Niner Empire 916 Sac Town,,,Sacramento,CA,,Sacramento CA United States El Toritos 1598 Arden blvd -49ER EMPIRE COLORADO CHAPTER,,,Colorado Springs,Co.,,Colorado Springs Co. United States FOX & HOUND COLORADO SPRINGS 3101 New Center Pt. -49ers NC Triad Chapter,,,Greensboro,NC,,Greensboro NC United States Kickback Jack's 1600 Battleground Ave. -Central Oregon 49ers Faithful,,,Redmond,OR,,Redmond OR United States Redmond Oregon 495 NW 28th St -Westside 9ers,,,Carson,CA,,Carson CA United States Los Angeles 1462 E Gladwick St -Niner Empire Illinois Chapter,,,Mattoon,Illinois,,"Mattoon Illinois United States residence, for now 6 Apple Drive" -Treasure Valley 49er Faithful,,,Star,ID,,Star ID United States The Beer Guys Saloon 10937 W State St -Ct faithful chapter,,,stamford,ct,,stamford ct United States buffalo wild wings 208 summer st -305 FAITHFUL EMPIRE,,,Miami,FL,,Miami FL United States Walk-On's 9065 SW 162nd Ave -Fillmoe SF Niners Nation Chapter,,,San Francisco,CA,,San Francisco CA United States Honey Arts Kitchen by Pinot's 1861 Sutter Street -49ers So Cal Faithfuls,,,Oxnard,CA,,Oxnard CA United States So Cal (Various locations with friends and family) 3206 Lisbon Lane -Niner Empire DFW,,,Arlington,TX,,Arlington TX United States Walk-Ons Bistreaux Walk-Ons Bistreaux -Duke City Faithful Niner Empire,,,Albuquerque,NM,,Albuquerque NM United States Duke City Bar And Grill 6900 Montgomery Blvd NE -49ers @ Champions,,,Honolulu,Hawaii,,Honolulu Hawaii United States Champions Bar and Grill 1108 Keeaumoku St -Natural State Niners Club,,,Jonesboro,AR,,"Jonesboro AR United States Buffalo Wild Wings, Jonesboro, AR Buffalo Wild Wings" -49er Empire - Georgia Chapter,,,Marietta,ga,,Marietta ga United States Dave & Busters of Marietta Georgia 2215 D and B Dr SE -San Francisco 49ers of San Diego,,,San Diego,CA,,San Diego CA United States Moonshine Beach Moonshine Beach Bar -Sonoran Desert Niner Empire,,,Maricopa,AZ,,Maricopa AZ United States Cold beers and Cheeseburgers 20350 N John Wayne pkwy -49ers Empire Syracuse 315 Chapter,,,Syracuse,NY,,Syracuse NY United States Change of pace sports bar 1809 Grant Blvd -Niner Empire Ventura Chapter,,,Ventura,CA,,Ventura CA United States El Rey Cantina El Rey Cantina -540 Faithfuls of the Niner Empire,,,Fredericksburg,VA,,Fredericksburg VA United States Home Team Grill 1109 Jefferson Davis Highway -Ninerempire Tampafl Chapter,,,tampa,fl,,tampa fl United States Ducky's 1719 eest Kennedy blvd -Gold Diggers,,,Rochester,New York,,Rochester New York United States The Blossom Road Pub 196 N. Winton Rd -Niner Empire Waco Chapter,,,Waco,TX,,Waco TX United States Salty Dog 2004 N. Valley Mills -Niner Empire of Brentwood,,,Brentwood,CA,,Brentwood CA United States Buffalo Wild Wings 6051 Lone Tree Way -"NinerEmpire of Lancaster, PA",,,Lancaster,PA,,Lancaster PA United States PA Lancaster Niners Den 2917 Marietta Avenue -Empire Tejas 915- El Paso TX,,,El Paso,Tx,,El Paso Tx United States EL Luchador Taqueria/Bar 1613 n Zaragoza -Capitol City 49ers fan club,,,West Sacramento,CA,,West Sacramento CA United States Burgers and Brew restaurant 317 3rd St -Golden Empire Hollywood,,,Los Angeles,CA,,Los Angeles CA United States Nova Nightclub 7046 Hollywood Blvd -Spartan Niner Empire Denver,,,Denver,CO,,Denver CO United States Downtown Denver In transition -49er empire of Frisco Texas,,,Frisco,TX,,Frisco TX United States The Irish Rover Pub & Restaurant 8250 Gaylord Pkwy -FAIRFIELD CHAPTER,,,Fairfield,CA,,Fairfield CA United States Legends Sports Bar & Grill 3990 Paradise Valley Rd -Shasta Niners,,,Redding,CA,,Redding CA United States Shasta Niners Clubhouse 4830 Cedars Rd -NINER EMPIRE FREMONT CHAPTER,,,Fremont,CA,,Fremont CA United States Buffalo Wild Wings 43821 Pacific Commons Blvd -Fargo 49ers Faithful,,,Fargo,ND,,Fargo ND United States Herd & Horns 1414 12th Ave N -49ER ORIGINALS,,,Redding,CA,,Redding CA United States BLEACHERS Sports Bar & Grill 2167 Hilltop Drive -"49er Flowertown Empire of Summerville, SC",,,Summerville,South Carolina,,Summerville South Carolina United States Buffalo Wild Wings 109 Grandview Drive #1 -49ers of Brevard County,,,Port St Johns,FL,,Port St Johns FL United States Beef O'Bradys in Port St. Johns 3745 Curtis Blvd -Forever Faithful Clique,,,San Bernardino,CA,,San Bernardino CA United States The Study Pub and Grill 5244 University Pkwy Suite L -49ERS FOREVER,,,REDLANDS,CALIFORNIA,,REDLANDS CALIFORNIA United States UPPER DECK 1101 N. CALIFORNIA ST. -Thee Empire Faithful Bakersfield,,,Bakersfield,Ca,,Bakersfield Ca United States Senor Pepe's Mexican Restaurant 8450 Granite Falls Dr -Saloon Suad,,,Los Angeles,ca,,Los Angeles ca United States San Francisco Saloon Bar 11501 -Troy'a chapter,,,Troy,OH,,Troy OH United States Viva la fiesta restaurant 836 w main st -Niner Empire IE Chapter,,,San Bernardino,California,,San Bernardino California United States Don Martins Mexican Grill 1970 Ostrems Way -20916 Faithful,,,Elk Grove,CA,,Elk Grove CA United States Sky River Casino 1 Sky River Parkway -SO. CAL GOLD BLOODED NINER'S,,,Hacienda heights,CA,,Hacienda heights CA United States SUNSET ROOM 2029 hacinenda blvd -"South Florida's Faithful, Niner Empire",,,Homestead,Fl,,Homestead Fl United States Chili's in Homestead 2220 NE 8TH St. -Cesty's 49ers Faithful,,,Chandler,AZ,,Chandler AZ United States Nando's Mexican Cafe 1890 W Germann Rd -Niner Gang Empire,,,EDINBURG,TX,,EDINBURG TX United States Danny Bar & Grill 4409 Adriana -The Bell Ringers,,,Manhattan,KS,,Manhattan KS United States Jeff and Josie Schafer's House 1517 Leavenworth St. -O.C. NINER EMPIRE FAITHFUL'S,,,Buena park,CA,,Buena park CA United States Ciro's pizza 6969 la Palma Ave -Niner Empire DFW,,,Bedford,TX,,Bedford TX United States Papa G's 2900 HIGHWAY 121 -Hilmar Empire,,,Hilmar,Ca,,Hilmar Ca United States Faithful House 7836 Klint dr -49ers of West Virginia,,,Bridgeport,WV,,Bridgeport WV United States Buffalo WIld Wings 45 Betten Ct -618 Niner Empire,,,Carbondale,IL,,"Carbondale IL United States Home Basement aka """"The Local Tavern"""" 401 N Allyn st" -NINER EMPIRE HAWAII 808,,,HONOLULU,HI,,HONOLULU HI United States DAVE AND BUSTERS 1030 AUAHI ST -NINER EMPIRE HAWAII 808,,,Honolulu,HI,,Honolulu HI United States Buffalo Wild Wings 1644 Young St # E -H-Town Empire,,,Houston,Tx,,Houston Tx United States Skybox Bar and Grill 11312 Westheimer -Hub City Faithful,,,Hattiesburg,Mississippi,,Hattiesburg Mississippi United States Mugshots 204 N 40th Ave -Spartan Niner Empire Georgia,,,Duluth,GA,,Duluth GA United States Bermuda Bar 3473 Old Norcross Rd -Westchester County New York 49ers Fans,,,Yonkers,New York,,"Yonkers New York United States We meet at 3 locations, Burkes Bar in Yonkers, Matador's Fan Cave and Finnerty's 14 Troy Lane" -Niner Empire 831,,,Salinas,Ca,,Salinas Ca United States Straw Hat Pizza 156 E. Laurel Drive -Niner Empire Portland,,,Clackamas,Oregon,,Clackamas Oregon United States Various 14682 SE Sunnyside Rd -49ers Empire Galveston County Chapter,,,Nassau Bay,TX,,Nassau Bay TX United States Office 1322 Space Park Dr. -NINER EMPIRE,,,Brisbane,Ca,,Brisbane Ca United States 7 Mile House 2800 Bayshore Blvd -Boston San Francisco Bay Area Crew,,,Boston,MA,,Boston MA United States The Point Boston 147 Hanover Street -49ers Faithful of Boston,,,Boston,MA,,"Boston MA United States The Point, Boston, MA 147 Hanover Street" -Riverside 49ers Booster Club,,,Riverside,California,,Riverside California United States Lake Alice Trading Co Saloon &Eatery 3616 University Ave -318 Niner Empire,,,Monroe,La.,,Monroe La. United States 318 Niner Empire HQ 400 Stone Ave. -The Austin Faithful,,,Austin,TX,,Austin TX United States 8 Track 2805 Manor Rd -Niner Empire San Antonio,,,San Antonio,TX,,San Antonio TX United States Sir Winston's Pub 2522 Nacogdoches Rd. -NINER EMPIRE OF THE 509,,,Spokane,WA,,"Spokane WA United States Mac daddy's 808 W Main Ave #106, Spokane, WA 99201" -SOCAL OC 49ERS,,,Newport Beach,CA,,Newport Beach CA United States The Blue Beet 107 21st Place -Sin City Niner Empire,,,Henderson,NV,,Henderson NV United States Hi Scores Bar-Arcade 65 S Stephanie St. -Central Valley 9er Faithful,,,Turlock,CA,,Turlock CA United States Mountain Mike's 409 S Orange St. -Niner Squad,,,San Jose,CA,,"San Jose CA United States 4171 Gion Ave San Jose,Ca 4171 Gion Ave" -merced niner empire,,,merced,ca,,merced ca United States round table pizza 1728 w olive ave -NINERS ROLLIN HARD IMPERIAL VALLEY CHAPTER,,,Brawley,CA,,Brawley CA United States SPOT 805 550 main Street -Tooele County 49ers,,,TOOELE,UT,,"TOOELE UT United States Pins and Ales - 1111 N 200 W, Tooele, UT 84074 1111 N 200 W" -49ers united of wichita ks,,,Wichita,KS,,Wichita KS United States Hurricane sports grill 8641 w 13th st suite 111 -828 NCNINERS,,,Hickory,NC,,Hickory NC United States Coaches Neighborhood Bar and Grill 2049 Catawba Valley Blvd SE -Chicago 49ers Club,,,Chicago,IL,,Chicago IL United States The Globe Pub 1934 West Irving Park Road -Niner Empire Vancouver,,,Vancouver,WA,,Vancouver WA United States Heathen feral public house 1109 Washington St -Hampton Roads Niners Fanatics,,,Hampton,VA,,Hampton VA United States Nascar Grille 1996 Power Plant Parkway -Cincy Faithful,,,Newport,KY,,Newport KY United States Buffalo Wild Wings (Newport) 83 Carothers Rd -Southside OKC Faithful Niners,,,Oklahoma City,Oklahoma,,Oklahoma City Oklahoma United States CrosseEyed Moose 10601 Sout Western Ave -707 FAITHFULS,,,Wine country,CA,,"Wine country CA United States Wine country Breweries, restaurant's, wineries, private locations" -NINER EMPIRE MEMPHIS CHAPTER,,,Memphis,Tennessee,,Memphis Tennessee United States 360 Sports Bar & Grill 3896 Lamar Avenue -Chucktown Empire 49ers of Charleston,,,North Charleston,SC,,"North Charleston SC United States Chill n' Grill Sports bar 2810 Ashley Phosphate Rd A1, North Charleston, SC 29418" -Spartans Niner Empire Florida,,,Tampa,FL,,Tampa FL United States Ducky's Sports Bar 1719 Kennedy Blvd -Palm Springs Area 49er Club,,,Palm Springs,CA,,Palm Springs CA United States The Draughtsmen 1501 N Palm Canyon -49th State Faithful,,,Anchorage,AK,,Anchorage AK United States Al's Alaskan Inn 7830 Old Seward Hwy -49er faithful of Arizona ( of the West Valley ),,,Surprise,Az,,"Surprise Az United States Booty's Wings, Burgers and Beer Bar and Grill 15557 W. Bell Rd. Suite 405" -NINER CORE,,,Bloomington,CA,,Bloomington CA United States Traveling chapter 18972 Grove pl -Forever Faithful RGV (Rio Grande Valley),,,McAllen,TX,,McAllen TX United States My Place 410 N 17th St -49ers Sacramento Faithfuls,,,West Sacramento,CA,,West Sacramento CA United States Kick N Mule Restaurant and Sports Bar 2901 W Capitol Ave -SO. CAL GOLDBLOOED NINERS,,,Industry,CA,,Industry CA United States Hacienda nights pizza co. 15239 Gale ave -Niner Empire Hayward chapter,,,Hayward,Ca,,Hayward Ca United States Strawhat pizza 1163 industrial pkwy W -49ers Empire Iowa Chapter,,,Chariton,Iowa,,Chariton Iowa United States Shoemakers Steak House 2130 Court Ave -Niner Empire of Fresno,,,Fresno,CA,,Fresno CA United States Round Table Pizza 5702 N. First st -Connecticut Spartan Niner Empire,,,East Hartford,Connecticut,,East Hartford Connecticut United States Silver Lanes Lounge 748 Silverlane -"Niner Empire Houston, TX Chapter",,,Houston,Texas,,Houston Texas United States Little J's Bar 5306 Washington Ave -"Niner Empire Houston, TX",,,Houston,Texas,,Houston Texas United States coaches I-10 17754 Katy Fwy #1 -SO. CAL GOLD BLOODED NINER'S,,,Industry,CA,,Industry CA United States Hacienda heights Pizza Co 15239 Gale Ave -the 559 ers,,,porterville,CA,,porterville CA United States landing 13 landing 13 -Billings Niners Faithful,,,Billings,MT,,Billings MT United States Craft B&B 2658 Grand ave -901 9ers,,,Memphis,Tn,,Memphis Tn United States Prohibition 4855 American Way -Tulsa 49ers Faithful,,,Tulsa,OK,,Tulsa OK United States Buffalo Wild Wings 6222 E 41st St -The Niner Empire - 405 Faithfuls - Oklahoma City,,,Oklahoma City,OK,,Oklahoma City OK United States The Side Chick 115 E. California Ave 5911 Yale Drive -Niner Empire Imperial Valley,,,Brawley,Ca,,Brawley Ca United States Waves Restaurant & Saloon 621 S Brawley Ave -East Valley Faithful,,,Gilbert,AZ,,Gilbert AZ United States TBD 5106 South Almond CT -360 Niner Empire,,,Lacey,WA,,Lacey WA United States Dela Cruz Residence 1118 Villanova St NE -49ers Booster Club of Virginia,,,Mechanicsville,Virginia,,Mechanicsville Virginia United States Sports Page Bar & Grill 8319 Bell Creek Rd -Niner Empire Tampa,,,Tampa,FL,,Tampa FL United States The Bad Monkey 1717 East 7th Avenue -49ers Faithful Montana State,,,Missoula,MT,,Missoula MT United States Not yet determined 415 Coloma Way -49ers Fan club,,,Corpus Christi,Texas,,Corpus Christi Texas United States Click Paradise Billiards 5141 Oakhurst Dr. -Niner Empire Delano,,,Delano,ca,,Delano ca United States Aviator casino 1225 Airport dr -Mid South Niner Empire,,,Nashville,TN,,Nashville TN United States Winners Bar and Grill 1913 Division St -49ers Empire New York City,,,New York,New York,,New York New York United States Off The Wagon 109 MacDougal Street -49er Empire High Desert,,,hesperia,California,,hesperia California United States Thorny's 1330 Ranchero rd. -Mile High 49ers,,,Denver,Colorado,,Denver Colorado United States IceHouse Tavern 1801 Wynkoop St -NOCO 49ers,,,Windsor,CO,,Windsor CO United States The Summit Windsor 4455 N Fairgrounds Ave -Milwaukee Spartans of the Niner Empire,,,Wauwatosa,WI,,Wauwatosa WI United States jacksons blue ribbon pub 11302 w bluemound rd -SAN ANGELO NINER EMPIRE,,,san angelo,tx,,san angelo tx United States buffalo wild wings 4251 sherwoodway -580 FAITHFUL,,,Devol,OK,,"Devol OK United States APACHE LONE STAR CASUNO Devol, Oklahoma" -49ers of Ohio,,,Xenia,Ohio,,Xenia Ohio United States Cafe Ole' 131 North Allison Ave -307 FAITHFUL,,,Cheyenne,WY,,"Cheyenne WY United States 4013 Golden Ct, Cheyenne, Wyoming 4013 Golden Ct" -Mojave Desert 49er Faithfuls,,,Apple Valley,CA,,Apple Valley CA United States Gator's Sports Bar and Grill - Apple Valley 21041 Bear Valley Rd -The Dusty Faithful,,,Socorro,TX,,Socorro TX United States The Dusty Tap Bar 10297 Socorro Rd -The Duke City Faithful,,,Albuquerque,N.M.,,Albuquerque N.M. United States Buffalo wild wings 6001 iliff rd. -Emilio,,,Casa grande,Arizona(AZ),,Casa grande Arizona(AZ) United States Liquor factory bar and deli 930 E Florence -New Mexico Niner Empire,,,Albuquerque,New Mexico,,"Albuquerque New Mexico United States Ojos Locos Sports Cantina Park Square,2105 Louisiana Blvd N.E" -So Cal Niner Empire,,,Long Beach,Ca,,Long Beach Ca United States Gallaghers Irish Pub and Grill 2751 E. Broadway -49er Faithful of Charlotte,,,Charlotte,North Carolina,,Charlotte North Carolina United States Strike City Charlotte 210 E. Trade St. -MSP Niner Faithful,,,Saint Paul,MN,,Saint Paul MN United States Firebox BBQ 1585 Marshall Ave -Mississippi Niner Empire Chapter-Jackson,,,Jackson,Ms.,,Jackson Ms. United States M-Bar Sports Grill 6340 Ridgewood Ct. -BayArea Faithfuls,,,Pleasant Hill,California,,Pleasant Hill California United States Damo Sushi 508 Contra Costa Blvd -AZ49erFaithful,,,mesa,az,,mesa az United States Boulders on Southern 1010 w Southern ave suite 1 -Pluckers Alamo Ranch,,,San Antonio,TX,,San Antonio TX United States Pluckers Wong Bar 202 Meadow Bend Dr -Natural State Niners,,,Jonesboro,AR,,Jonesboro AR United States Buffalo Wild Wings 1503 Red Wolf Blvd -North Carolina Gold Blooded Empire,,,Raleigh,North Carolina,,Raleigh North Carolina United States Tobacco Road - Raleigh 222 Glenwood Avenue -Spartan Empire of North Carolina,,,Greensboro,NC,,Greensboro NC United States World of Beer 1310 westover terr -Niner Empire Kings County,,,Hanford,CA,,Hanford CA United States Fatte Albert's pizza co 110 E 7th St -New Mexico Gold Rush,,,Rio Rancho,NM,,Rio Rancho NM United States Applebee's 4100 Ridge Rock Rd -Niner 408 Squad,,,San Jose,CA,,San Jose CA United States Personal home 3189 Apperson Ridge Court -NINER ALLEY,,,moreno valley,ca,,moreno valley ca United States home 13944 grant st -Niner Empire San Antonio,,,San Antonio,Texas,,San Antonio Texas United States Fatso's 1704 Bandera Road -NinerEmpire520,,,Tucson,AZ,,Tucson AZ United States Maloney's 213 North 4th Ave -49er Empire Desert West,,,Glendale,Arizona,,Glendale Arizona United States McFadden's Glendale 9425 West Coyotes Blvd -Niner Empire EPT,,,el paso,tx,,el paso tx United States knockout pizza 10110 mccombs -"Niner Empire Henderson, NV",,,Henderson,Nevada,,Henderson Nevada United States Hi Scores Bar-Arcade 65 S Stephanie St -Niner Empire Salem,,,Salem,OR,,Salem OR United States IWingz IWingz -Niner Empire San Antonio,,,San Antonio,Texas,,San Antonio Texas United States Fatsos 1704 Bandera Rd -Niner Empire Southern Oregon,,,Medford,OR,,Medford OR United States The Zone Sports Bar & Grill 1250 Biddle Rd. -niner empire faithfuls of toledo,,,Toledo,Ohio,,Toledo Ohio United States Legendz sports pub and grill 519 S. Reynolds RD -Las Vegas Niner EmpireNorth,,,Las Vegas,NV,,Las Vegas NV United States Timbers Bar & Grill 7240 West Azure Drive -NINER FRONTIER,,,las vegas,NV,,las vegas NV United States Luckys Lounge 7345 S Jones Blvd -NINERS ROLLIN HARD IMPERIAL VALLEY,,,Brawley,CA,,Brawley CA United States SPOT 805 Bar and Grill 550 Main St -Niners Rollin Hard EL Valle C.V. Chapter,,,La Quinta,CA,,La Quinta CA United States The Beer Hunters 78483 Highway 111 -Niners United,,,Santa Clara,CA,,"Santa Clara CA United States Levi's Stadium Section 201, Section 110, Section 235 (8 of the 18 members are Season Ticket Holders) 4900 Marie P DeBartolo Way" -San Francisco 49ers Fans of Chicago,,,Chicago,IL,,"Chicago IL United States Gracie O'Malley's (Wicker Park location), 1635 N Milwaukee Ave, Chicago, IL 60647 Gracie O'Malley's" -NJ Niner Empire Faithful Warriors,,,Jersey City,New Jersey,,Jersey City New Jersey United States O'Haras Downtown 172 1st Street -NJ9ers,,,Bayonne,NJ,,Bayonne NJ United States Mr. Cee's Bar & Grill 17 E 21st Street -North Idaho 49ers Faithful,,,Coeur d'Alene,ID,,Coeur d'Alene ID United States Iron Horse Bar and Grille 407 Sherman Ave -Northwest Niner Empire,,,Ellensburg,WA,,Ellensburg WA United States Armies Horseshoe Sports Bar 106 W 3rd -NOVA Niners,,,Herndon,VA,,Herndon VA United States Finnegan's Sports Bar & Grill 2310 Woodland Crossing Dr -Austin Niner Empire,,,Austin,Texas,,Austin Texas United States Mister Tramps Pub & Sports Bar 8565 Research Blvd -New York 49ers Club,,,new york,ny,,new york ny United States Finnerty's Sports Bar 221 2nd Avenue -Mad-town chapter,,,Madera,CA,,Madera CA United States Madera Ranch 28423 Oregon Ave -Gold Rush Army of Austin,,,Austin,TX,,Austin TX United States Midway Field House 2015 E Riverside Dr -niner alley,,,MORENO VALLEY,CA,,MORENO VALLEY CA United States papa joes sports bar 12220 frederick ave -413 Spartans,,,Chicopee,MA,,Chicopee MA United States Bullseye Bullseye -Clementine's Faithful,,,Portland,OR,,Portland OR United States The Mule Bar 4915 NE Fremont Street -585faithful,,,dansville,NY,,dansville NY United States dansville ny 108 main st -Niner Empire Cen Cal 559,,,PORTERVILLE,CA,,PORTERVILLE CA United States BRICKHOUSE BAR AND GRILL 152 North Hockett Street -Booze & Niner Football,,,Solana Beach,CA,,Solana Beach CA United States Saddle Bar 123 W Plaza St -Westside Niners Nation,,,Culver City,CA,,Culver City CA United States Buffalo Wings and Pizza 5571 Sepulveda Blvd. -Pinal county niner empire,,,Casa grande,Arizona(AZ),,Casa grande Arizona(AZ) United States Liquor factory bar and deli 930 E Florence -"Prescott, AZ 49ers faithful",,,Prescott,AZ,,Prescott AZ United States Prescott Office Resturant 128 N. Cortez St. -San Francisco 49'ers Hawaii Fan Club,,,Honolulu,Hawaii,,Honolulu Hawaii United States To be determined To be determined -Niner Empire Portland,,,Portland,OR,,Portland OR United States KingPins Portland 3550 SE 92nd ave -QueensandKings Bay Area Empire Chapter,,,Antioch,Ca,,Antioch Ca United States Tailgaters 4605 Golf Course Rd -Club 49 Tailgate Crew,,,Pleasanton,California,,Pleasanton California United States Sunshine Saloon Sports Bar 1807 Santa Rita Rd #K -49ers Nyc Chapter,,,New York,New York,,"New York New York United States Off the Wagon 109 Macdougal St," -"49er faithfuls Yakima,Wa",,,Yakima,Wa,,Yakima Wa United States TheEndzone 1023 N 1st -49er's Faithful Aurora Co Chapter,,,Aurora,CO,,Aurora CO United States 17307 E Flora Place 17307 E Flora Place -49er F8thfuls,,,Gardena,Ca,,Gardena Ca United States Paradise 889 w 190th -westside9ers,,,Downey,CA,,Downey CA United States Bar Louie 8860 Apollo Way -Spartan 9er Empire Connecticut,,,EastHartford,CO,,EastHartford CO United States Red Room 1543 Main St -Red & Gold Empire,,,Sandy Springs,GA,,Sandy Springs GA United States Hudson Grille Sandy Springs 6317 Roswell Rd NE -RENO NINEREMPIRE,,,Reno,Nv,,Reno Nv United States Semenza's Pizzeria 4380 Neil rd. -650 Niner Empire peninsula chapter,,,South San Francisco,Ca,,South San Francisco Ca United States 7 Mile House 1201 bayshore blvd -Spartan Niner Empire California,,,Colma,CA,,Colma CA United States Molloys Tavern Molloys tavern -Riverside county TEF (Thee Empire Faithful),,,Winchester,CA,,Winchester CA United States Pizza factory 30676 Bentod Rd -Riverside 49ers Booster Club,,,Riverside,California,,Riverside California United States Lake Alice Trading Co Saloon &Eatery 3616 University Ave -49ers Strong Iowa - Des Moines Chapter,,,Ankeny,IA,,Ankeny IA United States Benchwarmers 705 S Ankeny Blvd -Mid South Niner Nation,,,Nashville,TN,,Nashville TN United States Kay Bob's 1602 21st Ave S -Kansas City 49ers Faithful,,,Leavenworth,KS,,"Leavenworth KS United States Fox and hound. 10428 metcalf Ave. Overland Park, ks 22425" -49er Booster Club Carmichael Ca,,,Fair Oaks,Ca,,Fair Oaks Ca United States Fair Oaks 7587 Pineridge Lane -Rouge & Gold Niner Empire,,,Baton Rouge,LA,,Baton Rouge LA United States Sporting News Grill 4848 Constitution Avenue -Niner Empire Tulare County,,,Visalia,Ca,,Visalia Ca United States 5th Quarter 3360 S. Fairway -Mile High 49ers NOCO Booster Club,,,Greeley,co,,Greeley co United States Old Chicago Greeley 2349 W. 29th St -NINERFANS.COM,,,Cupertino,California,,Cupertino California United States Islands Bar And Grill (Cupertino) 20750 Stevens Creek Blvd. -San Diego Gold Rush,,,San Diego,CA,,San Diego CA United States Bootleggers 804 market st. -East Valley Niner Empire,,,Apache Junction,AZ,,Apache Junction AZ United States Tumbleweed Bar & Grill 725 W Apache Trail -Santa Rosa Niner Empire,,,Windsor,CA,,Windsor CA United States Santa Rosa 140 3rd St -Youngstown Faithful,,,Canfield,OH,,Canfield OH United States The Cave 369 Timber Run Drive -Seattle Niners Faithful,,,Everett,WA,,Everett WA United States Great American Casino 12715 4th Ave W -"San Francisco 49ers Faithful - Greater Triangle Area, NC",,,Durham,North Carolina,,Durham North Carolina United States Tobacco Road Sports Cafe 280 S. Mangum St. #100 -South Florida Gold Blooded Empire,,,Boynton Beach,Florida,,Boynton Beach Florida United States Miller's Ale House 2212 N. Congress Avenue -Red Rock's Local 49 Club,,,Red Bluff,CA,,Red Bluff CA United States Tips Bar 501 walnut St. -Columbia Basin Niners Faithful,,,Finley,Washington,,Finley Washington United States Shooters 214711 e SR 397 314711 wa397 -9er Elite,,,Lake Elsinore,CA,,Lake Elsinore CA United States Pins N Pockets 32250 Mission Trail -Shore Faithful,,,Barnegat,NJ,,Barnegat NJ United States 603 East Bay Ave -Santa Fe Faithfuls,,,Santa Fe,New Mexico,,Santa Fe New Mexico United States Blue Corn Brewery 4056 Cerrilos Rd. -Sonoran Desert Niner Empire,,,Maricopa,AZ,,Maricopa AZ United States Cold beers and cheeseburgers 20350 N John Wayne Pkwy -9549ERS faithful,,,Davie,FL,,Davie FL United States Twin peaks Twin peaks -806 Niner Empire West Texas Chapter,,,Lubbock,Texas,,Lubbock Texas United States Buffalo Wild Wings 6320 19th st -Ohana Niner Empire,,,Honolulu,HI,,Honolulu HI United States TBD 1234 TBD -Westside Portland 49er Fan Club,,,Portland,OR,,Portland OR United States The Cheerful Tortoise 1939 SW 6th Ave -49ersGold,,,Oakland Park,FL,,Oakland Park FL United States stout bar and grill Stout Bar and Grill -4T9 MOB TRACY FAMILY,,,Tracy,Ca,,Tracy Ca United States Buffalo wild wings 2796 Naglee road -Niner Empire Southern Oregon Chapter,,,medford,or,,medford or United States imperial event center 41 north Front Street -SacFaithful,,,Cameron park,CA,,Cameron park CA United States Presidents home 3266 Cimmarron rd -Niner Faithful Of Southern Ohio,,,piqua,OH,,piqua OH United States My House 410 Camp St -NinerGangFaithfuls,,,Oceanside,ca,,Oceanside ca United States my house 4020 Thomas st -Jersey 49ers riders,,,Trenton,New Jersey,,Trenton New Jersey United States sticky wecket 2465 S.broad st -Life Free or Die Faithfuls,,,Concord,NH,,Concord NH United States Buffalo Wild Wings 8 Loudon Rd -The 909 Niner Faithfuls,,,Fontana,Ca,,Fontana Ca United States Boston's Sports Bar and Grill 16927 Sierra Lakes Pkwy. -Arcadia Chapter,,,Arcadia,CA,,Arcadia CA United States 4167 e live oak Ave 4167 e live oak Ave -Thee Empire Faithful,,,Fresno,California,,Fresno California United States Buffalo Wild Wings 3065 E Shaw Ave -The Oregon Faithful,,,Eugene,OR,,Eugene OR United States The Side Bar Side Bar -The ORIGINAL Niner Empire-New Jersey Chapter,,,Linden,NJ,,Linden NJ United States Nuno's Pavilion 300 Roselle ave -What a Rush (gold),,,Rochester,NY,,Rochester NY United States The Scotch House Pub 373 south Goodman street -Moreno Valley 49er Empire,,,Moreno Vallay,CA,,Moreno Vallay CA United States S Bar and Grill 23579 Sunnymead Ranch Pkwy -"The Niner Empire, 405 Faithfuls, Oklahoma City",,,Oklahoma city,OK,,Oklahoma city OK United States Hooters NW Expressway OKC 3025 NW EXPRESSWAY -707 EMPIRE VALLEY,,,napa,California,,napa California United States Ruiz Home 696a stonehouse drive -Treasure Valley 49er Faithful,,,Star,ID,,Star ID United States The Beer Guys Saloon 10937 W. State Street -Hampton Roads Niner Empire,,,Newport news,VA,,Newport news VA United States Boathouse Live 11800 Merchants Walk #100 -Niner Empire Salem,,,Salem,OR,,Salem OR United States AMF Firebird Lanes 4303 Center St NE -Forty Niners LA chapter,,,Bell,Ca,,Bell Ca United States Krazy Wings 7016 Atlantic Blvd -Red River Niner Empire,,,Bossier City,LA,,Bossier City LA United States Walk On's Bossier City 3010 Airline Dr -Ultimate 49er Empire,,,Pembroke pines,Florida,,Pembroke pines Florida United States Pines alehouse 11795 pine island blvd -Utah Niner Empire,,,Salt Lake City,UT,,Salt Lake City UT United States Legends Sports Pub 677 South 200 West -Phoenix602Faithful,,,Phoenix,AZ,,Phoenix AZ United States Galaghers 3220 E Baseline Rd -WESTSIDE 9ERS,,,Carson,CA,,Carson CA United States Buffalo Wild Wings 736 E Del Amo Blvd -Addison Point 49ner's Fans,,,Addison,Texas,,Addison Texas United States Addison Point Sports Grill 4578 Beltline Road -49er Forever Faithfuls,,,Vancouver,Wa,,"Vancouver Wa United States Hooligans bar and grill 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662" -Woodland Faithful,,,Woodland,CA,,Woodland CA United States Mountain Mikes Pizza 171 W. Main St -Niner Empire Central New York,,,Cicero,New York,,Cicero New York United States Tully's Good Times 7838 Brewerton Rd -4 Corners Faithful,,,Durango,CO,,Durango CO United States Sporting News Grill 21636 Highway 160 -480 Gilbert Niner Empire,,,Gilbert,AZ,,Gilbert AZ United States Panda Libre 748 N Gilbert Rd -Niner Empire Jalisco 49ers Guadalajara,,,Guadalajara,TX,,Guadalajara TX United States Bar Cheleros Bar CHELEROS -49ERS Faithful of West Virginia,,,Charleston,WV,,Charleston WV United States The Pitch 5711 MacCorkle Ave SE -49 Migos Chapter,,,Saddle Brook,NJ,,Saddle Brook NJ United States Midland Brewhouse 374 N Midland Ave -49ers Bay Area Faithful Social Club,,,Sunnyvale,CA,,Sunnyvale CA United States Giovanni's New York Pizzeria 1127 Lawrence Expy -Niner Empire Of Indy,,,Indianapolis,IN,,Indianapolis IN United States The Bulldog Bar and Lounge 5380 N College Ave -NoTT 49ers SB BANG BANG,,,Goleta,California,,Goleta California United States No Town Tavern 5114 Hollister Ave diff --git a/data/z_old/z_fan_chapters_clean_DNU.csv b/data/z_old/z_fan_chapters_clean_DNU.csv deleted file mode 100644 index b13657dfb28eb87b71694e0b7651ec2f49d9aecf..0000000000000000000000000000000000000000 --- a/data/z_old/z_fan_chapters_clean_DNU.csv +++ /dev/null @@ -1,797 +0,0 @@ -Chapter Name,Team,Address,City,State,Zip Code,Address -State Farm Stadium,Arizona Cardinals,1 Cardinals Dr.,Glendale,Arizona,85305.0,1 Cardinals Dr. Glendale Arizona 85305 -Mercedes-Benz Stadium,Atlanta Falcons,1 AMB Drive NW,Atlanta,Georgia,30313.0,1 AMB Drive NW Atlanta Georgia 30313 -M&T Bank Stadium,Baltimore Ravens, 1101 Russell St,Baltimore,Maryland,21230.0, 1101 Russell St Baltimore Maryland 21230 -Highmark Stadium,Buffalo Bills,1 Bills Dr,Orchard Park,New York,14127.0,1 Bills Dr Orchard Park New York 14127 -Bank of America Stadium,Carolina Panthers,800 S Mint St,Charlotte,North Carolina,28202.0,800 S Mint St Charlotte North Carolina 28202 -Soldier Field,Chicago Bears,1410 Museum Campus Dr,Chicago,Illinois,60605.0,1410 Museum Campus Dr Chicago Illinois 60605 -Paul Brown Stadium,Cincinnati Bengals,1 Paul Brown Stadium,Cincinnati,Ohio,45202.0,1 Paul Brown Stadium Cincinnati Ohio 45202 -FirstEnergy Stadium,Cleveland Browns,100 Alfred Lerner Way,Cleveland,Ohio,44114.0,100 Alfred Lerner Way Cleveland Ohio 44114 -AT&T Stadium,Dallas Cowboys,1 AT&T Way,Arlington,Texas,76011.0,1 AT&T Way Arlington Texas 76011 -Empower Field at Mile High,Denver Broncos, 1701 Bryant St,Denver,Colorado,80204.0, 1701 Bryant St Denver Colorado 80204 -Ford Field,Detroit Lions,2000 Brush St,Detroit,Michigan,48226.0,2000 Brush St Detroit Michigan 48226 -Lambeau Field,Green Bay Packers,1265 Lombardi Ave,Green Bay,Wisconsin,54304.0,1265 Lombardi Ave Green Bay Wisconsin 54304 -NRG Stadium,Houston Texans,NRG Pkwy,Houston,Texas,77054.0,NRG Pkwy Houston Texas 77054 -Lucas Oil Stadium,Indianapolis Colts,500 S Capitol Ave,Indianapolis,Indiana,46225.0,500 S Capitol Ave Indianapolis Indiana 46225 -EverBank Field,Jacksonville Jaguars,1 Everbank Field Dr,Jacksonville,Florida,32202.0,1 Everbank Field Dr Jacksonville Florida 32202 -Arrowhead Stadium,Kansas City Chiefs,1 Arrowhead Dr,Kansas City,Missouri,64129.0,1 Arrowhead Dr Kansas City Missouri 64129 -SoFi Stadium,Los Angeles Chargers & Los Angeles Rams ,1001 Stadium Dr,Inglewood,California,90301.0,1001 Stadium Dr Inglewood California 90301 -Hard Rock Stadium,Miami Dolphins,347 Don Shula Dr,Miami Gardens,Florida,33056.0,347 Don Shula Dr Miami Gardens Florida 33056 -U.S. Bank Stadium,Minnesota Vikings,401 Chicago Avenue,Minneapolis,Minnesota,55415.0,401 Chicago Avenue Minneapolis Minnesota 55415 -Gillette Stadium,New England Patriots,1 Patriot Pl,Foxborough,Massachusetts,2035.0,1 Patriot Pl Foxborough Massachusetts 2035 -Caesars Superdome,New Orleans Saints,1500 Sugar Bowl Dr,New Orleans,Louisiana,70112.0,1500 Sugar Bowl Dr New Orleans Louisiana 70112 -MetLife Stadium,New York Giants & New York Jets ,1 MetLife Stadium D,East Rutherford,New Jersey,7073.0,1 MetLife Stadium D East Rutherford New Jersey 7073 -Allegiant Stadium,Las Vegas Raiders,3333 Al Davis Way,Las Vegas,Nevada,89118.0,3333 Al Davis Way Las Vegas Nevada 89118 -Lincoln Financial Field,Philadelphia Eagles,1 Lincoln Financial Field Way,Philadelphia,Pennsylvania,19148.0,1 Lincoln Financial Field Way Philadelphia Pennsylvania 19148 -Heinz Field,Pittsburgh Steelers,100 Art Rooney Ave,Pittsburgh,Pennsylvania,15212.0,100 Art Rooney Ave Pittsburgh Pennsylvania 15212 -Levi's Stadium,San Francisco 49ers,4900 Marie P DeBartolo Way ,Santa Clara,California,95054.0,4900 Marie P DeBartolo Way Santa Clara California 95054 -Lumen Field,Seattle Seahawks,800 Occidental Ave,Seattle,Washington,98134.0,800 Occidental Ave Seattle Washington 98134 -Raymond James Stadium,Tampa Bay Buccaneers,4201 N Dale Mabry Hwy,Tampa,Florida,33607.0,4201 N Dale Mabry Hwy Tampa Florida 33607 -Nissan Stadium,Tennessee Titans,1 Titans Way,Nashville,Tennessee,37213.0,1 Titans Way Nashville Tennessee 37213 -FedExField,Washington Comanders,1600 Fedex Way,Landover,Maryland,20785.0,1600 Fedex Way Landover Maryland 20785 -,,,Aguascalientes,,, -,,,"Celaya, GTO",,, -,,,Chiapas,,, -,,,Chihuahua,,, -,,,Chihuahua,,, -,,,"Ciudad de Mexico, Mexico",,, -,,,Durango,,, -,,,Estado de Mexico,,, -,,,"Guadalajara, Jalisco",,, -,,,"Guadalajara, Jalisco",,, -,,,Juarez,,, -,,,Merida,,, -,,,Mexicali,,, -,,,Monterrey,,, -,,,Puebla,,, -,,,Saltillo,,, -,,,San Luis Potosi,,, -,,,Tijuana,,, -,,,Toluca,,, -,,,Veracruz,,, -,,,Bad Vigaun,,, -,,,Nousseviller Saint Nabor,,, -,,,Ismaning,,, -,,,Hamburg,,, -,,,Cologne State: NRW,,, -,,,Berlin,,, -,,,Bornhöved,,, -,,,Ampfing,,, -,,,Duesseldorf,,, -,,,Cologne,,, -,,,Dublin 13,,, -,,,Fiorano Modenese,,, -,,,Madrid,,, -,,,Sao Paulo,,, -,,,"Campo Limpo, Sao Paulo",,, -,,,"Sao Bernardo do Campo, Sao Paulo",,, -,,,"Vancouver, BC",,, -,,,"Bolton, Ontario",,, -,,,Auckland,,, -,,,Nuku'alofa,,, -,,,Greater Manchester,,, -,,,Newcastle,,, -,,,London,,, -,,,Manchester,,, -,,,Charleston,SC,, -,,,Chico,Ca,, -,,,Aurora,CO,, -,,,bell,ca,, -,,,Danville,VA,, -,,,Gilbert,AZ,, -,,,Evansville,IN,, -,,,Vacaville,CA,, -,,,Hesperia,California,, -,,,Cool,CA,, -,,,Hermosa Beach,CA,, -,,,Aurora,Co,, -,,,Vancouver,Wa,, -,,,Harlingen,TX,, -,,,Hollywood,CA,, -,,,Frisco,TX,, -,,,San Diego,California,, -,,,City of Industry,California,, -,,,Redwood City,CA,, -,,,Oxnard,CA,, -,,,Lake Elsinore,California,, -,,,Gilbert,Az,, -,,,Forestville,Ca,, -,,,wylie,texas,, -,,,Novato,CA,, -,,,Modesto,ca,, -,,,Larksville,PA,, -,,,Portland,Or,, -,,,Morgan Hill,CA,, -,,,Erie,PA,, -,,,Yuma,AZ,, -,,,Fremont,california,, -,,,Orlando,FL,, -,,,517 E Gore Blvd,OK,, -,,,Alameda,CA,, -,,,Gilroy,CA,, -,,,Merced,CA,, -,,,Buena park,CA,, -,,,Milpitas,CA,, -,,,san francisco,California,, -,,,Denver,Co,, -,,,Tlalnepantla de Baz,CA,, -,,,Modesto,CA,, -,,,Auburn,Wa,, -,,,Phoenix,AZ,, -,,,Montclair,California,, -,,,Woodbridge,va,, -,,,Hemet,CA,, -,,,Arlington,TX,, -,,,Los Angeles,CA,, -,,,San Pablo,Ca,, -,,,Oakley,Ca,, -,,,Mechanicsville,Va,, -,,,Billings,MT,, -,,,Waipahu,HI,, -,,,Porterville,Ca,, -,,,CHICOPEE,MA,, -,,,Norfolk,VA,, -,,,Visalia,Ca,, -,,,Ewing Twp,NJ,, -,,,Houston,TX,, -,,,Honolulu,HI,, -,,,Murrieta,CA,, -,,,Sacramento,CA,, -,,,Huntington Beach,CA,, -,,,Saltillo,TX,, -,,,Memphis,TN,, -,,,KEYES,CA,, -,,,Manteca,Ca,, -,,,Las Vegas,NV,, -,,,Washington,DC,, -,,,Roseville,CA,, -,,,Bakersfield,Ca,, -,,,Salinas,CA,, -,,,Salinas,CA,, -,,,Houston,TX,, -,,,Mountain View,CA,, -,,,Corpus Christi,TX,, -,,,Dade City,Florida,, -,,,Chico,CA,, -,,,Chicago,IL,, -,,,Sacramento,CA,, -,,,Colorado Springs,Co.,, -,,,Greensboro,NC,, -,,,Redmond,OR,, -,,,Carson,CA,, -,,,Mattoon,Illinois,, -,,,Star,ID,, -,,,stamford,ct,, -,,,Miami,FL,, -,,,San Francisco,CA,, -,,,Oxnard,CA,, -,,,Arlington,TX,, -,,,Albuquerque,NM,, -,,,Honolulu,Hawaii,, -,,,Jonesboro,AR,, -,,,Marietta,ga,, -,,,San Diego,CA,, -,,,Maricopa,AZ,, -,,,Syracuse,NY,, -,,,Ventura,CA,, -,,,Fredericksburg,VA,, -,,,tampa,fl,, -,,,Rochester,New York,, -,,,Waco,TX,, -,,,Brentwood,CA,, -,,,Lancaster,PA,, -,,,El Paso,Tx,, -,,,West Sacramento,CA,, -,,,Los Angeles,CA,, -,,,Denver,CO,, -,,,Frisco,TX,, -,,,Fairfield,CA,, -,,,Redding,CA,, -,,,Fremont,CA,, -,,,Fargo,ND,, -,,,Redding,CA,, -,,,Summerville,South Carolina,, -,,,Port St Johns,FL,, -,,,San Bernardino,CA,, -,,,REDLANDS,CALIFORNIA,, -,,,Bakersfield,Ca,, -,,,Los Angeles,ca,, -,,,Troy,OH,, -,,,San Bernardino,California,, -,,,Elk Grove,CA,, -,,,Hacienda heights,CA,, -,,,Homestead,Fl,, -,,,Chandler,AZ,, -,,,EDINBURG,TX,, -,,,Manhattan,KS,, -,,,Buena park,CA,, -,,,Bedford,TX,, -,,,Hilmar,Ca,, -,,,Bridgeport,WV,, -,,,Carbondale,IL,, -,,,HONOLULU,HI,, -,,,Honolulu,HI,, -,,,Houston,Tx,, -,,,Hattiesburg,Mississippi,, -,,,Duluth,GA,, -,,,Yonkers,New York,, -,,,Salinas,Ca,, -,,,Clackamas,Oregon,, -,,,Nassau Bay,TX,, -,,,Brisbane,Ca,, -,,,Boston,MA,, -,,,Boston,MA,, -,,,Riverside,California,, -,,,Monroe,La.,, -,,,Austin,TX,, -,,,San Antonio,TX,, -,,,Spokane,WA,, -,,,Newport Beach,CA,, -,,,Henderson,NV,, -,,,Turlock,CA,, -,,,San Jose,CA,, -,,,merced,ca,, -,,,Brawley,CA,, -,,,TOOELE,UT,, -,,,Wichita,KS,, -,,,Hickory,NC,, -,,,Chicago,IL,, -,,,Vancouver,WA,, -,,,Hampton,VA,, -,,,Newport,KY,, -,,,Oklahoma City,Oklahoma,, -,,,Wine country,CA,, -,,,Memphis,Tennessee,, -,,,North Charleston,SC,, -,,,Tampa,FL,, -,,,Palm Springs,CA,, -,,,Anchorage,AK,, -,,,Surprise,Az,, -,,,Bloomington,CA,, -,,,McAllen,TX,, -,,,West Sacramento,CA,, -,,,Industry,CA,, -,,,Hayward,Ca,, -,,,Chariton,Iowa,, -,,,Fresno,CA,, -,,,East Hartford,Connecticut,, -,,,Houston,Texas,, -,,,Houston,Texas,, -,,,Industry,CA,, -,,,porterville,CA,, -,,,Billings,MT,, -,,,Memphis,Tn,, -,,,Tulsa,OK,, -,,,Oklahoma City,OK,, -,,,Brawley,Ca,, -,,,Gilbert,AZ,, -,,,Lacey,WA,, -,,,Mechanicsville,Virginia,, -,,,Tampa,FL,, -,,,Missoula,MT,, -,,,Corpus Christi,Texas,, -,,,Delano,ca,, -,,,Nashville,TN,, -,,,New York,New York,, -,,,hesperia,California,, -,,,Denver,Colorado,, -,,,Windsor,CO,, -,,,Wauwatosa,WI,, -,,,san angelo,tx,, -,,,Devol,OK,, -,,,Xenia,Ohio,, -,,,Cheyenne,WY,, -,,,Apple Valley,CA,, -,,,Socorro,TX,, -,,,Albuquerque,N.M.,, -,,,Casa grande,Arizona(AZ),, -,,,Albuquerque,New Mexico,, -,,,Long Beach,Ca,, -,,,Charlotte,North Carolina,, -,,,Saint Paul,MN,, -,,,Jackson,Ms.,, -,,,Pleasant Hill,California,, -,,,mesa,az,, -,,,San Antonio,TX,, -,,,Jonesboro,AR,, -,,,Raleigh,North Carolina,, -,,,Greensboro,NC,, -,,,Hanford,CA,, -,,,Rio Rancho,NM,, -,,,San Jose,CA,, -,,,moreno valley,ca,, -,,,San Antonio,Texas,, -,,,Tucson,AZ,, -,,,Glendale,Arizona,, -,,,el paso,tx,, -,,,Henderson,Nevada,, -,,,Salem,OR,, -,,,San Antonio,Texas,, -,,,Medford,OR,, -,,,Toledo,Ohio,, -,,,Las Vegas,NV,, -,,,las vegas,NV,, -,,,Brawley,CA,, -,,,La Quinta,CA,, -,,,Santa Clara,CA,, -,,,Chicago,IL,, -,,,Jersey City,New Jersey,, -,,,Bayonne,NJ,, -,,,Coeur d'Alene,ID,, -,,,Ellensburg,WA,, -,,,Herndon,VA,, -,,,Austin,Texas,, -,,,new york,ny,, -,,,Madera,CA,, -,,,Austin,TX,, -,,,MORENO VALLEY,CA,, -,,,Chicopee,MA,, -,,,Portland,OR,, -,,,dansville,NY,, -,,,PORTERVILLE,CA,, -,,,Solana Beach,CA,, -,,,Culver City,CA,, -,,,Casa grande,Arizona(AZ),, -,,,Prescott,AZ,, -,,,Honolulu,Hawaii,, -,,,Portland,OR,, -,,,Antioch,Ca,, -,,,Pleasanton,California,, -,,,New York,New York,, -,,,Yakima,Wa,, -,,,Aurora,CO,, -,,,Gardena,Ca,, -,,,Downey,CA,, -,,,EastHartford,CO,, -,,,Sandy Springs,GA,, -,,,Reno,Nv,, -,,,South San Francisco,Ca,, -,,,Colma,CA,, -,,,Winchester,CA,, -,,,Riverside,California,, -,,,Ankeny,IA,, -,,,Nashville,TN,, -,,,Leavenworth,KS,, -,,,Fair Oaks,Ca,, -,,,Baton Rouge,LA,, -,,,Visalia,Ca,, -,,,Greeley,co,, -,,,Cupertino,California,, -,,,San Diego,CA,, -,,,Apache Junction,AZ,, -,,,Windsor,CA,, -,,,Canfield,OH,, -,,,Everett,WA,, -,,,Durham,North Carolina,, -,,,Boynton Beach,Florida,, -,,,Red Bluff,CA,, -,,,Finley,Washington,, -,,,Lake Elsinore,CA,, -,,,Barnegat,NJ,, -,,,Santa Fe,New Mexico,, -,,,Maricopa,AZ,, -,,,Davie,FL,, -,,,Lubbock,Texas,, -,,,Honolulu,HI,, -,,,Portland,OR,, -,,,Oakland Park,FL,, -,,,Tracy,Ca,, -,,,medford,or,, -,,,Cameron park,CA,, -,,,piqua,OH,, -,,,Oceanside,ca,, -,,,Trenton,New Jersey,, -,,,Concord,NH,, -,,,Fontana,Ca,, -,,,Arcadia,CA,, -,,,Fresno,California,, -,,,Eugene,OR,, -,,,Linden,NJ,, -,,,Rochester,NY,, -,,,Moreno Vallay,CA,, -,,,Oklahoma city,OK,, -,,,napa,California,, -,,,Star,ID,, -,,,Newport news,VA,, -,,,Salem,OR,, -,,,Bell,Ca,, -,,,Bossier City,LA,, -,,,Pembroke pines,Florida,, -,,,Salt Lake City,UT,, -,,,Phoenix,AZ,, -,,,Carson,CA,, -,,,Addison,Texas,, -,,,Vancouver,Wa,, -,,,Woodland,CA,, -,,,Cicero,New York,, -,,,Durango,CO,, -,,,Gilbert,AZ,, -,,,Guadalajara,TX,, -,,,Charleston,WV,, -,,,Saddle Brook,NJ,, -,,,Sunnyvale,CA,, -,,,Indianapolis,IN,, -49ers Aguascalientes,,,Aguascalientes,,,"Aguascalientes Mexico Vikingo Bar Av de la Convención de 1914 Sur 312-A, Las Américas, 20230 Aguascalientes, Ags., Mexico" -Bajio Faithful,,,"Celaya, GTO",,,"Celaya, GTO Mexico California Prime Rib Restaurant Av. Constituyentes 1000 A, 3 Guerras, 38080 Celaya, Gto., Mexico" -Niner Empire Chiapas,,,Chiapas,,,"Chiapas Mexico Alitas Tuxtla Blvd. Belisario Dominguez 1861 Loc K1 Tuxtl Fracc, Bugambilias, 29060 Tuxtla Gutiérrez, Chis., Mexico" -49ers Faithful Chihuahua Oficial,,,Chihuahua,,,"Chihuahua Mexico El Coliseo Karaoke Sports Bar C. Jose Maria Morelos 111, Zona Centro, 31000 Chihuahua, Chih., Mexico" -Gold Rush Chihuahua Spartans,,,Chihuahua,,,"Chihuahua Mexico 34 Billiards & Drinks Av. Tecnológico 4903, Las Granjas 31100" -Club 49ers Mexico,,,"Ciudad de Mexico, Mexico",,,"Ciudad de Mexico, Mexico Mexico Bar 49 16 Septiembre #27 Colonia Centro Historico Ciudad de Mexico" -Club 49ers Durango Oficial,,,Durango,,,"Durango Mexico Restaurante Buffalucas Constitución C. Constitución 107B, Zona Centro, 34000 Durango, Dgo., Mexico" -Niner Empire Edo Mex,,,Estado de Mexico,,,"Estado de Mexico Mexico Beer Garden Satélite Cto. Circunvalación Ote. 10-L-4, Cd. Satélite, 53100 Naucalpan de Juárez, Méx., Mexico" -Club 49ers Jalisco,,,"Guadalajara, Jalisco",,,"Guadalajara, Jalisco Mexico Restaurante Modo Avión Zapopan Calzada Nte 14, Granja, 45010 Zapopan, Jal., Mexico" -Niner Empire Jalisco,,,"Guadalajara, Jalisco",,,"Guadalajara, Jalisco Mexico SkyGames Sports Bar Av. Vallarta 874 entre Camarena y, C. Escorza, Centro, 44100 Guadalajara, Jal., Mexico" -Niner Empire Juarez Oficial,,,Juarez,,,"Juarez Mexico Sport Bar Silver Fox Av. Paseo Triunfo de la República 430, Las Fuentes, 32530 Juárez, Chih., Mexico" -49ers Merida Oficial,,,Merida,,,"Merida Mexico Taproom Mastache Av. Cámara de Comercio 263, San Ramón Nte, 97117 Mérida, Yuc., Mexico" -Niner Empire Mexicali,,,Mexicali,,,"Mexicali Mexico La Gambeta Terraza Sports Bar Calz. Cuauhtémoc 328, Aviación, 21230 Mexicali, B.C., Mexico" -49ers Monterrey Oficial,,,Monterrey,,,"Monterrey Mexico Buffalo Wild Wings Insurgentes Av Insurgentes 3961, Sin Nombre de Col 31, 64620 Monterrey, N.L., Mexico" -Club 49ers Puebla,,,Puebla,,,"Puebla Mexico Bar John Barrigón Av. Juárez 2925, La Paz, 72160 Heroica Puebla de Zaragoza, Pue., Mexico" -Niners Empire Saltillo,,,Saltillo,,,"Saltillo Mexico Cervecería La Huérfana Blvd. Venustiano Carranza 7046-Int 9, Los Rodríguez, 25200 Saltillo, Coah., Mexico" -San Luis Potosi Oficial,,,San Luis Potosi,,,"San Luis Potosi Mexico Bar VIC Av Nereo Rodríguez Barragán 1399, Fuentes del Bosque, 78220 San Luis Potosí, S.L.P., Mexico" -49ers Tijuana Fans Oficial,,,Tijuana,,,"Tijuana Mexico Titan Sports Bar J. Gorostiza 1209, Zona Urbana Rio Tijuana, 22320 Tijuana, B.C., Mexico" -49ers Club Toluca Oficial,,,Toluca,,,"Toluca Mexico Revel Wings Carranza Calle Gral. Venustiano Carranza 20 Pte. 905, Residencial Colón y Col Ciprés, 50120 Toluca de Lerdo, Méx., Mexico" -Cluib de Fans 49ers Veracruz,,,Veracruz,,,"Veracruz Mexico Wings Army del Urban Center C. Lázaro Cárdenas 102, Rafael Lucio, 91110 Xalapa-Enríquez, Ver., Mexico" -49ersFanZone.net,,,Bad Vigaun,,,Bad Vigaun Austria Neuwirtsweg 315 -The Niner Empire France,,,Nousseviller Saint Nabor,,,Nousseviller Saint Nabor France 4 voie romaine 4 voie romaine -Niner Empire Germany-Bavaria Chapter,,,Ismaning,,,Ismaning Germany 49er's Sports & Partybar Muenchener Strasse 79 -4T9 Mob Germany Family,,,Hamburg,,,Hamburg Germany Jolly Roger Budapester Str. 44 -49 Niner Empire,,,Cologne State: NRW,,,Cologne State: NRW Germany Joe Camps Sports Bar Joe Champs -The Niner Empire Germany Berlin Chapter,,,Berlin,,,Berlin Germany Sportsbar Tor133 Torstrasse 133 -,,,Bornhöved,,,Bornhöved Germany Comeback Bar Mühlenstraße 11 -49ers Fans Bavaria,,,Ampfing,,,Ampfing Germany Holzheim 1a/Ampfing Holzheim 1a -The Niner Empire Germany - North Rhine-Westphalia Chapter,,,Duesseldorf,,,Duesseldorf Germany Knoten Kurze Strasse 1A -Niner Empire Germany-NRW Chapter,,,Cologne,,,Cologne Germany Joe Champs Sportsbar Cologne Hohenzollernring 1 -3 -The Irish Faithful,,,Dublin 13,,,Dublin 13 Ireland Busker On The Ball 13 - 17 Fleet Street -49ers Italian Fan Club,,,Fiorano Modenese,,,"Fiorano Modenese Italy The Beer Corner Via Roma, 2/A" -Mineros Spanish Faithful,,,Madrid,,,Madrid Spain Penalti Lounge Bar Avenida Reina 15 -Equipe Sports SF,,,Sao Paulo,,,"Sao Paulo Brazil Website, Podcast, Facebook Page, Twitter Rua Hitoshi Ishibashi, 11 B" -49ers Brasil,,,"Campo Limpo, Sao Paulo",,,"Campo Limpo, Sao Paulo Brazil Bars and Restaurants in São Paulo - SP" -San Francisco 49ers Brasil,,,"Sao Bernardo do Campo, Sao Paulo",,,"Sao Bernardo do Campo, Sao Paulo Brazil Multiple locations around south and southeast states of Brazil" -"Niner Empire --Vanouver,BC Chapter",,,"Vancouver, BC",,,"Vancouver, BC Canada The Sharks Club--Langley, BC 20169 88 Avenue" -True North Niners,,,"Bolton, Ontario",,,"Bolton, Ontario Canada Maguire's Pub 284 Queen st E" -Faithful Panama,,,,,,Panama 5inco Panama 8530 NW 72ND ST -Niner Empire New Zealand,,,Auckland,,,Auckland New Zealand The Kingslander 470 New North Road -49er Fans-Tonga,,,Nuku'alofa,,,Nuku'alofa Tonga Tali'eva Bar 14 Taufa'ahau Rd -49ers Faithful UK,,,Greater Manchester,,,Greater Manchester United Kingdom the green Ducie street Manchester Greater Manchester Lancashire m1 United Kingdom -49er Faithful UK,,,Newcastle,,,Newcastle United Kingdom Grosvenor Casino 100 St James' Blvd Newcastle Tyne & Wear CA 95054 United Kingdom -49ers of United Kingdom,,,London,,,London United Kingdom The Sports Cafe 80 Haymarket London SW1Y 4TE United Kingdom -Niner Empire UK,,,Manchester,,,"Manchester United Kingdom The Green Bridge House 26 Ducie Street, Manchester, Manchester M1 2dq United Kingdom" -"San Francisco 49er Fans of Charleston, SC",,,Charleston,SC,,Charleston SC United States Recovery Room Tavern 685 King St -530 Empire,,,Chico,Ca,,Chico Ca United States Nash's 1717 Esplanade -303 Denver Chapter Niner Empire,,,Aurora,CO,,Aurora CO United States Moes Bbq 2727 s Parker rd -40NINERS L.A. CHAPTER,,,bell,ca,,bell ca United States KRAZY WINGS SPORTS & GRILL 7016 ATLANTIC AVE -434 Virginia Niner Empire,,,Danville,VA,,Danville VA United States Kickbacks Jacks 140 Crown Dr -480 Gilbert Niner Empire LLC,,,Gilbert,AZ,,Gilbert AZ United States The Brass Tap 313 n Gilbert rd -Midwest Empire,,,Evansville,IN,,Evansville IN United States Hooters (Evansville) 2112 Bremmerton Dr -49er Booster Club of Vacaville,,,Vacaville,CA,,Vacaville CA United States Blondies Bar and Grill 555 Main Street -49er Empire High Desert,,,Hesperia,California,,Hesperia California United States Whiskey Barrel 12055 Mariposa Rd. -Cool 49er Booster Club,,,Cool,CA,,Cool CA United States The Cool Beerworks 5020 Ellinghouse Dr Suite H -49ersBeachCitiesSoCal,,,Hermosa Beach,CA,,Hermosa Beach CA United States American Junkie Sky Light Bar American Junkie -49ers Denver Empire,,,Aurora,Co,,Aurora Co United States Moe's Original BBQ Aurora 2727 S Parker Rd -49ers Forever Faithfuls,,,Vancouver,Wa,,"Vancouver Wa United States Hooligan's sports bar and grill 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662" -South Texas 49ers Chapter,,,Harlingen,TX,,Harlingen TX United States Wing barn 412 sunny side ln -49ers Los Angeles,,,Hollywood,CA,,Hollywood CA United States Dave & Buster's Hollywood 6801 Hollywood Blvd. -49ers United Of Frisco TX,,,Frisco,TX,,Frisco TX United States The Frisco Bar and Grill 6750 Gaylord Pkwy -619ers San Diego Niner Empire,,,San Diego,California,,San Diego California United States Bridges Bar & Grill 4800 Art Street -626 FAITHFUL'S,,,City of Industry,California,,City of Industry California United States Hacienda Heights Pizza Co. 15239 E Gale Ave -Niner Empire 650 Chapter,,,Redwood City,CA,,Redwood City CA United States 5th Quarter 976 Woodside Rd -714 Niner Empire,,,Oxnard,CA,,"Oxnard CA United States Bottoms Up Tavern, 2162 West Lincoln Ave, Anaheim CA 92801 3206 Lisbon Lane" -9er Elite Niner Empire,,,Lake Elsinore,California,,Lake Elsinore California United States Pin 'n' Pockets 32250 Mission Trail -Az 49er Faithful,,,Gilbert,Az,,Gilbert Az United States Fox and Hound! 1017 E Baseline Rd -Niners Winers,,,Forestville,Ca,,Forestville Ca United States Bars and wineries in sonoma and napa counties River road -a_49er fan,,,wylie,texas,,wylie texas United States Wylie 922 cedar creek dr. -Niner Empire Marin,,,Novato,CA,,Novato CA United States Moylan's Brewery & Restaurant 15 Rowland Way -4T9 Mob,,,Modesto,ca,,Modesto ca United States Jack's pizza cafe 2001 Mchenry ave -North Eastern Pennsyvania chapter,,,Larksville,PA,,Larksville PA United States Zlo joes sports bar 234 Nesbitt St -PDX Frisco Fanatics,,,Portland,Or,,Portland Or United States Suki's bar and Grill 2401 sw 4th ave -The 101 Niner Empire,,,Morgan Hill,CA,,Morgan Hill CA United States Huntington Station restaurant and sports pub Huntington Station restaurant and sports pub -Faithful Tri-State Empire,,,Erie,PA,,Erie PA United States Buffalo Wild Wings 2099 Interchange Rd -YUMA Faithfuls,,,Yuma,AZ,,Yuma AZ United States Hooters 1519 S Yuma Palms Pkwy -49ER EMPIRE SF Bay Area Core Chapter,,,Fremont,california,,Fremont california United States Jack's Brewery 39176 Argonaut Way -Niner Empire Orlando Chapter,,,Orlando,FL,,Orlando FL United States Underground Public House 19 S Orange Ave -Niner Artillery Empire,,,517 E Gore Blvd,OK,,517 E Gore Blvd OK United States Sweet Play/ Mike's Sports Grill 2610 Sw Lee Blvd Suite 3 / 517 E Gore Blvd -510 Empire,,,Alameda,CA,,Alameda CA United States McGee's Bar and Grill 1645 Park ST -Garlic City Faithful,,,Gilroy,CA,,Gilroy CA United States Straw Hat Pizza 1053 1st Street -Faithful to the Bay,,,Merced,CA,,Merced CA United States Home Mountain mikes pizza -O.C. NINER EMPIRE FAITHFUL'S,,,Buena park,CA,,Buena park CA United States Ciro's pizza 6969 la Palma Ave -408 Faithfuls,,,Milpitas,CA,,Milpitas CA United States Big Al's Silicon Valley 27 Ranch Drive -415 chapter,,,san francisco,California,,san francisco California United States 49er Faithful house 2090 Bryant street -HairWorks,,,Denver,Co,,Denver Co United States Hair Works 2201 Lafayette at -49ers Room The Next Generation Of Faithfuls,,,Tlalnepantla de Baz,CA,,Tlalnepantla de Baz CA United States Buffalo Wild Wings Mindo E Blvd. Manuel Avila Camacho 1007 -Niner Empire 209 Modesto Chapter,,,Modesto,CA,,Modesto CA United States Rivets American Grill 2307 Oakdale Rd -Lady Niners of Washington,,,Auburn,Wa,,Auburn Wa United States Sports Page 2802 Auburn Way N -AZ 49ER EMPIRE,,,Phoenix,AZ,,Phoenix AZ United States The Native New Yorker (Ahwatukee) 5030 E Ray Rd. -The Bulls Eye Bar 49ers,,,Montclair,California,,Montclair California United States Black Angus Montclair California 9415 Monte Vista Ave. -NoVa Tru9er Empire,,,Woodbridge,va,,Woodbridge va United States Morgan's sports bar & lounge 3081 galansky blvd -Niner Empire 951 Faithfuls,,,Hemet,CA,,"Hemet CA United States George's Pizza 2920 E. Florida Ave. Hemet, Ca. 2920 E. Florida Ave." -Spartan Niner Empire Texas,,,Arlington,TX,,Arlington TX United States Bombshells Restaurant & Bar 701 N. Watson Rd. -THEE EMPIRE FAITHFUL LOS ANGELES COUNTY,,,Los Angeles,CA,,Los Angeles CA United States Home 1422 Saybrook Ave -Niner Empire Richmond 510 Chapter,,,San Pablo,Ca,,San Pablo Ca United States Noya Lounge 14350 Laurie Lane -Thee Empire Faithful The Bay Area,,,Oakley,Ca,,Oakley Ca United States Sabrina's Pizzeria 2587 Main St -The Mid Atlantic Niner Empire Chapter,,,Mechanicsville,Va,,Mechanicsville Va United States The Ville 7526 Mechanicsville Turnpike -Big Sky SF 49ers,,,Billings,MT,,Billings MT United States Old Chicago - Billings 920 S 24th Street W -Hawaii Niner Empire,,,Waipahu,HI,,Waipahu HI United States The Hale 94-983 kahuailani st -Niner Empire Porterville Cen Cal 559,,,Porterville,Ca,,Porterville Ca United States Pizza Factory/ Local Bar & Grill 897 W. Henderson -W.MA CHAPTER NINER EMPIRE,,,CHICOPEE,MA,,CHICOPEE MA United States MAXIMUM CAPACITY 116 SCHOOL ST -Hampton Roads Niner Empire (Southside Chapter),,,Norfolk,VA,,Norfolk VA United States Azalea Inn / Timeout Sports Bar Azalea Inn / Timeout Sports Bar -Central Valley Niners,,,Visalia,Ca,,Visalia Ca United States Pizza factory 3121 w noble -Niner Knights,,,Ewing Twp,NJ,,Ewing Twp NJ United States Game Room of River Edge Apts 1009 Country Lane -Lone Star Niner Empire,,,Houston,TX,,Houston TX United States Post oak ice house 5610 Richmond Ave. -Hawaii Faithfuls,,,Honolulu,HI,,Honolulu HI United States Champions Bar & Grill 1108 Keeaumoku Street -49er Faithful of Murrieta,,,Murrieta,CA,,Murrieta CA United States Sidelines Bar & Grill 24910 Washington Ave -Capitol City 49ers,,,Sacramento,CA,,Sacramento CA United States Tom's Watch Bar DOCO Tom's Watch Bar 414 K St suite 180 -Huntington Beach Faithfuls,,,Huntington Beach,CA,,Huntington Beach CA United States BEACHFRONT 301 301 Main St. Suite 101 -Niner Empire Saltillo,,,Saltillo,TX,,Saltillo TX United States Cadillac Bar Cadillac Saltillo Bar -Germantown 49er's Club,,,Memphis,TN,,Memphis TN United States Mr. P's Sports Bar Hacks Cross Rd. 3284 Hacks Cross Road -49ers faithful,,,KEYES,CA,,KEYES CA United States Mt mikes ceres ca 4618 Blanca Ct -Ladies Of The Empire,,,Manteca,Ca,,Manteca Ca United States Central Valley and Bay Area 1660 W. Yosemite Ave -Las Vegas Niner Empire 702,,,Las Vegas,NV,,Las Vegas NV United States Calico Jack's 8200 W. Charleston rd -49ers Faithfuls in DC,,,Washington,DC,,Washington DC United States Town Tavern 2323 18th Street NW -49er Booster Club of Roseville,,,Roseville,CA,,Roseville CA United States Bunz Sports Pub & Grub 311 Judah Street -Kern County Niner Empire,,,Bakersfield,Ca,,Bakersfield Ca United States Firehouse Restaurant 7701 White Lane -Central Coast Niner Empire 831,,,Salinas,CA,,Salinas CA United States Buffalo Wild Wings 1988 North Main St -Central Coast Niner Empire 831,,,Salinas,CA,,Salinas CA United States Pizza Factory 1945 Natividad Rd -Houston Niner Empire,,,Houston,TX,,Houston TX United States Home Plate Bar & Grill 1800 Texas Street -Train Whistle Faithful,,,Mountain View,CA,,Mountain View CA United States Savvy Cellar 750 W. Evelyn Avenue -Corpus Christi Chapter Niner Empire,,,Corpus Christi,TX,,Corpus Christi TX United States Cheers 419 Starr St. -Niner Empire Dade City,,,Dade City,Florida,,Dade City Florida United States Beef O Brady's Sports Bar 14136 7th Street -Chico Faithfuls,,,Chico,CA,,Chico CA United States Mountain Mikes Pizza 1722 Mangrove Ave -Chicago Niners,,,Chicago,IL,,Chicago IL United States Cheesie's Pub & Grub 958 W Belmont Ave Chicago IL 60657 958 W Belmont Ave -Niner Empire 916 Sac Town,,,Sacramento,CA,,Sacramento CA United States El Toritos 1598 Arden blvd -49ER EMPIRE COLORADO CHAPTER,,,Colorado Springs,Co.,,Colorado Springs Co. United States FOX & HOUND COLORADO SPRINGS 3101 New Center Pt. -49ers NC Triad Chapter,,,Greensboro,NC,,Greensboro NC United States Kickback Jack's 1600 Battleground Ave. -Central Oregon 49ers Faithful,,,Redmond,OR,,Redmond OR United States Redmond Oregon 495 NW 28th St -Westside 9ers,,,Carson,CA,,Carson CA United States Los Angeles 1462 E Gladwick St -Niner Empire Illinois Chapter,,,Mattoon,Illinois,,"Mattoon Illinois United States residence, for now 6 Apple Drive" -Treasure Valley 49er Faithful,,,Star,ID,,Star ID United States The Beer Guys Saloon 10937 W State St -Ct faithful chapter,,,stamford,ct,,stamford ct United States buffalo wild wings 208 summer st -305 FAITHFUL EMPIRE,,,Miami,FL,,Miami FL United States Walk-On's 9065 SW 162nd Ave -Fillmoe SF Niners Nation Chapter,,,San Francisco,CA,,San Francisco CA United States Honey Arts Kitchen by Pinot's 1861 Sutter Street -49ers So Cal Faithfuls,,,Oxnard,CA,,Oxnard CA United States So Cal (Various locations with friends and family) 3206 Lisbon Lane -Niner Empire DFW,,,Arlington,TX,,Arlington TX United States Walk-Ons Bistreaux Walk-Ons Bistreaux -Duke City Faithful Niner Empire,,,Albuquerque,NM,,Albuquerque NM United States Duke City Bar And Grill 6900 Montgomery Blvd NE -49ers @ Champions,,,Honolulu,Hawaii,,Honolulu Hawaii United States Champions Bar and Grill 1108 Keeaumoku St -Natural State Niners Club,,,Jonesboro,AR,,"Jonesboro AR United States Buffalo Wild Wings, Jonesboro, AR Buffalo Wild Wings" -49er Empire - Georgia Chapter,,,Marietta,ga,,Marietta ga United States Dave & Busters of Marietta Georgia 2215 D and B Dr SE -San Francisco 49ers of San Diego,,,San Diego,CA,,San Diego CA United States Moonshine Beach Moonshine Beach Bar -Sonoran Desert Niner Empire,,,Maricopa,AZ,,Maricopa AZ United States Cold beers and Cheeseburgers 20350 N John Wayne pkwy -49ers Empire Syracuse 315 Chapter,,,Syracuse,NY,,Syracuse NY United States Change of pace sports bar 1809 Grant Blvd -Niner Empire Ventura Chapter,,,Ventura,CA,,Ventura CA United States El Rey Cantina El Rey Cantina -540 Faithfuls of the Niner Empire,,,Fredericksburg,VA,,Fredericksburg VA United States Home Team Grill 1109 Jefferson Davis Highway -Ninerempire Tampafl Chapter,,,tampa,fl,,tampa fl United States Ducky's 1719 eest Kennedy blvd -Gold Diggers,,,Rochester,New York,,Rochester New York United States The Blossom Road Pub 196 N. Winton Rd -Niner Empire Waco Chapter,,,Waco,TX,,Waco TX United States Salty Dog 2004 N. Valley Mills -Niner Empire of Brentwood,,,Brentwood,CA,,Brentwood CA United States Buffalo Wild Wings 6051 Lone Tree Way -"NinerEmpire of Lancaster, PA",,,Lancaster,PA,,Lancaster PA United States PA Lancaster Niners Den 2917 Marietta Avenue -Empire Tejas 915- El Paso TX,,,El Paso,Tx,,El Paso Tx United States EL Luchador Taqueria/Bar 1613 n Zaragoza -Capitol City 49ers fan club,,,West Sacramento,CA,,West Sacramento CA United States Burgers and Brew restaurant 317 3rd St -Golden Empire Hollywood,,,Los Angeles,CA,,Los Angeles CA United States Nova Nightclub 7046 Hollywood Blvd -Spartan Niner Empire Denver,,,Denver,CO,,Denver CO United States Downtown Denver In transition -49er empire of Frisco Texas,,,Frisco,TX,,Frisco TX United States The Irish Rover Pub & Restaurant 8250 Gaylord Pkwy -FAIRFIELD CHAPTER,,,Fairfield,CA,,Fairfield CA United States Legends Sports Bar & Grill 3990 Paradise Valley Rd -Shasta Niners,,,Redding,CA,,Redding CA United States Shasta Niners Clubhouse 4830 Cedars Rd -NINER EMPIRE FREMONT CHAPTER,,,Fremont,CA,,Fremont CA United States Buffalo Wild Wings 43821 Pacific Commons Blvd -Fargo 49ers Faithful,,,Fargo,ND,,Fargo ND United States Herd & Horns 1414 12th Ave N -49ER ORIGINALS,,,Redding,CA,,Redding CA United States BLEACHERS Sports Bar & Grill 2167 Hilltop Drive -"49er Flowertown Empire of Summerville, SC",,,Summerville,South Carolina,,Summerville South Carolina United States Buffalo Wild Wings 109 Grandview Drive #1 -49ers of Brevard County,,,Port St Johns,FL,,Port St Johns FL United States Beef O'Bradys in Port St. Johns 3745 Curtis Blvd -Forever Faithful Clique,,,San Bernardino,CA,,San Bernardino CA United States The Study Pub and Grill 5244 University Pkwy Suite L -49ERS FOREVER,,,REDLANDS,CALIFORNIA,,REDLANDS CALIFORNIA United States UPPER DECK 1101 N. CALIFORNIA ST. -Thee Empire Faithful Bakersfield,,,Bakersfield,Ca,,Bakersfield Ca United States Senor Pepe's Mexican Restaurant 8450 Granite Falls Dr -Saloon Suad,,,Los Angeles,ca,,Los Angeles ca United States San Francisco Saloon Bar 11501 -Troy'a chapter,,,Troy,OH,,Troy OH United States Viva la fiesta restaurant 836 w main st -Niner Empire IE Chapter,,,San Bernardino,California,,San Bernardino California United States Don Martins Mexican Grill 1970 Ostrems Way -20916 Faithful,,,Elk Grove,CA,,Elk Grove CA United States Sky River Casino 1 Sky River Parkway -SO. CAL GOLD BLOODED NINER'S,,,Hacienda heights,CA,,Hacienda heights CA United States SUNSET ROOM 2029 hacinenda blvd -"South Florida's Faithful, Niner Empire",,,Homestead,Fl,,Homestead Fl United States Chili's in Homestead 2220 NE 8TH St. -Cesty's 49ers Faithful,,,Chandler,AZ,,Chandler AZ United States Nando's Mexican Cafe 1890 W Germann Rd -Niner Gang Empire,,,EDINBURG,TX,,EDINBURG TX United States Danny Bar & Grill 4409 Adriana -The Bell Ringers,,,Manhattan,KS,,Manhattan KS United States Jeff and Josie Schafer's House 1517 Leavenworth St. -O.C. NINER EMPIRE FAITHFUL'S,,,Buena park,CA,,Buena park CA United States Ciro's pizza 6969 la Palma Ave -Niner Empire DFW,,,Bedford,TX,,Bedford TX United States Papa G's 2900 HIGHWAY 121 -Hilmar Empire,,,Hilmar,Ca,,Hilmar Ca United States Faithful House 7836 Klint dr -49ers of West Virginia,,,Bridgeport,WV,,Bridgeport WV United States Buffalo WIld Wings 45 Betten Ct -618 Niner Empire,,,Carbondale,IL,,"Carbondale IL United States Home Basement aka """"The Local Tavern"""" 401 N Allyn st" -NINER EMPIRE HAWAII 808,,,HONOLULU,HI,,HONOLULU HI United States DAVE AND BUSTERS 1030 AUAHI ST -NINER EMPIRE HAWAII 808,,,Honolulu,HI,,Honolulu HI United States Buffalo Wild Wings 1644 Young St # E -H-Town Empire,,,Houston,Tx,,Houston Tx United States Skybox Bar and Grill 11312 Westheimer -Hub City Faithful,,,Hattiesburg,Mississippi,,Hattiesburg Mississippi United States Mugshots 204 N 40th Ave -Spartan Niner Empire Georgia,,,Duluth,GA,,Duluth GA United States Bermuda Bar 3473 Old Norcross Rd -Westchester County New York 49ers Fans,,,Yonkers,New York,,"Yonkers New York United States We meet at 3 locations, Burkes Bar in Yonkers, Matador's Fan Cave and Finnerty's 14 Troy Lane" -Niner Empire 831,,,Salinas,Ca,,Salinas Ca United States Straw Hat Pizza 156 E. Laurel Drive -Niner Empire Portland,,,Clackamas,Oregon,,Clackamas Oregon United States Various 14682 SE Sunnyside Rd -49ers Empire Galveston County Chapter,,,Nassau Bay,TX,,Nassau Bay TX United States Office 1322 Space Park Dr. -NINER EMPIRE,,,Brisbane,Ca,,Brisbane Ca United States 7 Mile House 2800 Bayshore Blvd -Boston San Francisco Bay Area Crew,,,Boston,MA,,Boston MA United States The Point Boston 147 Hanover Street -49ers Faithful of Boston,,,Boston,MA,,"Boston MA United States The Point, Boston, MA 147 Hanover Street" -Riverside 49ers Booster Club,,,Riverside,California,,Riverside California United States Lake Alice Trading Co Saloon &Eatery 3616 University Ave -318 Niner Empire,,,Monroe,La.,,Monroe La. United States 318 Niner Empire HQ 400 Stone Ave. -The Austin Faithful,,,Austin,TX,,Austin TX United States 8 Track 2805 Manor Rd -Niner Empire San Antonio,,,San Antonio,TX,,San Antonio TX United States Sir Winston's Pub 2522 Nacogdoches Rd. -NINER EMPIRE OF THE 509,,,Spokane,WA,,"Spokane WA United States Mac daddy's 808 W Main Ave #106, Spokane, WA 99201" -SOCAL OC 49ERS,,,Newport Beach,CA,,Newport Beach CA United States The Blue Beet 107 21st Place -Sin City Niner Empire,,,Henderson,NV,,Henderson NV United States Hi Scores Bar-Arcade 65 S Stephanie St. -Central Valley 9er Faithful,,,Turlock,CA,,Turlock CA United States Mountain Mike's 409 S Orange St. -Niner Squad,,,San Jose,CA,,"San Jose CA United States 4171 Gion Ave San Jose,Ca 4171 Gion Ave" -merced niner empire,,,merced,ca,,merced ca United States round table pizza 1728 w olive ave -NINERS ROLLIN HARD IMPERIAL VALLEY CHAPTER,,,Brawley,CA,,Brawley CA United States SPOT 805 550 main Street -Tooele County 49ers,,,TOOELE,UT,,"TOOELE UT United States Pins and Ales - 1111 N 200 W, Tooele, UT 84074 1111 N 200 W" -49ers united of wichita ks,,,Wichita,KS,,Wichita KS United States Hurricane sports grill 8641 w 13th st suite 111 -828 NCNINERS,,,Hickory,NC,,Hickory NC United States Coaches Neighborhood Bar and Grill 2049 Catawba Valley Blvd SE -Chicago 49ers Club,,,Chicago,IL,,Chicago IL United States The Globe Pub 1934 West Irving Park Road -Niner Empire Vancouver,,,Vancouver,WA,,Vancouver WA United States Heathen feral public house 1109 Washington St -Hampton Roads Niners Fanatics,,,Hampton,VA,,Hampton VA United States Nascar Grille 1996 Power Plant Parkway -Cincy Faithful,,,Newport,KY,,Newport KY United States Buffalo Wild Wings (Newport) 83 Carothers Rd -Southside OKC Faithful Niners,,,Oklahoma City,Oklahoma,,Oklahoma City Oklahoma United States CrosseEyed Moose 10601 Sout Western Ave -707 FAITHFULS,,,Wine country,CA,,"Wine country CA United States Wine country Breweries, restaurant's, wineries, private locations" -NINER EMPIRE MEMPHIS CHAPTER,,,Memphis,Tennessee,,Memphis Tennessee United States 360 Sports Bar & Grill 3896 Lamar Avenue -Chucktown Empire 49ers of Charleston,,,North Charleston,SC,,"North Charleston SC United States Chill n' Grill Sports bar 2810 Ashley Phosphate Rd A1, North Charleston, SC 29418" -Spartans Niner Empire Florida,,,Tampa,FL,,Tampa FL United States Ducky's Sports Bar 1719 Kennedy Blvd -Palm Springs Area 49er Club,,,Palm Springs,CA,,Palm Springs CA United States The Draughtsmen 1501 N Palm Canyon -49th State Faithful,,,Anchorage,AK,,Anchorage AK United States Al's Alaskan Inn 7830 Old Seward Hwy -49er faithful of Arizona ( of the West Valley ),,,Surprise,Az,,"Surprise Az United States Booty's Wings, Burgers and Beer Bar and Grill 15557 W. Bell Rd. Suite 405" -NINER CORE,,,Bloomington,CA,,Bloomington CA United States Traveling chapter 18972 Grove pl -Forever Faithful RGV (Rio Grande Valley),,,McAllen,TX,,McAllen TX United States My Place 410 N 17th St -49ers Sacramento Faithfuls,,,West Sacramento,CA,,West Sacramento CA United States Kick N Mule Restaurant and Sports Bar 2901 W Capitol Ave -SO. CAL GOLDBLOOED NINERS,,,Industry,CA,,Industry CA United States Hacienda nights pizza co. 15239 Gale ave -Niner Empire Hayward chapter,,,Hayward,Ca,,Hayward Ca United States Strawhat pizza 1163 industrial pkwy W -49ers Empire Iowa Chapter,,,Chariton,Iowa,,Chariton Iowa United States Shoemakers Steak House 2130 Court Ave -Niner Empire of Fresno,,,Fresno,CA,,Fresno CA United States Round Table Pizza 5702 N. First st -Connecticut Spartan Niner Empire,,,East Hartford,Connecticut,,East Hartford Connecticut United States Silver Lanes Lounge 748 Silverlane -"Niner Empire Houston, TX Chapter",,,Houston,Texas,,Houston Texas United States Little J's Bar 5306 Washington Ave -"Niner Empire Houston, TX",,,Houston,Texas,,Houston Texas United States coaches I-10 17754 Katy Fwy #1 -SO. CAL GOLD BLOODED NINER'S,,,Industry,CA,,Industry CA United States Hacienda heights Pizza Co 15239 Gale Ave -the 559 ers,,,porterville,CA,,porterville CA United States landing 13 landing 13 -Billings Niners Faithful,,,Billings,MT,,Billings MT United States Craft B&B 2658 Grand ave -901 9ers,,,Memphis,Tn,,Memphis Tn United States Prohibition 4855 American Way -Tulsa 49ers Faithful,,,Tulsa,OK,,Tulsa OK United States Buffalo Wild Wings 6222 E 41st St -The Niner Empire - 405 Faithfuls - Oklahoma City,,,Oklahoma City,OK,,Oklahoma City OK United States The Side Chick 115 E. California Ave 5911 Yale Drive -Niner Empire Imperial Valley,,,Brawley,Ca,,Brawley Ca United States Waves Restaurant & Saloon 621 S Brawley Ave -East Valley Faithful,,,Gilbert,AZ,,Gilbert AZ United States TBD 5106 South Almond CT -360 Niner Empire,,,Lacey,WA,,Lacey WA United States Dela Cruz Residence 1118 Villanova St NE -49ers Booster Club of Virginia,,,Mechanicsville,Virginia,,Mechanicsville Virginia United States Sports Page Bar & Grill 8319 Bell Creek Rd -Niner Empire Tampa,,,Tampa,FL,,Tampa FL United States The Bad Monkey 1717 East 7th Avenue -49ers Faithful Montana State,,,Missoula,MT,,Missoula MT United States Not yet determined 415 Coloma Way -49ers Fan club,,,Corpus Christi,Texas,,Corpus Christi Texas United States Click Paradise Billiards 5141 Oakhurst Dr. -Niner Empire Delano,,,Delano,ca,,Delano ca United States Aviator casino 1225 Airport dr -Mid South Niner Empire,,,Nashville,TN,,Nashville TN United States Winners Bar and Grill 1913 Division St -49ers Empire New York City,,,New York,New York,,New York New York United States Off The Wagon 109 MacDougal Street -49er Empire High Desert,,,hesperia,California,,hesperia California United States Thorny's 1330 Ranchero rd. -Mile High 49ers,,,Denver,Colorado,,Denver Colorado United States IceHouse Tavern 1801 Wynkoop St -NOCO 49ers,,,Windsor,CO,,Windsor CO United States The Summit Windsor 4455 N Fairgrounds Ave -Milwaukee Spartans of the Niner Empire,,,Wauwatosa,WI,,Wauwatosa WI United States jacksons blue ribbon pub 11302 w bluemound rd -SAN ANGELO NINER EMPIRE,,,san angelo,tx,,san angelo tx United States buffalo wild wings 4251 sherwoodway -580 FAITHFUL,,,Devol,OK,,"Devol OK United States APACHE LONE STAR CASUNO Devol, Oklahoma" -49ers of Ohio,,,Xenia,Ohio,,Xenia Ohio United States Cafe Ole' 131 North Allison Ave -307 FAITHFUL,,,Cheyenne,WY,,"Cheyenne WY United States 4013 Golden Ct, Cheyenne, Wyoming 4013 Golden Ct" -Mojave Desert 49er Faithfuls,,,Apple Valley,CA,,Apple Valley CA United States Gator's Sports Bar and Grill - Apple Valley 21041 Bear Valley Rd -The Dusty Faithful,,,Socorro,TX,,Socorro TX United States The Dusty Tap Bar 10297 Socorro Rd -The Duke City Faithful,,,Albuquerque,N.M.,,Albuquerque N.M. United States Buffalo wild wings 6001 iliff rd. -Emilio,,,Casa grande,Arizona(AZ),,Casa grande Arizona(AZ) United States Liquor factory bar and deli 930 E Florence -New Mexico Niner Empire,,,Albuquerque,New Mexico,,"Albuquerque New Mexico United States Ojos Locos Sports Cantina Park Square,2105 Louisiana Blvd N.E" -So Cal Niner Empire,,,Long Beach,Ca,,Long Beach Ca United States Gallaghers Irish Pub and Grill 2751 E. Broadway -49er Faithful of Charlotte,,,Charlotte,North Carolina,,Charlotte North Carolina United States Strike City Charlotte 210 E. Trade St. -MSP Niner Faithful,,,Saint Paul,MN,,Saint Paul MN United States Firebox BBQ 1585 Marshall Ave -Mississippi Niner Empire Chapter-Jackson,,,Jackson,Ms.,,Jackson Ms. United States M-Bar Sports Grill 6340 Ridgewood Ct. -BayArea Faithfuls,,,Pleasant Hill,California,,Pleasant Hill California United States Damo Sushi 508 Contra Costa Blvd -AZ49erFaithful,,,mesa,az,,mesa az United States Boulders on Southern 1010 w Southern ave suite 1 -Pluckers Alamo Ranch,,,San Antonio,TX,,San Antonio TX United States Pluckers Wong Bar 202 Meadow Bend Dr -Natural State Niners,,,Jonesboro,AR,,Jonesboro AR United States Buffalo Wild Wings 1503 Red Wolf Blvd -North Carolina Gold Blooded Empire,,,Raleigh,North Carolina,,Raleigh North Carolina United States Tobacco Road - Raleigh 222 Glenwood Avenue -Spartan Empire of North Carolina,,,Greensboro,NC,,Greensboro NC United States World of Beer 1310 westover terr -Niner Empire Kings County,,,Hanford,CA,,Hanford CA United States Fatte Albert's pizza co 110 E 7th St -New Mexico Gold Rush,,,Rio Rancho,NM,,Rio Rancho NM United States Applebee's 4100 Ridge Rock Rd -Niner 408 Squad,,,San Jose,CA,,San Jose CA United States Personal home 3189 Apperson Ridge Court -NINER ALLEY,,,moreno valley,ca,,moreno valley ca United States home 13944 grant st -Niner Empire San Antonio,,,San Antonio,Texas,,San Antonio Texas United States Fatso's 1704 Bandera Road -NinerEmpire520,,,Tucson,AZ,,Tucson AZ United States Maloney's 213 North 4th Ave -49er Empire Desert West,,,Glendale,Arizona,,Glendale Arizona United States McFadden's Glendale 9425 West Coyotes Blvd -Niner Empire EPT,,,el paso,tx,,el paso tx United States knockout pizza 10110 mccombs -"Niner Empire Henderson, NV",,,Henderson,Nevada,,Henderson Nevada United States Hi Scores Bar-Arcade 65 S Stephanie St -Niner Empire Salem,,,Salem,OR,,Salem OR United States IWingz IWingz -Niner Empire San Antonio,,,San Antonio,Texas,,San Antonio Texas United States Fatsos 1704 Bandera Rd -Niner Empire Southern Oregon,,,Medford,OR,,Medford OR United States The Zone Sports Bar & Grill 1250 Biddle Rd. -niner empire faithfuls of toledo,,,Toledo,Ohio,,Toledo Ohio United States Legendz sports pub and grill 519 S. Reynolds RD -Las Vegas Niner EmpireNorth,,,Las Vegas,NV,,Las Vegas NV United States Timbers Bar & Grill 7240 West Azure Drive -NINER FRONTIER,,,las vegas,NV,,las vegas NV United States Luckys Lounge 7345 S Jones Blvd -NINERS ROLLIN HARD IMPERIAL VALLEY,,,Brawley,CA,,Brawley CA United States SPOT 805 Bar and Grill 550 Main St -Niners Rollin Hard EL Valle C.V. Chapter,,,La Quinta,CA,,La Quinta CA United States The Beer Hunters 78483 Highway 111 -Niners United,,,Santa Clara,CA,,"Santa Clara CA United States Levi's Stadium Section 201, Section 110, Section 235 (8 of the 18 members are Season Ticket Holders) 4900 Marie P DeBartolo Way" -San Francisco 49ers Fans of Chicago,,,Chicago,IL,,"Chicago IL United States Gracie O'Malley's (Wicker Park location), 1635 N Milwaukee Ave, Chicago, IL 60647 Gracie O'Malley's" -NJ Niner Empire Faithful Warriors,,,Jersey City,New Jersey,,Jersey City New Jersey United States O'Haras Downtown 172 1st Street -NJ9ers,,,Bayonne,NJ,,Bayonne NJ United States Mr. Cee's Bar & Grill 17 E 21st Street -North Idaho 49ers Faithful,,,Coeur d'Alene,ID,,Coeur d'Alene ID United States Iron Horse Bar and Grille 407 Sherman Ave -Northwest Niner Empire,,,Ellensburg,WA,,Ellensburg WA United States Armies Horseshoe Sports Bar 106 W 3rd -NOVA Niners,,,Herndon,VA,,Herndon VA United States Finnegan's Sports Bar & Grill 2310 Woodland Crossing Dr -Austin Niner Empire,,,Austin,Texas,,Austin Texas United States Mister Tramps Pub & Sports Bar 8565 Research Blvd -New York 49ers Club,,,new york,ny,,new york ny United States Finnerty's Sports Bar 221 2nd Avenue -Mad-town chapter,,,Madera,CA,,Madera CA United States Madera Ranch 28423 Oregon Ave -Gold Rush Army of Austin,,,Austin,TX,,Austin TX United States Midway Field House 2015 E Riverside Dr -niner alley,,,MORENO VALLEY,CA,,MORENO VALLEY CA United States papa joes sports bar 12220 frederick ave -413 Spartans,,,Chicopee,MA,,Chicopee MA United States Bullseye Bullseye -Clementine's Faithful,,,Portland,OR,,Portland OR United States The Mule Bar 4915 NE Fremont Street -585faithful,,,dansville,NY,,dansville NY United States dansville ny 108 main st -Niner Empire Cen Cal 559,,,PORTERVILLE,CA,,PORTERVILLE CA United States BRICKHOUSE BAR AND GRILL 152 North Hockett Street -Booze & Niner Football,,,Solana Beach,CA,,Solana Beach CA United States Saddle Bar 123 W Plaza St -Westside Niners Nation,,,Culver City,CA,,Culver City CA United States Buffalo Wings and Pizza 5571 Sepulveda Blvd. -Pinal county niner empire,,,Casa grande,Arizona(AZ),,Casa grande Arizona(AZ) United States Liquor factory bar and deli 930 E Florence -"Prescott, AZ 49ers faithful",,,Prescott,AZ,,Prescott AZ United States Prescott Office Resturant 128 N. Cortez St. -San Francisco 49'ers Hawaii Fan Club,,,Honolulu,Hawaii,,Honolulu Hawaii United States To be determined To be determined -Niner Empire Portland,,,Portland,OR,,Portland OR United States KingPins Portland 3550 SE 92nd ave -QueensandKings Bay Area Empire Chapter,,,Antioch,Ca,,Antioch Ca United States Tailgaters 4605 Golf Course Rd -Club 49 Tailgate Crew,,,Pleasanton,California,,Pleasanton California United States Sunshine Saloon Sports Bar 1807 Santa Rita Rd #K -49ers Nyc Chapter,,,New York,New York,,"New York New York United States Off the Wagon 109 Macdougal St," -"49er faithfuls Yakima,Wa",,,Yakima,Wa,,Yakima Wa United States TheEndzone 1023 N 1st -49er's Faithful Aurora Co Chapter,,,Aurora,CO,,Aurora CO United States 17307 E Flora Place 17307 E Flora Place -49er F8thfuls,,,Gardena,Ca,,Gardena Ca United States Paradise 889 w 190th -westside9ers,,,Downey,CA,,Downey CA United States Bar Louie 8860 Apollo Way -Spartan 9er Empire Connecticut,,,EastHartford,CO,,EastHartford CO United States Red Room 1543 Main St -Red & Gold Empire,,,Sandy Springs,GA,,Sandy Springs GA United States Hudson Grille Sandy Springs 6317 Roswell Rd NE -RENO NINEREMPIRE,,,Reno,Nv,,Reno Nv United States Semenza's Pizzeria 4380 Neil rd. -650 Niner Empire peninsula chapter,,,South San Francisco,Ca,,South San Francisco Ca United States 7 Mile House 1201 bayshore blvd -Spartan Niner Empire California,,,Colma,CA,,Colma CA United States Molloys Tavern Molloys tavern -Riverside county TEF (Thee Empire Faithful),,,Winchester,CA,,Winchester CA United States Pizza factory 30676 Bentod Rd -Riverside 49ers Booster Club,,,Riverside,California,,Riverside California United States Lake Alice Trading Co Saloon &Eatery 3616 University Ave -49ers Strong Iowa - Des Moines Chapter,,,Ankeny,IA,,Ankeny IA United States Benchwarmers 705 S Ankeny Blvd -Mid South Niner Nation,,,Nashville,TN,,Nashville TN United States Kay Bob's 1602 21st Ave S -Kansas City 49ers Faithful,,,Leavenworth,KS,,"Leavenworth KS United States Fox and hound. 10428 metcalf Ave. Overland Park, ks 22425" -49er Booster Club Carmichael Ca,,,Fair Oaks,Ca,,Fair Oaks Ca United States Fair Oaks 7587 Pineridge Lane -Rouge & Gold Niner Empire,,,Baton Rouge,LA,,Baton Rouge LA United States Sporting News Grill 4848 Constitution Avenue -Niner Empire Tulare County,,,Visalia,Ca,,Visalia Ca United States 5th Quarter 3360 S. Fairway -Mile High 49ers NOCO Booster Club,,,Greeley,co,,Greeley co United States Old Chicago Greeley 2349 W. 29th St -NINERFANS.COM,,,Cupertino,California,,Cupertino California United States Islands Bar And Grill (Cupertino) 20750 Stevens Creek Blvd. -San Diego Gold Rush,,,San Diego,CA,,San Diego CA United States Bootleggers 804 market st. -East Valley Niner Empire,,,Apache Junction,AZ,,Apache Junction AZ United States Tumbleweed Bar & Grill 725 W Apache Trail -Santa Rosa Niner Empire,,,Windsor,CA,,Windsor CA United States Santa Rosa 140 3rd St -Youngstown Faithful,,,Canfield,OH,,Canfield OH United States The Cave 369 Timber Run Drive -Seattle Niners Faithful,,,Everett,WA,,Everett WA United States Great American Casino 12715 4th Ave W -"San Francisco 49ers Faithful - Greater Triangle Area, NC",,,Durham,North Carolina,,Durham North Carolina United States Tobacco Road Sports Cafe 280 S. Mangum St. #100 -South Florida Gold Blooded Empire,,,Boynton Beach,Florida,,Boynton Beach Florida United States Miller's Ale House 2212 N. Congress Avenue -Red Rock's Local 49 Club,,,Red Bluff,CA,,Red Bluff CA United States Tips Bar 501 walnut St. -Columbia Basin Niners Faithful,,,Finley,Washington,,Finley Washington United States Shooters 214711 e SR 397 314711 wa397 -9er Elite,,,Lake Elsinore,CA,,Lake Elsinore CA United States Pins N Pockets 32250 Mission Trail -Shore Faithful,,,Barnegat,NJ,,Barnegat NJ United States 603 East Bay Ave -Santa Fe Faithfuls,,,Santa Fe,New Mexico,,Santa Fe New Mexico United States Blue Corn Brewery 4056 Cerrilos Rd. -Sonoran Desert Niner Empire,,,Maricopa,AZ,,Maricopa AZ United States Cold beers and cheeseburgers 20350 N John Wayne Pkwy -9549ERS faithful,,,Davie,FL,,Davie FL United States Twin peaks Twin peaks -806 Niner Empire West Texas Chapter,,,Lubbock,Texas,,Lubbock Texas United States Buffalo Wild Wings 6320 19th st -Ohana Niner Empire,,,Honolulu,HI,,Honolulu HI United States TBD 1234 TBD -Westside Portland 49er Fan Club,,,Portland,OR,,Portland OR United States The Cheerful Tortoise 1939 SW 6th Ave -49ersGold,,,Oakland Park,FL,,Oakland Park FL United States stout bar and grill Stout Bar and Grill -4T9 MOB TRACY FAMILY,,,Tracy,Ca,,Tracy Ca United States Buffalo wild wings 2796 Naglee road -Niner Empire Southern Oregon Chapter,,,medford,or,,medford or United States imperial event center 41 north Front Street -SacFaithful,,,Cameron park,CA,,Cameron park CA United States Presidents home 3266 Cimmarron rd -Niner Faithful Of Southern Ohio,,,piqua,OH,,piqua OH United States My House 410 Camp St -NinerGangFaithfuls,,,Oceanside,ca,,Oceanside ca United States my house 4020 Thomas st -Jersey 49ers riders,,,Trenton,New Jersey,,Trenton New Jersey United States sticky wecket 2465 S.broad st -Life Free or Die Faithfuls,,,Concord,NH,,Concord NH United States Buffalo Wild Wings 8 Loudon Rd -The 909 Niner Faithfuls,,,Fontana,Ca,,Fontana Ca United States Boston's Sports Bar and Grill 16927 Sierra Lakes Pkwy. -Arcadia Chapter,,,Arcadia,CA,,Arcadia CA United States 4167 e live oak Ave 4167 e live oak Ave -Thee Empire Faithful,,,Fresno,California,,Fresno California United States Buffalo Wild Wings 3065 E Shaw Ave -The Oregon Faithful,,,Eugene,OR,,Eugene OR United States The Side Bar Side Bar -The ORIGINAL Niner Empire-New Jersey Chapter,,,Linden,NJ,,Linden NJ United States Nuno's Pavilion 300 Roselle ave -What a Rush (gold),,,Rochester,NY,,Rochester NY United States The Scotch House Pub 373 south Goodman street -Moreno Valley 49er Empire,,,Moreno Vallay,CA,,Moreno Vallay CA United States S Bar and Grill 23579 Sunnymead Ranch Pkwy -"The Niner Empire, 405 Faithfuls, Oklahoma City",,,Oklahoma city,OK,,Oklahoma city OK United States Hooters NW Expressway OKC 3025 NW EXPRESSWAY -707 EMPIRE VALLEY,,,napa,California,,napa California United States Ruiz Home 696a stonehouse drive -Treasure Valley 49er Faithful,,,Star,ID,,Star ID United States The Beer Guys Saloon 10937 W. State Street -Hampton Roads Niner Empire,,,Newport news,VA,,Newport news VA United States Boathouse Live 11800 Merchants Walk #100 -Niner Empire Salem,,,Salem,OR,,Salem OR United States AMF Firebird Lanes 4303 Center St NE -Forty Niners LA chapter,,,Bell,Ca,,Bell Ca United States Krazy Wings 7016 Atlantic Blvd -Red River Niner Empire,,,Bossier City,LA,,Bossier City LA United States Walk On's Bossier City 3010 Airline Dr -Ultimate 49er Empire,,,Pembroke pines,Florida,,Pembroke pines Florida United States Pines alehouse 11795 pine island blvd -Utah Niner Empire,,,Salt Lake City,UT,,Salt Lake City UT United States Legends Sports Pub 677 South 200 West -Phoenix602Faithful,,,Phoenix,AZ,,Phoenix AZ United States Galaghers 3220 E Baseline Rd -WESTSIDE 9ERS,,,Carson,CA,,Carson CA United States Buffalo Wild Wings 736 E Del Amo Blvd -Addison Point 49ner's Fans,,,Addison,Texas,,Addison Texas United States Addison Point Sports Grill 4578 Beltline Road -49er Forever Faithfuls,,,Vancouver,Wa,,"Vancouver Wa United States Hooligans bar and grill 8220 NE Vancouver Plaza Dr, Vancouver, WA 98662" -Woodland Faithful,,,Woodland,CA,,Woodland CA United States Mountain Mikes Pizza 171 W. Main St -Niner Empire Central New York,,,Cicero,New York,,Cicero New York United States Tully's Good Times 7838 Brewerton Rd -4 Corners Faithful,,,Durango,CO,,Durango CO United States Sporting News Grill 21636 Highway 160 -480 Gilbert Niner Empire,,,Gilbert,AZ,,Gilbert AZ United States Panda Libre 748 N Gilbert Rd -Niner Empire Jalisco 49ers Guadalajara,,,Guadalajara,TX,,Guadalajara TX United States Bar Cheleros Bar CHELEROS -49ERS Faithful of West Virginia,,,Charleston,WV,,Charleston WV United States The Pitch 5711 MacCorkle Ave SE -49 Migos Chapter,,,Saddle Brook,NJ,,Saddle Brook NJ United States Midland Brewhouse 374 N Midland Ave -49ers Bay Area Faithful Social Club,,,Sunnyvale,CA,,Sunnyvale CA United States Giovanni's New York Pizzeria 1127 Lawrence Expy -Niner Empire Of Indy,,,Indianapolis,IN,,Indianapolis IN United States The Bulldog Bar and Lounge 5380 N College Ave -NoTT 49ers SB BANG BANG,,,Goleta,California,,Goleta California United States No Town Tavern 5114 Hollister Ave diff --git a/docs/Phase 1/Task 1.2.1 Game Recap Search Implementation.md b/docs/Phase 1/Task 1.2.1 Game Recap Search Implementation.md deleted file mode 100644 index 6fed617bb83600225ea37a7e730e395a34fc0cfa..0000000000000000000000000000000000000000 --- a/docs/Phase 1/Task 1.2.1 Game Recap Search Implementation.md +++ /dev/null @@ -1,434 +0,0 @@ -# Game Recap Feature Implementation Instructions - -## Context -You are an expert at UI/UX design and software front-end development and architecture. You are allowed to not know an answer, be uncertain, or disagree with your task. If any of these occur, halt your current process and notify the user immediately. You should not hallucinate. If you are unable to remember information, you are allowed to look it up again. - -You are not allowed to hallucinate. You may only use data that exists in the files specified. You are not allowed to create new data if it does not exist in those files. - -You MUST plan extensively before each function call, and reflect extensively on the outcomes of the previous function calls. DO NOT do this entire process by making function calls only, as this can impair your ability to solve the problem and think insightfully. - -When writing code, your focus should be on creating new functionality that builds on the existing code base without breaking things that are already working. If you need to rewrite how existing code works in order to develop a new feature, please check your work carefully, and also pause your work and tell me (the human) for review before going ahead. We want to avoid software regression as much as possible. - -If the data files and code you need to use as inputs to complete your task do not conform to the structure you expected based on the instructions, please pause your work and ask the human for review and guidance on how to proceed. - -## Objective -Implement the Game Recap Search feature (Feature 3 from Feature Overview) with focus on game recap display functionality. Then refactor the game_recap_component.py and underlying code so that the game recap function can be called by the user and displayed as a dynamic UI element – instead of the current build in which it is 'pinned' to the top of the gradio app and appears statically. The user will be able to ask the app a question about a specific game and get the result including a text summary of the result as well as a visual UI component. - -## Implementation Steps - -### 1. CSS Integration -1. Add required CSS styles to the Gradio app -2. Ensure styles support responsive layout -3. Implement 49ers theme colors from Design System section - -### 2. Data Requirements Enhancement -1. Review existing game score & result data -2. Identify home team name and logo source -3. Identify away team name and logo source -4. Document data structure requirements - -### 3. CSV File Update -1. Open `schedule_with_result_april_11.csv` -2. Add columns for home team logo -3. Add columns for away team logo -4. Merge data from `nfl_team_logos_revised.csv` -5. Validate data integrity -6. Save as new version - -### 4. Static Gradio Component Development -1. Create new component file -2. Implement layout matching `game recap layout example.png`: - - Top row: away team elements - - Bottom row: home team elements - - Score display with winning team highlight - - Video preview box -3. Use static assets for 49ers first game -4. Implement responsive design - -### 5. Component Testing -1. Add component as first element in Gradio app -2. Test CSV data integration -3. Verify static display -4. Document any display issues - -### 6. Neo4j Database Update -1. Review the current Neo4j schema for games nodes -2. Create a new subfolder in the 'new_final_april 11' directory for the Neo4j update script -3. Use neo4j_ingestion.py as a reference for previous Neo4j uploads -4. Implement a function to update existing game nodes with new attributes: - - home_team_logo_url - - away_team_logo_url - - game_id - - highlight_video_url -5. Use game_id as the primary key for updates -6. Add verification steps during the insertion process -7. Request user confirmation in the cloud interface -8. Document the updated schema for future reference - -### 7. LangChain Integration -1. Review existing LangChain <-> Neo4j integration functions in agent.py and cypher.py -2. Create a new LangChain function specific to game recap search: - - Define clear tool description for LangChain recognition - - Implement text-to-cypher query generation - - Ensure proper variable passing -3. Implement game-specific search functionality: - - Use game_id as primary key - - Retrieve all necessary game attributes - - Handle edge cases and errors gracefully -4. Develop natural language understanding for game identification: - - Parse date formats (e.g., "October 11th", "10/11/24") - - Recognize team names (e.g., "49ers", "San Francisco", "Buccaneers", "Tampa Bay") - - Handle relative references (e.g., "last game", "first game of the season") - - Support multiple identification methods (date, opponent, game number) -5. IMPORTANT: Do NOT use the vector search functionality in tools/vector.py for game recap generation -6. Use the LLM to generate game recaps based on structured data returned from Cypher queries - -### 8. Component Refactoring -1. Analyze current game_recap_component.py implementation -2. Identify static elements that need to be made dynamic -3. Create new function structure: - - Accept game_id as input - - Return both text summary and UI component -4. Update variable passing mechanism -5. Implement error handling and loading states -6. Add caching mechanism for frequently accessed games -7. Implement progressive loading for media elements -8. IMPORTANT: The component should NOT be pinned to the top of the app as a static element -9. Instead, implement it as a dynamic component that can be called in response to user queries - -### 9. Gradio App Integration -1. Review current gradio_app.py implementation -2. Remove the static game recap component from the top of the app -3. Update app architecture: - - Implement dynamic component loading - - Add proper state management -4. Add user input handling for game queries -5. Implement response formatting -6. Add feedback mechanism for user queries -7. Implement session persistence for game context - -### 10. Final Deployment -1. Deploy to HuggingFace Spaces -2. Perform final UI checks -3. Verify data accuracy -4. Document any issues - -### 11. Testing and Validation -1. Test Neo4j data updates -2. Verify LangChain query generation -3. Test component rendering with various game data -4. Validate error handling -5. Test user interaction flow -6. Specific test cases to include: - - Queries with different date formats - - Queries with team name variations - - Queries with relative time references - - Queries with missing or incomplete information - - Edge cases (first/last game of season, special games) - - Performance testing with multiple concurrent users - - Error recovery testing - -## Data Flow Architecture -1. User submits a natural language query about a specific game -2. LangChain processes the query to identify the game of interest -3. LangChain generates a Cypher query to retrieve game data from Neo4j -4. Neo4j returns the game data including all required attributes -5. LangChain formats the data into a structured response -6. The formatted data is passed to the game recap component -7. The component renders the UI elements with the game data -8. The UI is displayed to the user along with a text summary - -## Error Handling Strategy -1. Implement specific error handling for: - - Game not found in database - - Ambiguous game identification - - Missing required attributes - - Database connection issues - - Invalid data formats - - UI rendering failures -2. Provide user-friendly error messages -3. Implement graceful degradation when partial data is available -4. Add logging for debugging purposes -5. Create fallback mechanisms for critical components - -## Performance Optimization -1. Implement data caching for frequently accessed games -2. Use lazy loading for media elements -3. Optimize database queries for speed -4. Implement request debouncing for rapid user queries -5. Consider implementing a service worker for offline capabilities -6. Optimize image loading and caching -7. Implement pagination for large result sets - -## Failure Conditions -- Halt process if any step fails after 3 attempts -- Document failure point and reason -- Consult with user for guidance -- Do not proceed without resolution - -## Success Criteria -- Neo4j database successfully updated with new game attributes -- LangChain correctly identifies and processes game recap queries -- Component successfully refactored to be dynamic -- Gradio app properly integrates dynamic component -- User can query specific games and receive both text and visual responses -- All existing functionality remains intact -- Error handling properly implemented -- Performance meets or exceeds current static implementation -- User can identify games using various natural language patterns - -## Notes -- Maintain existing Neo4j node structure -- Preserve all current functionality -- Document all changes for future reference -- Test thoroughly before proceeding to next phase -- Consider performance implications of dynamic loading -- Ensure proper error handling at all levels -- Follow the existing code style and patterns -- Document any assumptions made during implementation - -## Implementation Log - -### Step 1: CSS Integration ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -- Added required CSS styles to the Gradio app -- Ensured styles support responsive layout -- Implemented 49ers theme colors from Design System section - -**Implementation Details:** -CSS styles were embedded directly in the Gradio app as a string variable, ensuring compatibility with both local development and Hugging Face Spaces deployment. The implementation includes comprehensive styling for all UI components with the 49ers theme colors. - -### Step 2: Data Requirements Enhancement ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -- Reviewed existing game score & result data -- Identified home team name and logo source -- Identified away team name and logo source -- Documented data structure requirements - -**Implementation Details:** -Analyzed the schedule CSV file and identified that home team names are in the "Home Team" column and away team names are in the "Away Team" column. Logo sources were identified in the "logo_url" column of the team logos CSV file, which provides direct URLs to team logos from ESPN's CDN. - -### Step 3: CSV File Update ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -- Opened `schedule_with_result_april_11.csv` -- Added columns for home team logo -- Added columns for away team logo -- Merged data from `nfl_team_logos_revised.csv` -- Validated data integrity -- Saved as new version - -**Implementation Details:** -Created a Python script to merge the schedule data with team logo URLs. The script maps team names to their corresponding logo URLs and adds two new columns to the schedule CSV: 'home_team_logo_url' and 'away_team_logo_url'. The merged data was saved as 'schedule_with_result_and_logo_urls.csv'. - -### Step 4: Static Gradio Component Development ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -- Created new component file -- Implemented layout matching `game recap layout example.png` -- Used static assets for 49ers first game -- Implemented responsive design - -**Implementation Details:** -Created a reusable game recap component in `components/game_recap_component.py` that displays team logos, names, scores, and highlights the winning team. The component uses the data from the merged CSV file and applies the 49ers theme styling. The component was integrated into the main Gradio app and tested independently. (Note -- this is a v1, WIP build with additional visual styling to be applied later.) - -### Step 5: Component Testing ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -- Added component as first element in Gradio app -- Tested CSV data integration -- Verified static display -- Documented display issues - -**Implementation Details:** -Created a reusable game recap component in `components/game_recap_component.py` that displays team logos, names, scores, and highlights the winning team. The component uses the data from the merged CSV file and applies the 49ers theme styling. The component was integrated into the main Gradio app and tested independently. (Note -- this is a v1, WIP build with additional visual styling to be applied later.) - -### Step 6: Neo4j Database Update ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -1. Created a new directory for the Neo4j update script: - ``` - ifx-sandbox/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_update/ - ``` - -2. Created `update_game_nodes.py` script with the following functionality: - - Reads data from the schedule_with_result_april_11.csv file - - Connects to Neo4j using credentials from the .env file - - Updates existing Game nodes with additional attributes: - - home_team_logo_url - - away_team_logo_url - - highlight_video_url - - Uses game_id as the primary key for matching games - - Includes verification to confirm successful updates - - Provides progress reporting and error handling - -3. Created SCHEMA.md to document the updated Game node schema with all attributes: - - game_id (primary key) - - date - - location - - home_team - - away_team - - result - - summary - - home_team_logo_url (new) - - away_team_logo_url (new) - - highlight_video_url (new) - - embedding (if any) - -4. Executed the update script, which successfully updated: - - 17 games with team logo URLs - - 15 games with highlight video URLs - -**Implementation Details:** -Successfully updated Neo4j database with game attributes including team logo URLs and highlight video URLs. Created update scripts that use game_id as the primary key and verified data integrity with proper error handling. All existing nodes were preserved while adding the new multimedia attributes. - -**Challenges and Solutions:** -- Initially had issues with the location of the .env file. Fixed by updating the script to look in the correct location (ifx-sandbox/.env). -- Added command-line flag (--yes) for non-interactive execution. - -**Assumptions:** -1. The game_id field is consistent between the CSV data and Neo4j database. -2. The existing Game nodes have all the basic fields already populated. -3. URLs provided in the CSV file are valid and accessible. -4. The script should only update existing nodes, not create new ones. - -### Step 7: LangChain Integration ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -1. Created a new `game_recap.py` file in the tools directory with these components: - - Defined a Cypher generation prompt template for game search - - Implemented a game recap generation prompt template for LLM-based text summaries - - Created a GraphCypherQAChain for retrieving game data from Neo4j - - Added a `parse_game_data` function to structure the response data - - Added a `generate_game_recap` function to create natural language summaries - - Implemented a main `game_recap_qa` function that: - - Takes natural language queries about games - - Returns both text recap and structured game data for UI - - Added game data caching mechanism to preserve structured data - -2. Updated agent.py to add the new game recap tool: - - Imported the new `game_recap_qa` function - - Added a new tool with appropriate description - - Modified existing Game Summary Search tool description to avoid overlap - -3. Created compatible Gradio modules for the agent: - - Implemented gradio_llm.py and gradio_graph.py for Gradio compatibility - - Created gradio_agent.py that doesn't rely on Streamlit - - Added proper imports to allow tools to find these modules - -**Implementation Details:** -Created game_recap.py with Cypher generation templates and GraphCypherQAChain for retrieving game data. Implemented natural language understanding for game identification through date formats, team names, and relative references. Successfully established data flow from Neo4j to the Gradio component with proper structured data handling. - -### Step 8: Component Refactoring ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -1. Enhanced game_recap_component.py: - - Created a dynamic component that generates HTML based on game data - - Added support for different team logo styles - - Implemented winner highlighting - - Added highlight video link functionality - - Created responsive layout for different screen sizes - - Added error handling for missing data - - Implemented process_game_recap_response for extracting data from agent responses - -2. Made the component display dynamically: - - The component is hidden by default - - Shows only when game data is available - - Positioned above the chat window - - Uses Gradio's update mechanism for showing/hiding - -3. Added robust game detection: - - Implemented a cached data mechanism for preserving structured data - - Added keyword recognition for identifying game-related queries - - Created fallbacks for common teams and games - - Added debugging logs for tracking game data - -### Step 9: Gradio App Integration ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -1. Updated gradio_app.py: - - Added game_recap container - - Implemented process_and_respond function to handle game recaps - - Modified chat flow to display both visual game recap and text explanation - - Added session state for tracking current game data - - Created clear chat function that also resets game recap display - -2. Implemented data flow: - - User query → LangChain agent → Game recap tool - - Neo4j retrieval → Data extraction → UI component generation - - Proper event handlers for showing/hiding components - -**Challenges and Solutions:** -- Fixed module patching sequence to ensure proper imports -- Addressed Gradio's limitation with handling structured data from LangChain -- Implemented data caching to preserve structured data during agent processing -- Addressed HTML rendering issues by using proper Gradio components - -### Step 10: Final Deployment ✅ - -**Date Completed:** April 15, 2025 - -**Actions Performed:** -- Deployed to HuggingFace Spaces: https://huggingface.co/spaces/aliss77777/ifx-sandbox -- Performed final UI checks -- Verified data accuracy -- Documented issues - -**Implementation Details:** -Successfully deployed to HuggingFace Spaces using Gradio's built-in deployment feature. Secured environment variables as HuggingFace Secrets. Verified all connections, data accuracy, and UI functionality on the deployed version. - -### Step 11: Testing and Verification ✅ - -**Test Cases:** -1. **Neo4j Database Update:** - - ✅ Verified successful update of 17 game nodes - - ✅ Confirmed all games have logo URLs and 15 have highlight video URLs - -2. **Game Recap Functionality:** - - ✅ Confirmed LangChain successfully retrieves game data from Neo4j - - ✅ Verified text game recaps generate properly - - ✅ Tested various natural language queries: - - "Tell me about the 49ers game against the Jets" - - "What happened in the last 49ers game?" - - "Show me the game recap from October 9th" - - "Tell me about the 49ers vs Lions game" - -**Results:** -The implementation successfully: -- ✅ Updates the Neo4j database with required game attributes -- ✅ Uses LangChain to find and retrieve game data based on natural language queries -- ✅ Generates game recaps using the LLM -- ✅ Shows game visual component above the chat window -- ✅ Displays text recap in the chat message - -**Known Issues:** -- The game recap component currently displays above the chat window, not embedded within the chat message as initially planned. -- Attempted implementing an in-chat HTML component but faced Gradio's limitations with rendering HTML within chat messages. -- Still investigating options for properly embedding the visual component within the chat flow. - -**Pending Implementation Steps:** -- Find a solution for embedding the game recap visual within the chat message itself -- Add support for more games and teams beyond the current implementation -- Polish the component sizing and responsiveness - -**Note: This implementation is still a work in progress as the component is not displaying correctly inside the chat window as originally intended.** \ No newline at end of file diff --git a/docs/Phase 1/Task 1.2.2 Player Search Implementation.md b/docs/Phase 1/Task 1.2.2 Player Search Implementation.md deleted file mode 100644 index ebaa6213f1b34b00f3e268129ca0d66515595b4e..0000000000000000000000000000000000000000 --- a/docs/Phase 1/Task 1.2.2 Player Search Implementation.md +++ /dev/null @@ -1,299 +0,0 @@ -# Player Search Feature Implementation Instructions - -## Context -You are an expert at UI/UX design and software front-end development and architecture. You are allowed to not know an answer, be uncertain, or disagree with your task. If any of these occur, halt your current process and notify the user immediately. You should not hallucinate. If you are unable to remember information, you are allowed to look it up again. - -You are not allowed to hallucinate. You may only use data that exists in the files specified. You are not allowed to create new data if it does not exist in those files. - -You MUST plan extensively before each function call, and reflect extensively on the outcomes of the previous function calls. DO NOT do this entire process by making function calls only, as this can impair your ability to solve the problem and think insightfully. - -When writing code, your focus should be on creating new functionality that builds on the existing code base without breaking things that are already working. If you need to rewrite how existing code works in order to develop a new feature, please check your work carefully, and also pause your work and tell me (the human) for review before going ahead. We want to avoid software regression as much as possible. - -**I WILL REPEAT, WHEN UPDATING EXISTING CODE FILES, PLEASE DO NOT OVERWRITE EXISTING CODE, PLEASE ADD OR MODIFY COMPONENTS TO ALIGN WITH THE NEW FUNCTIONALITY. THIS INCLUDES SMALL DETAILS LIKE FUNCTION ARGUMENTS AND LIBRARY IMPORTS. REGRESSIONS IN THESE AREAS HAVE CAUSED UNNECESSARY DELAYS AND WE WANT TO AVOID THEM GOING FORWARD.** - -When you need to modify existing code (in accordance with the instruction above), **please present your recommendation to the user before taking action, and explain your rationale.** - -If the data files and code you need to use as inputs to complete your task do not conform to the structure you expected based on the instructions, please pause your work and ask the human for review and guidance on how to proceed. - -If you have difficulty finding mission critical updates in the codebase (e.g. .env files, data files) ask the user for help in finding the path and directory. - -## Objective -Follow the step-by-step process to build the Player Search feature (Task 1.2.2 from requirements.md). Start with a simple use case of displaying a UI component with the player's headshot, Instagram handle link, and a summary of their roster info. The goal is for the user to ask the app a question about a specific player and receive both a text summary and a visual UI component with information for that player. - -## Implementation Steps - -1. **Review Code Base:** Familiarize yourself with the current project structure, particularly the Gradio app (`gradio_app.py`), existing components (`components/`), services, and utilities. Pay close attention to how the Game Recap feature was integrated. -2. **Neo4j Update Script Creation:** - * Create a new subfolder within `ifx-sandbox/data/april_11_multimedia_data_collect/new_final_april 11/` specifically for the player data update script (e.g., `neo4j_player_update/`). - * Create a Python script (`update_player_nodes.py`) within this new subfolder. - * Use the existing script `ifx-sandbox/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_update/update_game_nodes.py` as a reference for connecting to Neo4j and performing updates. -3. **Neo4j Database Update:** - * The script should read player data from `ifx-sandbox/data/april_11_multimedia_data_collect/new_final_april 11/roster_april_11.csv`. - * Update existing `Player` nodes in the Neo4j database. **Do not create new nodes.** - * Use the `Player_id` attribute as the primary key to match records in the CSV file with nodes in the graph database. - * Add the following new attributes to the corresponding `Player` nodes: - * `headshot_url` - * `instagram_url` - * `highlight_video_url` (Note: Confirm if this specific column name exists in `roster_april_11.csv` or if it needs mapping). - * Implement verification steps within the script to confirm successful updates for each player. - * Report the number of updated nodes and any errors encountered. - * **Pause and request user confirmation** that the update completed successfully in the cloud interface before proceeding. -4. **Player Component Development:** - * Create a new component file (e.g., `components/player_card_component.py`). - * Design the component structure based on the requirements (headshot, name, potentially key stats, Instagram link). Use `components/game_recap_component.py` as a structural reference for creating a dynamic Gradio component. - * Ensure the component accepts player data (retrieved from Neo4j) as input. - * Implement responsive design and apply the established 49ers theme CSS. -5. **LangChain Integration:** - * Review existing LangChain integration in `gradio_agent.py` and `cypher.py` (and potentially `tools/game_recap.py`). - * Create a new file, potentially `tools/player_search.py`, for the player-specific LangChain logic. - * Define a new LangChain tool specifically for player search with a clear description so the agent recognizes when to use it. - * Implement text-to-Cypher query generation to retrieve player information based on natural language queries (e.g., searching by name, jersey number). - * Ensure the Cypher query retrieves all necessary attributes (`name`, `headshot_url`, `instagram_url`, relevant stats, etc.) using `Player_id` or `Name` for matching. - * The tool function should return both a text summary (generated by the LLM based on retrieved data) and the structured data needed for the UI component. -6. **Gradio App Integration:** - * **Propose changes first:** Before modifying `gradio_app.py` or related files, outline the necessary changes (e.g., adding a new placeholder for the player component, updating the chat processing function to handle player data, modifying event handlers) and **request user approval.** - * Import the new player search tool into `gradio_agent.py` and add it to the agent's tool list. - * Import the new player card component into `gradio_app.py`. - * Modify the main chat/response function in `gradio_app.py` to: - * Recognize when the agent returns player data. - * Extract the text summary and structured data. - * Update the Gradio UI to display the player card component with the structured data. - * Display the text summary in the chat interface. - * Ensure the player card component is initially hidden and only displayed when relevant data is available (similar to the game recap component). - * Update the "Clear Chat" functionality to also hide/reset the player card component. -7. **Testing and Validation:** - * Test the Neo4j update script thoroughly. - * Verify the LangChain tool correctly identifies player queries and generates appropriate Cypher. - * Test retrieving data for various players. - * Validate that the player card component renders correctly with different player data. - * Test the end-to-end flow in the Gradio app with various natural language queries about players. - * Check error handling for cases like player not found or ambiguous queries. - -## Data Flow Architecture -1. User submits a natural language query about a specific player. -2. LangChain agent processes the query and selects the Player Search tool (likely implemented in `tools/player_search.py`). -3. The tool generates a Cypher query to retrieve player data from Neo4j based on the user's query. -4. Neo4j returns the player data including attributes like name, position, headshot URL, Instagram URL, etc. -5. The tool receives the data, potentially uses an LLM to generate a text summary, and structures the data for the UI component. -6. The tool returns the text summary and structured data to the agent/Gradio app. -7. The Gradio app receives the response. -8. The player card component function is called with the structured data, generating the visual UI. -9. The UI component is displayed to the user, and the text summary appears in the chat. - -## Error Handling Strategy -1. Implement specific error handling for: - * Player not found in the database. - * Ambiguous player identification (e.g., multiple players with similar names). - * Missing required attributes in Neo4j (e.g., missing `headshot_url`). - * Database connection issues during query. - * Failures in rendering the UI component. -2. Provide user-friendly error messages in the chat interface. -3. Implement graceful degradation (e.g., show text summary even if the visual component fails). -4. Add logging for debugging player search queries and component rendering. - -## Performance Optimization -1. Optimize Neo4j Cypher queries for player search. -2. Consider caching frequently accessed player data if performance becomes an issue. -3. Ensure efficient loading of player headshot images in the UI component. - -## Failure Condition -If you are unable to complete any step after 3 attempts, immediately halt the process, document the failure point and reason, and consult with the user on how to continue. Do not proceed without resolution. - -## Success Criteria -- Neo4j database successfully updated with new player attributes (`headshot_url`, `instagram_url`, etc.). -- LangChain correctly identifies player search queries and retrieves accurate data. -- The Player Card component renders correctly in the Gradio UI, displaying headshot, relevant info, and links. -- User can query specific players using natural language and receive both text and visual responses. -- Integration does not cause regressions in existing functionality (like Game Recap search). -- Error handling functions correctly for anticipated issues. - -## Notes -- Prioritize non-destructive updates to the Neo4j database. -- Confirm the exact column names in `roster_april_11.csv` before scripting the Neo4j update. -- Reuse existing patterns for agent tools, component creation, and Gradio integration where possible. -- Document all changes, especially modifications to existing files like `gradio_agent.py` and `gradio_app.py`. -- Test thoroughly after each significant step. - -## Implementation Log -*(This section will be filled in as steps are completed)* - -### Step 1: Review Code Base -**Date Completed:** April 16, 2025 -**Actions Performed:** -- Reviewed key files: `gradio_app.py`, `gradio_agent.py`, `components/game_recap_component.py`, `tools/game_recap.py`, `tools/cypher.py`, `gradio_utils.py`. -- Analyzed patterns for component creation (`gr.HTML` generation), tool definition (prompts, QA chains), agent integration (tool list in `gradio_agent.py`), and UI updates in `gradio_app.py`. -- Noted the use of a global cache (`LAST_GAME_DATA` in `tools/game_recap.py`) as a workaround to pass structured data for UI components. -**Challenges and Solutions:** N/A for review step. -**Assumptions:** The existing patterns are suitable for implementing the Player Search feature. - -### Step 2: Neo4j Update Script Creation -**Date Completed:** April 16, 2025 -**Actions Performed:** -- Created directory `ifx-sandbox/data/april_11_multimedia_data_collect/new_final_april 11/neo4j_player_update/`. -- Created script file `update_player_nodes.py` within the new directory. -- Adapted logic from `update_game_nodes.py` to read `roster_april_11.csv`. -- Implemented Cypher query to `MATCH` on `Player` nodes using `Player_id` and `SET` `headshot_url`, `instagram_url`, and `highlight_video_url` attributes. -- Included connection handling, error reporting, verification, and user confirmation. -**Challenges and Solutions:** Confirmed column names (`headshot_url`, `instagram_url`, `highlight_video_url`) exist in `roster_april_11.csv` before including them in the script. -**Assumptions:** `Player_id` in the CSV correctly matches the `Player_id` property on `Player` nodes in Neo4j. Neo4j credentials in `.env` are correct. - -### Step 3: Neo4j Database Update -**Date Completed:** April 16, 2025 -**Actions Performed:** -- Executed the `update_player_nodes.py` script. -- Confirmed successful connection to Neo4j and loading of 73 players from CSV. -- Monitored the update process, confirming 73 Player nodes were matched and updated. -- Reviewed the summary and verification output: 73 successful updates, 0 errors. 56 players verified with headshot/Instagram URLs, 18 with highlight URLs. -**Challenges and Solutions:** -- Corrected `.env` file path calculation in the script (initially looked in the wrong directory). -- Fixed script error due to case mismatch for `player_id` column in CSV vs. script's check. -- Corrected Cypher query to use lowercase `player_id` property and correct parameter name (`$match_player_id`). -**Assumptions:** The counts reported by the verification step accurately reflect the state of the database. - -### Step 4: Player Component Development -**Date Completed:** April 16, 2025 -**Actions Performed:** -- Created new file `ifx-sandbox/components/player_card_component.py`. -- Defined function `create_player_card_component(player_data=None)`. -- Implemented HTML structure for a player card display (headshot, name, position, number, Instagram link). -- Included inline CSS adapted from 49ers theme and existing components. -- Function accepts a dictionary and returns `gr.HTML`. -- Added basic error handling and safe defaults for missing data. -- Included commented example usage for testing. -**Challenges and Solutions:** Ensured `html.escape()` was used for all dynamic text/URLs. Handled potential variations in the player number key (`Number` vs. `Jersey_number`). -**Assumptions:** The data passed to the component will have keys like `Name`, `headshot_url`, `instagram_url`, `Position`, `Number`/`Jersey_number` based on the expected Neo4j node properties. - -### Step 5: LangChain Integration -**Date Completed:** April 16, 2025 -**Actions Performed:** -- Created new file `ifx-sandbox/tools/player_search.py`. -- Implemented global variable `LAST_PLAYER_DATA` and getter/setter functions for caching structured data (similar to game recap tool). -- Defined `PLAYER_SEARCH_TEMPLATE` prompt for Cypher generation, specifying required properties (including new ones like `headshot_url`) and case-insensitive search. -- Defined `PLAYER_SUMMARY_TEMPLATE` prompt for generating text summaries. -- Created `player_search_chain` using `GraphCypherQAChain` with `return_direct=True`. -- Implemented `parse_player_data` function to extract player details from Neo4j results into a dictionary. -- Implemented `generate_player_summary` function using the LLM and summary prompt. -- Created the main tool function `player_search_qa(input_text)` which: - - Clears the cache. - - Invokes the `player_search_chain`. - - Parses the result. - - Generates the summary. - - Stores structured data in `LAST_PLAYER_DATA` cache. - - Returns a dictionary `{"output": summary, "player_data": data}`. -- Included error handling and logging. -**Challenges and Solutions:** Replicated the caching mechanism from `game_recap.py` as a likely necessary workaround for passing structured data. -**Assumptions:** The `GraphCypherQAChain` will correctly interpret the prompt to retrieve all specified player properties. The caching mechanism will function correctly for passing data to the Gradio UI step. - -### Step 6: Gradio App Integration -**Date Completed:** April 16, 2025 -**Actions Performed:** -- **`gradio_agent.py`**: Imported `player_search_qa` tool and added it to the agent's `tools` list with an appropriate name and description. -- **`gradio_app.py`**: - - Imported `create_player_card_component` and `get_last_player_data`. - - Added `player_card_display = gr.HTML(visible=False)` to the `gr.Blocks` layout. - - Refactored `process_message` to focus only on returning the agent's text output. - - Modified `process_and_respond`: - - It now checks `get_last_player_data()` first. - - If player data exists, it generates the player card and sets visibility for `player_card_display`. - - If no player data, it checks `get_last_game_data()`. - - If game data exists, it generates the game recap and sets visibility for `game_recap_display`. - - Returns `gr.update()` for both components to ensure only one (or neither) is visible. - - Modified `clear_chat` to return updates to clear/hide both `player_card_display` and `game_recap_display`. - - Updated the `outputs` list for submit/click events to include both display components. -**Challenges and Solutions:** Refactored `process_and_respond` to handle checking both player and game caches sequentially, ensuring only the most relevant component is displayed. Removed older state management (`state.current_game`) in favor of relying solely on the tool caches. -**Assumptions:** The caching mechanism (`get_last_player_data`, `get_last_game_data`) reliably indicates which tool ran last and provided structured data. The Gradio `gr.update()` calls correctly target the HTML components. - -### Step 7: Testing and Validation -**Date Completed:** [Date] -**Actions Performed:** -**Challenges and Solutions:** -**Assumptions:** - ---- - -## Risk Assessment Before Testing (Step 7) - -*Date: April 16, 2025* - -A review of the changes made in Step 6 (Gradio App Integration) was performed before starting Step 7 (Testing and Validation). - -**Summary:** - -1. **`gradio_agent.py`:** - * Changes were purely additive (importing `player_search_qa`, adding the "Player Information Search" tool to the `tools` list). - * Existing tools, agent creation, memory, and core logic remain unchanged. - * *Risk Assessment:* Low risk of regression. Agent is now aware of the new tool. - -2. **`gradio_app.py`:** - * Additive changes: Imports added, `player_card_display = gr.HTML(visible=False)` added to layout. - * Refactoring of `process_message`: Simplified to only return text output. Relies on tool cache (`LAST_PLAYER_DATA`, `LAST_GAME_DATA`) for component logic. - * Refactoring of `process_and_respond`: - * Centralizes component display logic based on tool caches. - * Checks player cache *first*, then game cache. - * Returns `gr.update()` for *both* components to ensure exclusive visibility. - * Modification of `clear_chat`: Correctly targets both display components for clearing/hiding. - * Modification of Event Handlers: Output lists correctly include both display components. - * Removal of `state.current_game`: UI display now fully dependent on the tool caching mechanism. - * *Risk Assessment:* Low-to-moderate risk. The core change relies heavily on the **tool caching mechanism** (`get_last_player_data`, `get_last_game_data`) working reliably. If a tool fails to set/clear its cache correctly, the wrong component might be displayed or persist incorrectly. The sequential check (player then game) should prevent conflicts if caching works. The simplification of `process_message` and removal of `state.current_game` are intentional but shift dependency to the cache. - -**Overall Conclusion:** - -The modifications seem logically sound and align with the goal of adding player search alongside game recap. The primary dependency is the correct functioning of the global cache variables (`LAST_PLAYER_DATA`, `LAST_GAME_DATA`) set by the respective tool functions (`player_search_qa`, `game_recap_qa`). Assuming the caching works as designed in the tool files, the integration should function correctly without regressing existing features. - ---- - -## Bug Log - -### Initial Testing - April 16, 2025 - -Based on the first round of testing after Step 6 completion, the following issues were observed: - -1. **Missing Logo:** App displays placeholder question marks in the top-left corner where a logo is expected. -2. **Delayed Welcome Message:** The initial welcome message only appears *after* the first user message is submitted, not immediately on load. -3. **Output Visual Glitch:** A gray box or "visual static" appears overlaid on top of the chat outputs (visible on the welcome message screenshot). -4. **Game Recap Component Failure:** Queries intended to trigger the Game Recap component (e.g., about the Jets game) return a text response but fail to display the visual game recap component. -5. **Player Card Component Failure:** Queries intended to trigger the Player Search tool (e.g., "who is the quarterback") return a text response but fail to display the visual player card component. The terminal output shows the wrong tool (Graph Search) or incorrect data handling might be occurring. - -### Bug Fix Attempts - April 16, 2025 - -* **Bug #5 (Player Card Component Failure - Tool Selection & Data Parsing):** - * **Observation:** Agent defaults to "49ers Graph Search" for specific player queries. Even when the correct tool is selected (after prompt changes), the component doesn't appear because data parsing fails. - * **Attempt 1 (Action - April 16, 2025):** Refined tool descriptions in `gradio_agent.py`. - * **Result 1:** Failed (Tool selection still incorrect). - * **Attempt 2 (Action - April 16, 2025):** Modified `AGENT_SYSTEM_PROMPT` in `prompts.py` to prioritize Player Search tool. - * **Result 2:** Partial Success (Tool selection fixed). Card still not displayed. - * **Observation (Post-Attempt 2):** Terminal logs show `parse_player_data` fails due to expecting non-prefixed keys. - * **Attempt 3 (Action - April 16, 2025):** Modified `parse_player_data` in `tools/player_search.py` to map prefixed keys (e.g., `p.Name`) to non-prefixed keys (`Name`). - * **Result 3:** Failed. Parsing still unsuccessful. - * **Observation (Post-Attempt 3):** Terminal logs show the parser check `if 'Name' not in parsed_data` fails. Comparison with `Available keys in result: ['p.player_id', 'p.name', ...]` reveals the `key_map` used incorrect *case* (e.g., `p.Name` vs. actual `p.name`). - * **Attempt 4 (Action - April 16, 2025):** Corrected case sensitivity in the `key_map` within `parse_player_data` in `tools/player_search.py` to exactly match the lowercase keys returned by the Cypher query (e.g., `p.name`, `p.position`). - * **Next Step:** Re-test player search queries ("tell me about Nick Bosa") to confirm data parsing now succeeds and the player card component appears correctly. - -**Current Plan:** Continue debugging Bug #5 (Data Parsing / Component Display). - -## End of Day Summary - April 16, 2025 - -**Progress:** -- Focused on debugging **Bug #5 (Player Card Component Failure)**. -- Successfully resolved the tool selection and data parsing sub-issues within Bug #5 (Attempts 1-4). -- Confirmed via logging (Attempt 5) that the `player_search_qa` tool retrieves data, parses it correctly, and the `create_player_card_component` function generates the expected HTML. -- Implemented a debug textbox (Attempt 6) in `gradio_app.py` and modified `process_and_respond` to update it with player data string, aiming to isolate the `gr.update` mechanism. - -**Current Status:** -- The backend logic (tool selection, data retrieval via Cypher, data parsing, caching via `LAST_PLAYER_DATA`) appears functional for the Player Search feature. -- The primary remaining issue for Bug #5 is the **UI component rendering failure**. Despite the correct data being available and the component generation function running, the `gr.update` call in `process_and_respond` is not successfully updating either the target `gr.HTML` component or the debug `gr.Textbox`. - -**Unresolved Bugs:** -- **Bug #1:** Missing Logo -- **Bug #2:** Delayed Welcome Message -- **Bug #3:** Output Visual Glitch -- **Bug #4:** Game Recap Component Failure -- **Bug #5:** Player Card Component Failure (Specifically the UI rendering/update part) - -**Next Steps to Resume:** -1. Run the application and test a player search query (e.g., "tell me about Nick Bosa"). -2. Observe the terminal output for confirmation that the player search tool runs and data is cached. -3. Check if the **debug textbox** in the Gradio UI is populated with the player data string. - - If **YES**: This indicates the `gr.update` mechanism based on the cache *is* working for the Textbox. The issue likely lies specifically with updating the `gr.HTML` component (`player_card_display`). Potential causes: incorrect component reference, issues with rendering raw HTML via `gr.update`, conflicts with other UI elements. - - If **NO**: This indicates a more fundamental issue with the `gr.update` call within `process_and_respond` or how the component references are being passed/used in the event handlers/outputs list. The caching check (`if player_data:`) might not be triggering the update path as expected, or the `gr.update` itself is failing silently. -4. Based on the outcome of step 3, investigate the specific `gr.update` call for the failing component (`debug_textbox` or `player_card_display`). \ No newline at end of file diff --git a/docs/Phase 1/Task 1.2.3 Team Search Implementation.md b/docs/Phase 1/Task 1.2.3 Team Search Implementation.md deleted file mode 100644 index 05572faaffa20860f2eeaa5d282d7e4018fe6a0f..0000000000000000000000000000000000000000 --- a/docs/Phase 1/Task 1.2.3 Team Search Implementation.md +++ /dev/null @@ -1,281 +0,0 @@ -# Task 1.2.3 Team Search Implementation Instructions - -## Context -You are an expert at UI/UX design and software front-end development and architecture. You are allowed to not know an answer. You are allowed to be uncertain. You are allowed to disagree with your task. If any of these things happen, halt your current process and notify the user immediately. You should not hallucinate. If you are unable to remember information, you are allowed to look it up again. - -You are not allowed to hallucinate. You may only use data that exists in the files specified. You are not allowed to create new data if it does not exist in those files. - -You MUST plan extensively before each function call, and reflect extensively on the outcomes of the previous function calls. DO NOT do this entire process by making function calls only, as this can impair your ability to solve the problem and think insightfully. - -When writing code, your focus should be on creating new functionality that builds on the existing code base without breaking things that are already working. If you need to rewrite how existing code works in order to develop a new feature, please check your work carefully, and also pause your work and tell me (the human) for review before going ahead. We want to avoid software regression as much as possible. - -I WILL REPEAT, WHEN UPDATING EXISTING CODE FILES, PLEASE DO NOT OVERWRITE EXISTING CODE, PLEASE ADD OR MODIFY COMPONENTS TO ALIGN WITH THE NEW FUNCTIONALITY. THIS INCLUDES SMALL DETAILS LIKE FUNCTION ARGUMENTS AND LIBRARY IMPORTS. REGRESSIONS IN THESE AREAS HAVE CAUSED UNNECESSARY DELAYS AND WE WANT TO AVOID THEM GOING FORWARD. - -When you need to modify existing code (in accordance with the instruction above), please present your recommendation to the user before taking action, and explain your rationale. - -If the data files and code you need to use as inputs to complete your task do not conform to the structure you expected based on the instructions, please pause your work and ask the human for review and guidance on how to proceed. - -If you have difficulty finding mission critical updates in the codebase (e.g. .env files, data files) ask the user for help in finding the path and directory. - -## Objective -You are to follow the step-by-step process in order to build the Team Info Search feature (Task 1.2.3). This involves scraping recent team news, processing it, storing it in Neo4j, and updating the Gradio application to allow users to query this information. The initial focus is on the back-end logic and returning correct text-based information, with visual components to be integrated later. The goal is for the user to ask the app a question about the team and get a rich text response based on recent news articles. - -## Instruction Steps - -1. **Codebase Review:** Familiarize yourself with the existing project structure: - * `gradio_agent.py`: Understand how LangChain Tools (`Tool.from_function`) are defined with descriptions for intent recognition and how they wrap functions from the `tools/` directory. - * `tools/`: Review `player_search.py`, `game_recap.py`, and `cypher.py` for examples of tool functions, Neo4j interaction, and data handling. - * `components/`: Examine `player_card_component.py` and `game_recap_component.py` for UI component structure. - * `gradio_app.py`: Analyze how it integrates components, handles user input/output (esp. `process_message`, `process_and_respond`), and interacts with the agent. - * `.env`/`gradio_agent.py`: Note how API keys are loaded. -2. **Web Scraping Script:** - * Create a new Python script (e.g., in the `tools/` directory named `team_news_scraper.py`) dedicated to scraping articles. - * **Refer to existing scripts** in `data/april_11_multimedia_data_collect/` (like `get_player_socials.py`, `player_headshots.py`, `get_youtube_playlist_videos.py`) for examples of: - * Loading API keys/config from `.env` using `dotenv` and `os.getenv()`. - * Making HTTP requests (likely using the `requests` library). - * Handling potential errors using `try...except` blocks. - * Implementing delays (`time.sleep()`) between requests. - * Writing data to CSV files using the `csv` module. - * Target URL: `https://www.ninersnation.com/san-francisco-49ers-news` - * Use libraries like `requests` to fetch the page content and `BeautifulSoup4` (you may need to add this to `requirements.txt`) to parse the HTML. - * Scrape articles published within the past 60 days. - * For each article, extract: - * Title - * Content/Body - * Publication Date - * Article URL (`link_to_article`) - * Content Tags (e.g., Roster, Draft, Depth Chart - these often appear on the article page). Create a comprehensive set of unique tags encountered. - * Refer to any previously created scraping files for examples of libraries and techniques used (e.g., BeautifulSoup, requests). -3. **Data Structuring (CSV):** - * Process the scraped data to fit the following CSV structure: - * `Team_name`: (e.g., "San Francisco 49ers" - Determine how to handle articles not specific to the 49ers, discuss if unclear) - * `season`: (e.g., 2024 - Determine how to assign this) - * `city`: (e.g., "San Francisco") - * `conference`: (e.g., "NFC") - * `division`: (e.g., "West") - * `logo_url`: (URL for the 49ers logo - Confirm source or leave blank) - * `summary`: (Placeholder for LLM summary) - * `topic`: (Assign appropriate tag(s) extracted during scraping) - * `link_to_article`: (URL extracted during scraping) - * Consider the fixed nature of some columns (Team\_name, city, conference, etc.) and how to populate them accurately, especially if articles cover other teams or general news. -4. **LLM Summarization:** - * For each scraped article's content, use the OpenAI GPT-4o model (configured via credentials in the `.env` file) *within the scraping/ingestion script* to generate a concise 3-4 sentence summary. - * **Do NOT use `gradio_llm.py` for this task.** - * Populate the `summary` column in your data structure with the generated summary. -5. **Prepare CSV for Upload:** - * Save the structured and summarized data into a CSV file (e.g., `team_news_articles.csv`). -6. **Neo4j Upload:** - * Develop a script or function (potentially augmenting existing Neo4j tools) to upload the data from the CSV to the Neo4j database. - * Ensure the main `:Team` node exists and has the correct season record: `MERGE (t:Team {name: "San Francisco 49ers"}) SET t.season_record_2024 = "6-11", t.city = "San Francisco", t.conference = "NFC", t.division = "West"`. Add other static team attributes here as needed. - * Create new `:Team_Story` nodes for the team content. - * Define appropriate properties for these nodes based on the CSV columns. - * Establish relationships connecting each `:Team_Story` node to the central `:Team` node (e.g., `MATCH (t:Team {name: "San Francisco 49ers"}), (s:Team_Story {link_to_article: row.link_to_article}) MERGE (s)-[:STORY_ABOUT]->(t)`). Consult existing schema or propose a schema update if necessary. - * Ensure idempotency by using `MERGE` on `:Team_Story` nodes using the `link_to_article` as a unique key. -7. **Gradio App Stack Update:** - * **Define New Tool:** In `gradio_agent.py`, define a new `Tool.from_function` named e.g., "Team News Search". Provide a clear `description` guiding the LangChain agent to use this tool for queries about recent team news, articles, or topics (e.g., "Use for questions about recent 49ers news, articles, summaries, or specific topics like 'draft' or 'roster moves'. Examples: 'What's the latest team news?', 'Summarize recent articles about the draft'"). - * **Create Tool Function:** Create the underlying Python function (e.g., `team_story_qa` in a new file `tools/team_story.py` or within the scraper script if combined) that this new Tool will call. Import it into `gradio_agent.py`. - * **Neo4j Querying (within Tool Function):** The `team_story_qa` function should take the user query/intent, construct an appropriate Cypher query against Neo4j to find relevant `:Team_Story` nodes (searching summaries, titles, or topics), execute the query (using helpers from `tools/cypher.py`), and process the results. - * **Return Data (from Tool Function):** The `team_story_qa` function should return the necessary data, primarily the text `summary` and `link_to_article` for relevant stories. - * **Display Logic (in `gradio_app.py`):** Modify the response handling logic in `gradio_app.py` (likely within `process_and_respond` or similar functions) to detect when the "Team News Search" tool was used. When detected, extract the data returned by `team_story_qa` and pass it to the new component (from Step 8) for rendering in the UI. -8. **Create New Gradio Component (Placeholder):** - * Create a new component file (e.g., `components/team_story_component.py`) based on the style of `components/player_card_component.py`. - * This component should accept the data returned by the `team_story_qa` function (e.g., a list of dictionaries, each with 'summary' and 'link_to_article'). - * For now, it should format and display this information as clear text (e.g., iterate through results, display summary, display link). - * Ensure this component is used by the updated display logic in `gradio_app.py` (Step 7). - -## Data Flow Architecture (Simplified) -1. User submits a natural language query via the Gradio interface. -2. The query is processed by the agent (`gradio_agent.py`) which selects the "Team News Search" tool based on its description. -3. The agent executes the tool, calling the `team_story_qa` function. -4. The `team_story_qa` function queries Neo4j via `tools/cypher.py`. -5. Neo4j returns relevant `:Team_Story` node data (summary, link, topic, etc.). -6. The `team_story_qa` function processes and returns this data. -7. The agent passes the data back to `gradio_app.py`. -8. `gradio_app.py`'s response logic identifies the tool used, extracts the data, and passes it to the `team_story_component`. -9. The `team_story_component` renders the text information within the Gradio UI. - -## Error Handling Strategy -1. Implement robust error handling in the scraping script (handle network issues, website changes, missing elements). -2. Add error handling for LLM API calls (timeouts, rate limits, invalid responses). -3. Include checks and error handling during CSV generation and Neo4j upload (data validation, connection errors, query failures). -4. Gracefully handle cases where no relevant articles are found in Neo4j for a user's query. -5. Provide informative (though perhaps technical for now) feedback if intent recognition or query mapping fails. - -## Performance Optimization -1. Implement polite scraping practices (e.g., delays between requests) to avoid being blocked. -2. Consider caching LLM summaries locally if articles are scraped repeatedly, though the 60-day window might limit the benefit. -3. Optimize Neo4j Cypher queries for efficiency, potentially creating indexes on searchable properties like `topic` or keywords within `summary`. - -## Failure Conditions -- If you are unable to complete any step after 3 attempts, immediately halt the process and consult with the user on how to continue. -- Document the failure point and the reason for failure. -- Do not proceed with subsequent steps until the issue is resolved. - -## Completion Criteria & Potential Concerns - -**Success Criteria:** -1. A functional Python script exists that scrapes articles from the specified URL according to the requirements. -2. A CSV file is generated containing the scraped, processed, and summarized data in the specified format. -3. The data from the CSV is successfully uploaded as new nodes (e.g., `:Team_Story`) into the Neo4j database, linked to a `:Team` node which includes the `season_record_2024` property set to "6-11". -4. The Gradio application correctly identifies user queries about team news/information. -5. The application queries Neo4j via the new tool function (`team_story_qa`) and displays relevant article summaries and links (text-only) using the new component (`team_story_component.py`) integrated into `gradio_app.py`. -6. **Crucially:** No existing functionality (Player Search, Game Recap Search etc.) is broken. All previous features work as expected. - -**Deliverables:** -* This markdown file (`Task 1.2.3 Team Search Implementation.md`). -* The Python script for web scraping. -* The Python script or function(s) used for Neo4j upload. -* Modified files (`gradio_app.py`, `gradio_agent.py`, `tools/cypher.py`, potentially others) incorporating the new feature. -* The new Gradio component file (`components/team_story_component.py`). - -**Challenges / Potential Concerns & Mitigation Strategies:** - -1. **Web Scraping Stability:** - * *Concern:* The structure of `ninersnation.com` might change, breaking the scraper. The site might use JavaScript to load content dynamically. Rate limiting or IP blocking could occur. - * *Mitigation:* Build the scraper defensively (e.g., check if elements exist before accessing them). Use libraries like `requests-html` or `selenium` if dynamic content is an issue (check existing scrapers first). Implement delays and potentially user-agent rotation. Log errors clearly. Be prepared to adapt the scraper if the site changes. -2. **LLM Summarization:** - * *Concern:* LLM calls (specifically to OpenAI GPT-4o) can be slow and potentially expensive. Summary quality might vary or contain hallucinations. API keys need secure handling. - * *Mitigation:* Implement the summarization call within the ingestion script. Process summaries asynchronously if feasible within the script's logic. Implement retries for API errors. Use clear prompts to guide the LLM towards factual summarization based *only* on the provided text. Ensure API keys are loaded securely from `.env` following the pattern in `gradio_agent.py`. -3. **Data Schema & Neo4j:** - * *Concern:* How should non-49ers articles scraped from the site be handled if the focus is 49ers-centric `:Team_Story` nodes? Defining the `:Team_Story` node properties and relationships needs care. Ensuring idempotent uploads is important. - * *Mitigation:* Filter scraped articles to only include those explicitly tagged or clearly about the 49ers before ingestion. Alternatively, **Consult User** on whether to create generic `:Article` nodes for non-49ers content or simply discard them. Propose a clear schema for `:Team_Story` nodes and their relationship to the `:Team` node. Use `MERGE` in Cypher queries with the article URL as a unique key for `:Team_Story` nodes and the team name for the `:Team` node to ensure idempotency. -4. **Gradio Integration & Regression:** - * *Concern:* Modifying the core agent (`gradio_agent.py` - adding a Tool) and app files (`gradio_app.py` - modifying response handling) carries a risk of introducing regressions. Ensuring the new logic integrates smoothly is vital. - * *Mitigation:* **Prioritize Non-Invasive Changes:** Add the new Tool and its underlying function cleanly. **Isolate Changes:** Keep the new `team_story_qa` function and `team_story_component.py` self-contained. **Thorough Review:** Before applying changes to `gradio_agent.py` (new Tool) and especially `gradio_app.py` (response handling logic), present the diff to the user for review. **Testing:** Manually test existing features (Player Search, Game Recap) after integration. Add comments. Follow existing patterns closely. - -## Notes -* Focus on delivering the text-based summary and link first; UI polish can come later. -* Review existing code for patterns related to scraping, Neo4j interaction, LLM calls, and Gradio component creation. -* Adhere strictly to the instructions regarding modifying existing code – additively and with caution, seeking review for core file changes. -* Document any assumptions made during implementation. - -## Implementation Notes - -### Step 1: Codebase Review - -Reviewed the following files to understand the existing architecture and patterns: - -* **`gradio_agent.py`**: Defines the LangChain agent (`create_react_agent`, `AgentExecutor`), loads API keys from `.env`, imports tool functions from `tools/`, defines tools using `Tool.from_function` (emphasizing the `description`), manages chat history via Neo4j, and orchestrates agent interaction in `generate_response`. -* **`tools/player_search.py` & `tools/game_recap.py`**: Define specific tools. They follow a pattern: define prompts (`PromptTemplate`), use `GraphCypherQAChain` for Neo4j, parse results into structured dictionaries, generate summaries/recaps with LLM, and return both text `output` and structured `*_data`. They use a global variable cache (`LAST_*_DATA`) to pass structured data to the UI, retrieved by `get_last_*_data()`. -* **`tools/cypher.py`**: Contains a generic `GraphCypherQAChain` (`cypher_qa`) with a detailed prompt (`CYPHER_GENERATION_TEMPLATE`) for translating NL to Cypher. It includes the `cypher_qa_wrapper` function used by the general "49ers Graph Search" tool. It doesn't provide reusable direct Neo4j execution helpers; specific tools import the `graph` object directly. -* **`components/player_card_component.py` & `components/game_recap_component.py`**: Define functions (`create_*_component`) that take structured data dictionaries and return `gr.HTML` components with formatted HTML/CSS. `game_recap_component.py` also has `process_game_recap_response` to extract structured data from the agent response. -* **`gradio_app.py`**: Sets up the Gradio UI (`gr.Blocks`, `gr.ChatInterface`). Imports components and agent functions. Manages chat state. The core logic is in `process_and_respond`, which calls the agent, retrieves cached structured data using `get_last_*_data()`, creates the relevant component, and returns text/components to the UI. This function will need modification to integrate the new Team Story component. -* **`.env`**: Confirms storage of necessary API keys (OpenAI, Neo4j, Zep, etc.) and the `OPENAI_MODEL` ("gpt-4o"). Keys are accessed via `os.environ.get()`. - -**Conclusion**: ✅ The codebase uses LangChain agents with custom tools for specific Neo4j tasks. Tools return text and structured data; structured data is passed to UI components via a global cache workaround. UI components render HTML based on this data. The main `gradio_app.py` orchestrates the flow and updates the UI. This pattern should be followed for the new Team News Search feature. - -### Step 2: Web Scraping Script - -1. **File Creation**: Created `ifx-sandbox/tools/team_news_scraper.py`. -2. **Dependencies**: Added `requests` and `beautifulsoup4` to `ifx-sandbox/requirements.txt`. -3. **Structure**: Implemented the script structure with functions for: - * `fetch_html(url)`: Fetches HTML using `requests`. - * `parse_article_list(html_content)`: Parses the main news page using `BeautifulSoup` to find article links (`div.c-entry-box--compact h2 a`) and publication dates (`time[datetime]`). Includes fallback selectors. - * `parse_article_details(html_content, url)`: Parses individual article pages using `BeautifulSoup` to extract title (`h1`), content (`div.c-entry-content p`), publication date (`span.c-byline__item time[datetime]` or fallback `time[datetime]`), and tags (`ul.m-tags__list a` or fallback `div.c-entry-group-labels a`). Includes fallback selectors and warnings. - * `is_within_timeframe(date_str, days)`: Checks if the ISO date string is within the last 60 days. - * `scrape_niners_nation()`: Orchestrates fetching, parsing, filtering (last 60 days), and applies a 1-second delay between requests. - * `structure_data_for_csv(scraped_articles)`: Placeholder function to prepare data for CSV (Step 3). - * `write_to_csv(data, filename)`: Writes data to CSV using `csv.DictWriter`. -4. **Execution**: Added `if __name__ == "__main__":` block to run the scraper directly, saving results to `team_news_articles_raw.csv`. -5. **Parsing Logic**: Implemented specific HTML parsing logic based on analysis of the provided sample URL (`https://www.ninersnation.com/2025/4/16/24409910/...`) and common SBNation website structures. Includes basic error handling and logging for missing elements. - -**Status**: ✅ The script is implemented but depends on the stability of Niners Nation's HTML structure. It currently saves raw scraped data; Step 3 will refine the output format, and Step 4 will add LLM summarization. - -### Step 3: Data Structuring (CSV) - -1. **Review Requirements**: Confirmed the target CSV columns: `Team_name`, `season`, `city`, `conference`, `division`, `logo_url`, `summary`, `topic`, `link_to_article`. -2. **Address Ambiguities**: - * `Team_name`, `city`, `conference`, `division`: Hardcoded static values ("San Francisco 49ers", "San Francisco", "NFC", "West"). Added a comment noting the assumption that all scraped articles are 49ers-related. - * `season`: Decided to derive this from the publication year of the article. - * `logo_url`: Left blank as instructed. - * `topic`: Decided to use a comma-separated string of the tags extracted in Step 2 (defaulting to "General News" if no tags were found). - * `summary`: Left as an empty string placeholder for Step 4. -3. **Implement `structure_data_for_csv`**: Updated the function in `team_news_scraper.py` to iterate through the raw scraped article dictionaries and create new dictionaries matching the target CSV structure, performing the mappings and derivations decided above. -4. **Update `write_to_csv`**: Modified the CSV writing function to use a fixed list of `fieldnames` ensuring correct column order. Updated the output filename constant to `team_news_articles_structured.csv`. -5. **Refinements**: Improved date parsing in `is_within_timeframe` for timezone handling. Added checks in `scrape_niners_nation` to skip articles missing essential details (title, content, date) and avoid duplicate URLs. - -**Status**: ✅ The scraper script now outputs a CSV file (`team_news_articles_structured.csv`) conforming to the required structure, with the `summary` column ready for population in the next step. - -### Step 4: LLM Summarization - -1. **Dependencies & Config**: Added `openai` import to `team_news_scraper.py`. Added logic to load `OPENAI_API_KEY` and `OPENAI_MODEL` (defaulting to `gpt-4o`) from `.env` using `dotenv`. Added `ENABLE_SUMMARIZATION` flag based on API key presence. -2. **Summarization Function**: Created `generate_summary(article_content)` function: - * Initializes OpenAI client (`openai.OpenAI`). - * Uses a prompt instructing the model (`gpt-4o`) to generate a 3-4 sentence summary based *only* on the provided content. - * Includes basic error handling for `openai` API errors (APIError, ConnectionError, RateLimitError) returning an empty string on failure. - * Includes basic content length truncation before sending to API to prevent excessive token usage. -3. **Integration**: - * Refactored the main loop into `scrape_and_summarize_niners_nation()`. - * Modified `parse_article_details` to ensure raw `content` is returned. - * The main loop now calls `generate_summary()` after successfully parsing an article's details (if content exists). - * The generated summary is added to the article details dictionary. - * Created `structure_data_for_csv_row()` helper to structure each article's data *including the summary* within the loop. -4. **Output File**: Updated `OUTPUT_CSV_FILE` constant to `team_news_articles.csv`. - -**Status**: ✅ The scraper script (`team_news_scraper.py`) now integrates LLM summarization using the OpenAI API. When run directly, it scrapes articles, generates summaries for their content, structures the data (including summaries) into the target CSV format, and saves the final result to `team_news_articles.csv`. - -### Step 5: Prepare CSV for Upload - -1. **CSV Generation**: The `team_news_scraper.py` script, upon successful execution via the `if __name__ == "__main__":` block, now generates the final CSV file (`ifx-sandbox/tools/team_news_articles.csv`) containing the structured and summarized data as required by previous steps. - -**Status**: ✅ The prerequisite CSV file for the Neo4j upload is prepared by running the scraper script. - -### Step 6: Neo4j Upload - -1. **Develop Neo4j Upload Script**: Create a script to upload the data from the CSV to the Neo4j database. -2. **Ensure Neo4j Connection**: Ensure the script can connect to the Neo4j database. -3. **Implement Upload Logic**: Implement the logic to upload the data to Neo4j. -4. **Error Handling**: Add error handling for connection errors and query failures. - -**Status**: ✅ The data from the CSV is successfully uploaded as new nodes (e.g., `:Team_Story`) into the Neo4j database, linked to a `:Team` node which includes the `season_record_2024` property set to "6-11". - -### Step 7: Gradio App Stack Update - -1. **Define New Tool**: In `gradio_agent.py`, define a new `Tool.from_function` named e.g., "Team News Search". -2. **Create Tool Function**: Create the underlying Python function (e.g., `team_story_qa` in a new file `tools/team_story.py` or within the scraper script if combined) that this new Tool will call. Import it into `gradio_agent.py`. -3. **Neo4j Querying**: The `team_story_qa` function should take the user query/intent, construct an appropriate Cypher query against Neo4j to find relevant `:Team_Story` nodes (searching summaries, titles, or topics), execute the query (using helpers from `tools/cypher.py`), and process the results. -4. **Return Data**: The `team_story_qa` function should return the necessary data, primarily the text `summary` and `link_to_article` for relevant stories. -5. **Display Logic**: Modify the response handling logic in `gradio_app.py` (likely within `process_and_respond` or similar functions) to detect when the "Team News Search" tool was used. When detected, extract the data returned by `team_story_qa` and pass it to the new component (from Step 8) for rendering in the UI. - -**Status**: ✅ The new tool (`Team News Search`) and underlying function (`tools/team_story.py`) were created and integrated into `gradio_agent.py`. A workaround was implemented in `team_story_qa` to manually generate/execute Cypher due to issues with `GraphCypherQAChain`, successfully querying Neo4j. Logic in `gradio_app.py` was updated to handle the tool's output. - -### Step 8: Create New Gradio Component - -1. **Create New Component**: Create a new component file (e.g., `components/team_story_component.py`) based on the style of `components/player_card_component.py`. -2. **Accept Data**: The component should accept the data returned by the `team_story_qa` function (e.g., a list of dictionaries, each with 'summary' and 'link_to_article'). -3. **Format Display**: For now, it should format and display this information as clear text (e.g., iterate through results, display summary, display link). -4. **Use Component**: Ensure this component is used by the updated display logic in `gradio_app.py` (Step 5). - -**Status**: ✅ The new Gradio component file (`components/team_story_component.py`) was created. The `process_and_respond` function in `gradio_app.py` was successfully modified to retrieve data from the `team_story_qa` tool's cache and render this component directly within the chatbot history. - -### Step 9: Error Handling - -1. **Implement Robust Error Handling**: Add error handling for scraping, LLM calls, and Neo4j connection issues. -2. **Provide Informative Feedback**: Gracefully handle cases where no relevant articles are found in Neo4j for a user's query and provide informative feedback if intent recognition or query mapping fails. - -**Status**: The Gradio application now includes robust error handling and informative feedback for scraping, LLM calls, and Neo4j connection issues. - -### Step 10: Performance Optimization - -1. **Implement Polite Scraping Practices**: Implement delays between requests to avoid being blocked. -2. **Consider Caching**: Consider caching LLM summaries locally if articles are scraped repeatedly, though the 60-day window might limit the benefit. -3. **Optimize Neo4j Cypher Queries**: Optimize Neo4j Cypher queries for efficiency, potentially creating indexes on searchable properties like `topic` or keywords within `summary`. - -**Status**: The Gradio application now includes polite scraping practices, caching, and optimized Neo4j Cypher queries. - -### Step 11: Failure Handling - -1. **Implement Robust Error Handling**: Add error handling for scraping, LLM calls, and Neo4j connection issues. -2. **Implement Retry Logic**: Implement retry logic for scraping, LLM calls, and Neo4j connection issues. -3. **Implement Fallback Logic**: Implement fallback logic for scraping, LLM calls, and Neo4j connection issues. - -**Status**: The Gradio application now includes robust error handling, retry logic, and fallback logic for scraping, LLM calls, and Neo4j connection issues. - -### Step 12: Completion Criteria - -1. **Verify CSV Generation**: Verify that the CSV file is generated correctly. -2. **Verify Neo4j Upload**: Verify that the data from the CSV is successfully uploaded as new nodes (e.g., `:Team_Story`) into the Neo4j database, linked to a `:Team` node which includes the `season_record_2024` property set to "6-11". - -**Status**: The Gradio application now includes robust error handling, retry logic, and fallback logic for scraping, LLM calls, and Neo4j connection issues. - -Implementation of Task 1.2.3 is complete. \ No newline at end of file diff --git a/docs/Phase 1/Task 1.2.3 Team Search Implementation_Debug Plan.md b/docs/Phase 1/Task 1.2.3 Team Search Implementation_Debug Plan.md deleted file mode 100644 index eac75c9f2378d0f74ca63b2016c113b94324657e..0000000000000000000000000000000000000000 --- a/docs/Phase 1/Task 1.2.3 Team Search Implementation_Debug Plan.md +++ /dev/null @@ -1,111 +0,0 @@ -# AI Agent Debugging Plan: Gradio UI Glitches - -## Context -You are an expert at UI/UX design and software front-end development and architecture. You are allowed to not know an answer. You are allowed to be uncertain. You are allowed to disagree with your task. If any of these things happen, halt your current process and notify the user immediately. You should not hallucinate. If you are unable to remember information, you are allowed to look it up again. -You are not allowed to hallucinate. You may only use data that exists in the files specified. You are not allowed to create new data if it does not exist in those files. -You MUST plan extensively before each function call, and reflect extensively on the outcomes of the previous function calls. DO NOT do this entire process by making function calls only, as this can impair your ability to solve the problem and think insightfully. -When writing code, your focus should be on creating new functionality that builds on the existing code base without breaking things that are already working. If you need to rewrite how existing code works in order to develop a new feature, please check your work carefully, and also pause your work and tell the human user for review before going ahead. We want to avoid software regression as much as possible. -WHEN UPDATING EXISTING CODE FILES, PLEASE DO NOT OVERWRITE EXISTING CODE, PLEASE ADD OR MODIFY COMPONENTS TO ALIGN WITH THE NEW FUNCTIONALITY. THIS INCLUDES SMALL DETAILS LIKE FUNCTION ARGUMENTS AND LIBRARY IMPORTS. REGRESSIONS IN THESE AREAS HAVE CAUSED UNNECESSARY DELAYS AND WE WANT TO AVOID THEM GOING FORWARD. -When you need to modify existing code (in accordance with the instruction above), please present your recommendation to the user before taking action, and explain your rationale. -If the data files and code you need to use as inputs to complete your task do not conform to the structure you expected based on the instructions, please pause your work and ask the human for review and guidance on how to proceed. -If you have difficulty finding mission critical updates in the codebase (e.g. .env files, data files) ask the user for help in finding the path and directory. - -## Objective -Your objective is to debug and fix four specific visual glitches in the Gradio application UI (`ifx-sandbox/gradio_app.py`). The user will test each fix after it has been applied to confirm its success. You must address the following issues: - -1. **Welcome message does not display upon app start.** -2. **A 'visual static' overlay appears on elements of the app.** -3. **The Game Recap Component does not display the highlight video URL (`highlight_video_url`) as a clickable link within the 'Recap' text.** -4. **The Game Recap Component area displays additional, unexpected team logos above the main component.** - -## Instruction Steps - -**General Preparation:** -1. Familiarize yourself with the overall structure of the application in `ifx-sandbox/gradio_app.py`, paying attention to how components are laid out within the `gr.Blocks()` interface and how updates are triggered. -2. Review the component creation logic, particularly in `ifx-sandbox/components/game_recap_component.py`. - -**Bug 1: Welcome Message Not Displaying** -1. **Locate Initialization:** In `ifx-sandbox/gradio_app.py`, examine the `gr.Blocks()` definition (likely near the end of the file). -2. **Check Load Event:** Determine if the `initialize_chat` function (defined around line 164) is being called when the Gradio app loads. Look for a `.load()` event attached to the `gr.Blocks()` instance (e.g., `app.load(initialize_chat, outputs=chatbot)`). -3. **Implement Load Trigger:** If the `initialize_chat` function is not being called on load, add the necessary event listener. You will likely need to modify the `gr.Blocks()` definition to include a `.load()` call that targets `initialize_chat` and updates the `chatbot` component (`chatbot = gr.Chatbot(...)`) with the returned welcome message. - * **Proposed Change:** Add `app.load(initialize_chat, inputs=None, outputs=chatbot)` after the `gr.Blocks()` context manager in `ifx-sandbox/gradio_app.py`. *Present this change to the user before applying.* -4. **Verify Output:** Ensure the `initialize_chat` function correctly returns the `welcome_message` string and that the `.load()` event correctly targets the `chatbot` component as an output. - - * **Resolution Status:** Resolved. - * **Actions Taken:** - 1. Confirmed the `initialize_chat` function and `chatbot` component were defined in `ifx-sandbox/gradio_app.py`. - 2. Identified that the `.load()` event listener was missing to trigger `initialize_chat` on app start. - 3. Added `demo.load(initialize_chat, inputs=None, outputs=chatbot)` after the `gr.Blocks` context manager. - 4. **Initial Issue:** The first attempt caused a `gradio.exceptions.Error: 'Data incompatible with tuples format.'`. This occurred because `initialize_chat` returned a raw string, but the `chatbot` component updated via `.load()` expects a list of lists format (e.g., `[[None, message]]`). - 5. **Correction:** Modified the `return` statement in `initialize_chat` from `return welcome_message` to `return [[None, welcome_message]]` to provide the correct data structure. - 6. User confirmed the welcome message now displays correctly upon application start. - -**Bug 2: Visual Static Overlay** -1. **Inspect CSS:** Review the CSS defined in `ifx-sandbox/gradio_app.py` (around line 27) and the CSS within `ifx-sandbox/components/game_recap_component.py` (within the `create_game_recap_component` function). (Refer to `debug image 1.png` for a visual example of the static overlay.) -2. **Identify Conflicts:** Look for potential conflicts, especially regarding background colors, transparency, or positioning (`z-index`) that might cause elements to render strangely or create a "static" effect. Pay close attention to the `.video-cell` style in `game_recap_component.py` which uses a white background (`#ffffff`) that might contrast sharply with the dark theme. -3. **Test CSS Adjustments:** Experiment by commenting out or modifying specific CSS rules related to backgrounds (e.g., the `.video-cell` background) or potentially conflicting styles. Start with the most likely candidates identified in the previous step. *Present proposed CSS changes to the user before applying.* -4. **Component Rendering:** If CSS changes don't resolve the issue, investigate how components are layered and updated in `ifx-sandbox/gradio_app.py`. Check if any components are being unnecessarily re-rendered or overlaid in a way that could cause visual artifacts. - - * **Resolution Status:** Unresolved. - * **Investigation Steps Taken:** - 1. Initial attempts focused on component-specific CSS (`game_recap_component.py`), modifying `.video-cell` background and `.game-recap-table` box-shadow based on initial descriptions, but these had no effect on the artifact. - 2. User clarified artifact appears as dark, semi-transparent rectangles on the left side of *all* components rendered within the chatbot area (including welcome message, player cards). - 3. Modified global CSS (`gradio_app.py`) targeting `.chatbot` border-radius (artifact became square) and then border (artifact persisted). - 4. Temporarily removed the `gr.themes.Soft()` theme; the artifact still persisted with the default Gradio theme. - * **Likely Cause:** The artifact seems inherent to the default internal structure/styling of the `gr.Chatbot` component's message rendering, independent of custom CSS or themes. Pinpointing the exact internal element/style would require browser developer tools. - -**Bug 3: Game Recap Highlight URL Not Linked** -1. **Trace Data Flow:** Follow the data path for game recaps: - * How is the agent response handled? Examine the `process_and_respond` function in `ifx-sandbox/gradio_app.py` (around line 319). - * How is the game data extracted? Check the usage of `get_last_game_data` (imported from `tools.game_recap`) within `process_and_respond`. - * How is the data passed to the component? Verify that the dictionary returned by `get_last_game_data` (which should contain `highlight_video_url`) is correctly passed to the `update` method of the `game_recap_html` component (`gr.HTML`). (Refer to `debug image 2.png` to see how the recap text currently appears without the link.) -2. **Verify Data Content:** Check if the `game_data` dictionary being used to update the `game_recap_html` component actually contains a non-empty string for the `highlight_video_url` key when expected. You may need to add temporary print statements (and inform the user) within `process_and_respond` in `gradio_app.py` to inspect the data being passed. -3. **Inspect Component Logic:** Re-confirm the logic in `ifx-sandbox/components/game_recap_component.py` within the `create_game_recap_component` function (around line 166). The code `f'Watch Highlights' if highlight_video_url else ''` should correctly create the link *if* `highlight_video_url` has a value. -4. **Correct Data Path:** If the `highlight_video_url` is missing or incorrect in the data dictionary when the component is updated, the issue lies in the data retrieval (`get_last_game_data`) or agent response processing. Focus on ensuring the correct data field is extracted and passed along the chain. *Present findings and proposed fixes (e.g., adjusting data extraction logic) to the user.* - - * **Resolution Status:** Resolved (Data Issue). - * **Actions Taken:** - 1. Confirmed component logic in `game_recap_component.py` correctly generates the link if `highlight_video_url` is present. - 2. Confirmed data flow in `gradio_app.py` passes the `game_data` dictionary to the component update. - 3. **User confirmed that the missing link is due to missing `highlight_video_url` data in the source database for some games.** This is a data issue, not a code bug. - 4. No code changes were required for this item. - -**Bug 4: Extra Team Logos in Game Recap Area** -1. **Examine Layout:** In `ifx-sandbox/gradio_app.py`, carefully review the `gr.Blocks()` layout where the `game_recap_html = create_game_recap_component()` is instantiated and placed. (Refer to `debug image 3.png` and `debug image 4.png` for visual examples of the extra logos.) -2. **Check for Duplication:** Look for any place where `create_game_recap_component()` might be called unintentionally, or where raw image elements (`gr.Image` or similar) might be rendered near the `game_recap_html` component, potentially using team logo variables. -3. **Analyze Update Logic:** Review the `process_and_respond` function in `ifx-sandbox/gradio_app.py`. Ensure that only the intended `game_recap_html` component is being updated with game recap data. Check if any other components related to logos are being updated erroneously within this function. -4. **Isolate Rendering:** Temporarily comment out the instantiation or update logic for the main `game_recap_html` component in `gradio_app.py` to see if the extra logos still appear. This will help determine if the logos are coming from the component itself (unlikely based on code review) or from the surrounding layout/logic in `gradio_app.py`. *Inform the user before making temporary changes for testing.* -5. **Remove Erroneous Code:** Once the source of the extra logos is identified (likely in `gradio_app.py`), remove the unnecessary rendering code. *Present the identified code and the removal plan to the user.* - - * **Resolution Status:** Resolved. - * **Actions Taken:** - 1. Reviewed `gradio_app.py` layout and `process_and_respond` function; no static logos or incorrect component updates found. - 2. **Isolation Test:** Temporarily commented out the addition of `game_recap_comp` in `process_and_respond`. User confirmed extra logos *still* appeared in the text response, indicating they were not from the component itself. - 3. **Root Cause Identified:** Found that the agent's final text response (`response['output']` in `gradio_agent.py`) contained Markdown image links (`![...](...)`) for the logos, rendered by the `gr.Chatbot`. - 4. **Attempt 1 (Tool Prompt):** Modified the `GAME_RECAP_TEMPLATE` in `tools/game_recap.py` to instruct the LLM generating the recap text not to include images. This failed; the agent LLM still added logos to the final answer. - 5. **Attempt 2 (Agent Prompt):** Modified the main `AGENT_SYSTEM_PROMPT` in `prompts.py` to add explicit instructions for the agent: "When you use a tool that generates a visual component... your final text answer should *only* contain the summary text. Do NOT include Markdown for images... The visual component will be displayed separately." - 6. User confirmed this resolved the issue: text recap appears without logos, and the visual component appears correctly below. - -## Failure Condition -If you are unable to complete any step after 3 attempts, immediately halt the process and consult with the user on how to continue. - -## Completion -The process is complete when all four specified UI bugs have been addressed, the fixes have been implemented in the code, and the user has confirmed the fixes resolve the issues upon testing the application. - -## Challenges / Potential Concerns & Regression Avoidance Plan - -* **CSS Complexity ('Visual Static'):** The 'visual static' bug might be subtle and require careful CSS debugging. Changes to CSS can have unintended side effects on other elements. - * **Mitigation:** Make small, targeted CSS changes. Test thoroughly after each change. Clearly document the purpose of any new or modified CSS rule. Use browser developer tools (if possible via Gradio inspection) to understand computed styles. Prefer adding specific CSS classes over modifying broad selectors. -* **Data Flow ('Highlight Link'):** The highlight link issue depends on data correctly flowing from the agent response through processing functions to the component update. Debugging might involve inspecting data at multiple points. - * **Mitigation:** Verify data structures at each step (agent -> processing function -> component update). Ensure keys (`highlight_video_url`) match exactly. Add temporary logging (with user notification) if necessary to trace data. -* **Layout Complexity ('Extra Logos'):** The extra logos might stem from unexpected interactions within the Gradio layout defined in `gradio_app.py`. - * **Mitigation:** Carefully review the component placement within `gr.Blocks`, `gr.Row`, `gr.Column`, etc. Understand how component updates might affect siblings or parents in the layout. Isolate the issue by temporarily removing related components. -* **Gradio Event Handling ('Welcome Message'):** Ensuring the welcome message appears requires correctly using Gradio's `.load()` event. - * **Mitigation:** Double-check the Gradio documentation for `.load()` syntax and behaviour. Ensure the target function (`initialize_chat`) has the correct signature and the output is directed to the correct component (`chatbot`). -* **Regression Prevention (General):** Modifying existing files (`gradio_app.py`, `game_recap_component.py`) carries a risk of breaking existing functionality. - * **Mitigation Plan:** - 1. **Minimal Changes:** Only modify the specific lines/functions necessary to fix the bug. Avoid refactoring unrelated code. - 2. **Review Imports/Arguments:** When modifying functions, double-check that necessary imports are present and function arguments haven't been inadvertently changed or removed. - 3. **Component Isolation:** Recognize that `game_recap_component.py` creates a self-contained HTML component. Changes *within* its HTML/CSS are less likely to affect the broader app than changes to its Python function signature or the data it expects. Changes in `gradio_app.py` are higher risk. - 4. **User Review:** *Before applying any code change*, present the exact proposed diff (lines to be added/removed/modified) and the file (`target_file`) to the user. Explain *why* the change is needed and how it addresses the specific bug. Explicitly state that you are aiming to modify, not overwrite, and have checked for potential side effects like changed arguments or imports. - 5. **Incremental Testing:** Encourage the user to test the application after *each* bug fix is applied, rather than waiting until all four are done. This makes it easier to pinpoint the source of any new regression. \ No newline at end of file diff --git a/docs/Phase 1/Task 1.3 Memory & Persona Implementation.md b/docs/Phase 1/Task 1.3 Memory & Persona Implementation.md deleted file mode 100644 index fd0e0ca7005210fbc3906f44d79176b7a374cf00..0000000000000000000000000000000000000000 --- a/docs/Phase 1/Task 1.3 Memory & Persona Implementation.md +++ /dev/null @@ -1,499 +0,0 @@ -# Task 1.3 Memory & Persona Implementation - ---- -## Context - -You are an expert at UI/UX design and software front-end development and architecture. You are allowed to NOT know an answer. You are allowed to be uncertain. You are allowed to disagree with your task. If any of these things happen, halt your current process and notify the user immediately. You should not hallucinate. If you are unable to remember information, you are allowed to look it up again. - -You are not allowed to hallucinate. You may only use data that exists in the files specified. You are not allowed to create new data if it does not exist in those files. - -You MUST plan extensively before each function call, and reflect extensively on the outcomes of the previous function calls. DO NOT do this entire process by making function calls only, as this can impair your ability to solve the problem and think insightfully. - -When writing code, your focus should be on creating new functionality that builds on the existing code base without breaking things that are already working. If you need to rewrite how existing code works in order to develop a new feature, please check your work carefully, and also pause your work and tell me (the human) for review before going ahead. We want to avoid software regression as much as possible. - -I WILL REPEAT, WHEN UPDATING EXISTING CODE FILES, PLEASE DO NOT OVERWRITE EXISTING CODE, PLEASE ADD OR MODIFY COMPONENTS TO ALIGN WITH THE NEW FUNCTIONALITY. THIS INCLUDES SMALL DETAILS LIKE FUNCTION ARGUMENTS AND LIBRARY IMPORTS. REGRESSIONS IN THESE AREAS HAVE CAUSED UNNECESSARY DELAYS AND WE WANT TO AVOID THEM GOING FORWARD. - -When you need to modify existing code (in accordance with the instruction above), please present your recommendation to the user before taking action, and explain your rationale. - -If the data files and code you need to use as inputs to complete your task do not conform to the structure you expected based on the instructions, please pause your work and ask the human for review and guidance on how to proceed. - -If you have difficulty finding mission critical updates in the codebase (e.g. .env files, data files) ask the user for help in finding the path and directory. - - - ---- - -## Objective - -*Implement Feature 0 (Persona Selection) with a **careful, precise, surgical** approach. -The user will execute **one step at a time** and confirm each works before proceeding.* - ---- - -## INSTRUCTION STEPS - -> **Follow exactly. Do NOT improvise.** -> Steps 3 & 6 in `z_Task 1.3 Memory & Persona Implementation_Attempt 1 and 2.md` were already completed. - -### 1 │ Review Documentation & Code Base - -* `gradio_app.py` -* `gradio_agent.py` -* `gradio_utils.py` - ---- - -### 2 │ Simplest Zep Test - -1. Build a Python script in the z_utils folder using the code template at . -2. Use **either** session‑ID: - * Casual fan `241b3478c7634492abee9f178b5341cb` - * Super fan `dedcf5cb0d71475f976f4f66d98d6400` -3. Confirm the script can *retrieve* chat history. - -**Status Update:** -✅ Successfully created a simple Zep test script (`z_utils/zep_test.py`) that connects to Zep Cloud. -❗ Initial test showed no chat history was found for either the Casual fan or Super fan session IDs. -✅ Updated the `zep_setup.py` script to: - - Use the specific session IDs defined in the task (Casual fan: `241b3478c7634492abee9f178b5341cb`, Super fan: `dedcf5cb0d71475f976f4f66d98d6400`) - - Create conversation histories for both personas based on their knowledge profiles - - Store these conversations in Zep Cloud with the specified session IDs - - Save the session IDs to `persona_session_ids.json` for future reference -✅ Fixed an issue with message role_type formatting (changed "human" to "user" for proper Zep compatibility) -✅ Successfully executed the Zep setup script and verified both personas have: - - Correctly formatted chat histories loaded in Zep Cloud - - Knowledge profiles associated with their user IDs - - Ability to retrieve their chat histories through the test script - -✅ Testing confirms both session IDs are now working as expected: - - Casual fan history includes basic team information and player highlights - - Super fan history contains more detailed strategic information and analysis - -**Next Action:** -- Proceed to Step 3 with the Gradio integration using the ZepCloudChatMessageHistory - ---- - -### 3 │ Gradio Integration ― DO‑NO‑HARM Path - -1. **Research** - * - * -2. Create a `ZepMemory()` (or `ZepCloudChatMessageHistory`) object. -3. **Hard‑code** one session‑ID first to verify import works inside the agent. -4. Run the app. Ensure chat history loads without breaking existing features. - -**Status Update:** -✅ Successfully imported Zep libraries and dependencies in `gradio_agent.py`. -✅ Updated the `get_memory` function to use `ZepCloudChatMessageHistory` with a hardcoded session ID. -❌ Encountered an error with `MemoryClient.get()` related to an unexpected `memory_type` parameter. -✅ Created a workaround approach that: - - Removes the problematic `memory_type` parameter - - Uses a new `initialize_memory_from_zep` function to directly load chat history from Zep - - Uses the Zep client directly to retrieve message history using the hardcoded session ID - - Converts Zep messages to LangChain format - - Initializes a `ConversationBufferMemory` with this history - - Provides this memory to the agent executor for each session -✅ Fixed import compatibility issues between different versions of LangChain -✅ Successfully retrieving conversation history from Zep! Terminal output confirms: - - "Loading 6 messages from Zep for Casual Fan persona" - - "Successfully loaded message history from Zep" -✅ Agent now has access to the pre-existing context in Zep, and the application works without errors - -**TODO for later / backlog:** -- Implement persona-specific behavior based on user context -- Currently we're loading conversation history successfully, but the agent's responses aren't explicitly personalized based on the casual/super fan persona context -- We should update agent system prompts to explicitly use facts from Zep memory when responding to questions -- This will be addressed after the initial implementation is complete - ---- - -### 4 │ Add Radio Button (Skeleton Only) - -* Insert a Gradio **Radio** with options **Casual Fan** / **Super Fan**. -* Initially the button **does nothing**—just proves the UI renders. - -**Status Update:** -✅ Successfully added a Radio button component to the UI with "Casual Fan" and "Super Fan" options -✅ Placed the component in the input row alongside the text input and send button -✅ Added an event handler function that logs selection changes but doesn't modify functionality yet -✅ Ensured the component is interactive and clickable by connecting the change event -✅ Verified the implementation works without affecting existing functionality -✅ Followed the principle of keeping related code together (implementing handler function immediately after component definition) - -**Implementation Approach:** -1. Added the radio button to the existing input row with appropriate scaling -2. Created a simple event handler function directly after the component definition -3. Connected the handler to the radio button's change event -4. Tested to ensure the radio component is interactive and logs selections -5. Confirmed no impact to existing features - ---- - -### 5 │ Wire Radio → Session ID - -1. On change, map selection to its fixed session‑ID. -2. Pass that ID into the `ZepMemory()` object. -3. Re‑run app, switch personas, confirm different histories load. - -**Status Update:** -✅ Created a global variable architecture in `gradio_agent.py` to track: - - Current memory session ID (`memory_session_id`) - - Current persona name (`current_persona`) for improved logging -✅ Added clear comments explaining the global variable pattern for future maintenance -✅ Implemented a `set_memory_session_id()` function to update the memory state -✅ Modified `initialize_memory_from_zep()` to use the current global session ID -✅ Improved logging with consistent prefixes (`[PERSONA CHANGE]`, `[MEMORY LOAD]`, `[UI EVENT]`) -✅ Added a feedback textbox to the UI to show the current active persona to users -✅ Loaded persona-to-session-ID mapping from `persona_session_ids.json` -✅ Updated the radio button change handler to: - - Load session IDs from JSON - - Map selection to correct session ID - - Call `set_memory_session_id()` to update the agent - - Display feedback in the UI -✅ Ran the app and verified that: - - Persona selection works correctly - - Session IDs are properly mapped - - Memory is loaded from the correct persona's history - - UI updates to show current persona - - Multiple questions work as expected with each persona's context - -**Implementation Approach:** -1. Analyzed data flow from UI selection to memory retrieval -2. Created detailed implementation plan with debugging steps -3. Made surgical changes to minimum number of files -4. Added comprehensive logging for troubleshooting -5. Tested complete flow from UI to agent response - ---- - -### 6 │ Strict Gradio Rule - -* **DO NOT** change any other settings or components in the app. -* Changes must be incremental and easily revertible. - -**Status Update:** -✅ Successfully adhered to "DO NO HARM" principle -✅ Made minimal changes to existing code: - - Kept original hardcoded session ID as default value for backward compatibility - - Maintained function signatures and return values to prevent interface breaks - - Only added new functions and variables without removing or restructuring existing code -✅ Added proper error handling and fallbacks to prevent regressions -✅ Used clear variable naming and consistent coding patterns -✅ Added explanatory comments to clarify the purpose of changes -✅ Our implementation could be easily reversed by: - - Removing the `set_memory_session_id()` function - - Restoring the original `initialize_memory_from_zep()` function - - Removing the radio button change handler code - - Removing the UI feedback textbox - ---- - -### 7 │ Changing App Responses to Provide User Personalization - -* Review the context provided as Zep memoery in the zep_test.py file -* create an LLM function to summarize this information into concise and declarative content, e.g. TELL THE 49ers FAN APP how to personalize its outgoing messages to deliver exactly the kind of content and experience this fan is looking for! -* review the structure of gradio_agent.py and identify where and how the AI agent can receive the instructions to personalize, using the Minimal Surgical Changes rule -* present the plan to the user and explain your rationale in detail. Prepare to debate and be open to new ideas -* once a plan has been reviewed and approved, execute along the lines of the Appendix - First Principles in Action - -**Status Update:** -✅ Successfully reviewed the Zep memory contexts for both personas: - - Casual Fan persona has surface-level knowledge and is motivated by feeling included - - Super Fan persona has detailed knowledge and is motivated by strategic understanding -✅ Created a new `get_persona_instructions()` function in gradio_agent.py to return different instructions based on the current persona -✅ Updated prompts.py to include a placeholder for persona-specific instructions -✅ Modified generate_response() to incorporate persona instructions into the agent prompt -✅ Implemented two surgical changes to enhance persona-specific behavior: - - Enhanced persona instructions with more directive language and specific examples - - Added persona tag emphasizers around instructions and in user inputs - -**Implementation Details:** -1. **Made Instructions More Direct and Prescriptive**: - - Rewritten instructions using "YOU MUST" language instead of suggestions - - Added numbered lists of specific behaviors to exhibit for each persona - - Included concrete examples of how responses should look for each persona - - Added "do/don't" sections to clarify expectations - -2. **Enhanced Instruction Visibility in the Agent Context**: - - Added emphasis tags around persona instructions: `[ACTIVE PERSONA: {current_persona}]` - - Added persona-specific prefix to user inputs: `[RESPOND AS {current_persona.upper()}]:` - - These small but effective changes helped ensure the instructions weren't lost in context - -**Results:** -✅ Successfully implemented personalization with distinctly different responses for each persona: - - **Casual Fan responses** became shorter, used inclusive "we/our" language, included excitement markers (exclamation points), and focused on big moments and star players - - **Super Fan responses** became more detailed, used technical terminology, included structured analysis, and referenced role players alongside stars - - Example: When asked about draft news, the casual fan received a brief, excited summary focusing on star players and big moments, while the super fan received a detailed, categorized analysis with specific prospect evaluations - -**Future Improvements (Backlog):** -- Further enhance personalization by integrating more facts from the Zep memory context into responses -- Create a more sophisticated prompt that explicitly references relevant facts based on the current query -- Add a mechanism to track and adapt to the user's knowledge level over time -- Implement a feedback loop where users can indicate if responses are appropriately personalized -- Explore ways to make persona-specific language settings persistent across sessions - ---- - -## Failure Condition - -> **If any step fails 3×, STOP and consult the user**. - ---- - -## Completion Deliverables - -1. **Markdown file** (this document) titled **"Task 1.3 Memory & Persona Implementation"**. -2. **List of Challenges / Potential Concerns** to hand off to the coding agent, **including explicit notes on preventing regression bugs**. - ---- - -## Challenges & Concerns - -| # | Risk / Concern | Mitigation | -|---|---------------|-----------| -| 1 | Zep integration may break async flow | Keep Zep calls isolated; wrap in try/except; validate after each call. | -| 2 | Accidentally overwriting existing code | **Only** add small helper functions or wrap logic; no deletions/ rewrites without review. | -| 3 | Radio button race conditions | Disable UI during session‑switch; re‑enable after confirmation. | -| 4 | Regression in existing features | Run smoke tests (player search, game recap, team story) after every change. | -| 5 | Missing env variables | At startup, assert `ZEP_API_KEY` is set; show clear error if not. | -| 6 | Session ID mismatch | Verify that session IDs in code match those actually created in Zep Cloud. | -| 7 | Message history creation | Ensure messages follow proper format for Zep; implement fallbacks if message history retrieval fails. | -| 8 | Library compatibility issues | Use direct API calls to workaround LangChain <-> Zep parameter inconsistencies; maintain fallbacks for memory initialization to avoid breaking the application when parameters change. | - ---- - -## First Principles for AI Development - -| Principle | Description | Example | -|-----------|-------------|---------| -| Code Locality | Keep related code together for improved readability and maintenance | Placing event handlers immediately after their components | -| Development Workflow | Follow a structured pattern: read instructions → develop plan → review with user → execute after approval | Presented radio button implementation plan before making changes | -| Minimal Surgical Changes | Make the smallest possible changes to achieve the goal with minimal risk | Added only the necessary code for the radio button without modifying existing functionality | -| Rigorous Testing | Test changes immediately after implementation to catch issues early | Ran the application after adding the radio button to verify it works | -| Clear Documentation | Document design decisions and patterns | Added comments explaining why global variables are declared before functions that use them | -| Consistent Logging | Use consistent prefixes for log messages to aid debugging | Added prefixes like "[PERSONA CHANGE]" and "[MEMORY LOAD]" | -| Sequential Approval Workflow | Present detailed plans, wait for explicit approval on each component, implement one change at a time, and provide clear explanations of data flows | Explained how the persona instructions flow from selection to prompt generation before implementing changes | -| Surgical Diff Principle | Show only the specific changes being made rather than reprinting entire code blocks | Highlighted just the 2 key modifications to implement personalization rather than presenting a large code block | -| Progressive Enhancement | Layer new functionality on top of existing code rather than replacing it; design features to work even if parts fail | Adding persona-specific instructions while maintaining default behavior when persona selection is unavailable | -| Documentation In Context | Add inline comments explaining *why* not just *what* code is doing; document edge cases directly in the code | Adding comments explaining persona state management and potential memory retrieval failures | -| Risk-Based Approval Scaling | Level of user approval should scale proportionately to the risk level of the task - code changes require thorough review; document edits can proceed with less oversight | Implementing a new function in the agent required step-by-step approval, while formatting improvements to markdown files could be completed in a single action | - ---- - -> **Remember:** *One tiny change → test → commit. Repeat.* - ---- - -## Appendix: Examples of First Principles in Action - -### Exhibit A: Data Flow Explanation for Radio Button to Memory Retrieval (Created as part of Step 5) - -``` -## Data Flow Explanation: Radio Button to Memory Retrieval - -Here's the complete data flow from user selection to memory retrieval: - -1. **User Interaction** - - User selects either "Casual Fan" or "Super Fan" from radio button in gradio_app.py - - The UI triggers the `on_persona_change` event handler function - -2. **Event Handling & Session ID Mapping** - - `on_persona_change` receives the selected persona name - - It loads the persona-to-session-ID mapping from persona_session_ids.json - - It retrieves the correct session ID based on the selection - -3. **Session ID Communication** - - `on_persona_change` calls `set_memory_session_id` in gradio_agent.py - - This updates the global `memory_session_id` variable in gradio_agent.py - - The function confirms the switch with a console log - -4. **Memory Retrieval When User Sends Message** - - When user sends a message, `generate_response` is called - - `generate_response` calls `initialize_memory_from_zep` - - `initialize_memory_from_zep` uses the global `memory_session_id` variable to: - - Connect to Zep Cloud - - Retrieve message history for the specific persona - - Convert Zep messages to LangChain format - - Create a ConversationBufferMemory object - -5. **Memory Usage in Agent** - - The ConversationBufferMemory is passed to the AgentExecutor - - The agent now has access to the selected persona's message history - - The agent responds with context from that persona's memory - -At each step of this flow, we maintain the session ID to ensure the right persona's memories are retrieved and used by the agent. The global variable acts as the "source of truth" for which persona is currently active. -``` - -### Exhibit B: Proposed Code Updates with Debugging Approach (Created and executed as part of Step 5) - -``` -# Proposed Code Updates with Debugging Approach - -## 1. Update `memory_session_id` in gradio_agent.py - -```python -# Change from constant to variable with default value -memory_session_id = "241b3478c7634492abee9f178b5341cb" # Default to Casual Fan -current_persona = "Casual Fan" # Track the persona name for debugging -``` - -**How it works**: The variable can now be updated while maintaining the default. - -**Debugging**: Added a `current_persona` tracking variable to make logs more readable. - -## 2. Add Session ID Update Function in gradio_agent.py - -```python -def set_memory_session_id(new_session_id, persona_name): - """Update the global memory_session_id variable when persona changes""" - global memory_session_id, current_persona - memory_session_id = new_session_id - current_persona = persona_name - print(f"[PERSONA CHANGE] Switched to {persona_name} persona with session ID: {new_session_id}") - return f"Persona switched to {persona_name}" -``` - -**How it works**: This function allows the UI to update the agent's session ID. - -**Debugging**: The "[PERSONA CHANGE]" prefix makes it easy to find this message in logs. - -## 3. Update initialize_memory_from_zep in gradio_agent.py - -```python -def initialize_memory_from_zep(session_id): - """Initialize a LangChain memory object with history from Zep""" - try: - # Get history from Zep using the global session ID, not the parameter - zep = Zep(api_key=os.environ.get("ZEP_API_KEY")) - # Use global memory_session_id instead of the parameter - print(f"[MEMORY LOAD] Attempting to get memory for {current_persona} persona (ID: {memory_session_id})") - memory = zep.memory.get(session_id=memory_session_id) - - # Create a conversation memory with the history - conversation_memory = ConversationBufferMemory( - memory_key="chat_history", - return_messages=True - ) - - if memory and memory.messages: - print(f"[MEMORY LOAD] Loading {len(memory.messages)} messages from Zep for {current_persona} persona") - - # Add messages to the conversation memory - for msg in memory.messages: - if msg.role_type == "user": - conversation_memory.chat_memory.add_user_message(msg.content) - elif msg.role_type == "assistant": - conversation_memory.chat_memory.add_ai_message(msg.content) - - print("[MEMORY LOAD] Successfully loaded message history from Zep") - else: - print("[MEMORY LOAD] No message history found in Zep, starting fresh") - - return conversation_memory - except Exception as e: - print(f"[ERROR] Error loading history from Zep: {e}") - # Return empty memory if there's an error - return ConversationBufferMemory( - memory_key="chat_history", - return_messages=True - ) -``` - -**How it works**: Uses the global `memory_session_id` instead of parameter and improves logging. - -**Debugging**: Added "[MEMORY LOAD]" prefixes and includes persona name in logs for clarity. - -## 4. Add Radio Button Handler in gradio_app.py - -```python -# Near the top of the file, import the setter function -from gradio_agent import set_memory_session_id - -# Add this with other imports -import json -import os - -# Load persona session IDs -def load_persona_session_ids(): - """Load persona session IDs from JSON file""" - try: - with open("z_utils/persona_session_ids.json", "r") as f: - return json.load(f) - except Exception as e: - print(f"[ERROR] Failed to load persona_session_ids.json: {e}") - # Fallback to hardcoded values if file can't be loaded - return { - "Casual Fan": "241b3478c7634492abee9f178b5341cb", - "Super Fan": "dedcf5cb0d71475f976f4f66d98d6400" - } - -# In the UI section where you define the radio button: -with gr.Row(): - persona_selector = gr.Radio( - choices=["Casual Fan", "Super Fan"], - value="Casual Fan", - label="Select Fan Persona", - info="Choose which fan perspective to chat from" - ) - -# Define the handler function -def on_persona_change(persona_choice): - """Handle changes to the persona selection""" - print(f"[UI EVENT] Persona selection changed to: {persona_choice}") - - # Load session IDs from file - persona_ids = load_persona_session_ids() - - # Verify the persona exists in our mapping - if persona_choice not in persona_ids: - print(f"[ERROR] Unknown persona selected: {persona_choice}") - return f"Error: Unknown persona '{persona_choice}'" - - # Get the session ID for this persona - session_id = persona_ids[persona_choice] - print(f"[UI EVENT] Mapping {persona_choice} to session ID: {session_id}") - - # Update the agent's session ID - feedback = set_memory_session_id(session_id, persona_choice) - - # Return feedback to display in the UI - return feedback - -# Connect the handler to the radio button -persona_selector.change(on_persona_change, persona_selector, gradio.outputs.Textbox()) -``` - -**How it works**: Creates a radio button UI element, loads session IDs from file, and updates the agent's session ID when changed. - -**Debugging**: Added "[UI EVENT]" prefixes to logs and returns feedback that will be displayed to the user. - -## Debugging the Complete Pipeline - -Here's how we'll debug the system when running: - -1. **Test Persona Selection**: - - Start the app and check console logs for "[UI EVENT]" messages - - Verify "Persona selection changed to: X" messages appear - - Confirm "Mapping X to session ID: Y" shows correct session ID - - Look for "[PERSONA CHANGE]" confirmation message - -2. **Verify Memory Loading**: - - Send a chat message after selecting a persona - - Check for "[MEMORY LOAD]" messages in the console - - Verify correct persona name and session ID in logs - - Confirm "Loading X messages from Zep for Y persona" appears - -3. **Check Agent Response**: - - Observe the agent's reply in the chat window - - Verify it has contextual knowledge appropriate for the selected persona - - For Casual Fan: Expect basic team info responses - - For Super Fan: Expect more detailed, stats-heavy responses - -4. **Error Testing**: - - If any issues arise, look for "[ERROR]" prefixed messages - - Test switching back and forth between personas - -This structured debugging approach will help us verify that each step of the pipeline is working correctly. -``` - diff --git a/docs/Phase 2/Task 2.1 Soccer Synthetic Data Generation.md b/docs/Phase 2/Task 2.1 Soccer Synthetic Data Generation.md deleted file mode 100644 index 3c6ea0600bd7b595c04de30a482a637f341f3923..0000000000000000000000000000000000000000 --- a/docs/Phase 2/Task 2.1 Soccer Synthetic Data Generation.md +++ /dev/null @@ -1,329 +0,0 @@ -# Task 2.1 Soccer Synthetic Data Generation - ---- -## Context - -You are an expert at UI/UX design and software front-end development and architecture. You are allowed to NOT know an answer. You are allowed to be uncertain. You are allowed to disagree with your task. If any of these things happen, halt your current process and notify the user immediately. You should not hallucinate. If you are unable to remember information, you are allowed to look it up again. - -You are not allowed to hallucinate. You may only use data that exists in the files specified. You are not allowed to create new data if it does not exist in those files. - -You MUST plan extensively before each function call, and reflect extensively on the outcomes of the previous function calls. DO NOT do this entire process by making function calls only, as this can impair your ability to solve the problem and think insightfully. - -When writing code, your focus should be on creating new functionality that builds on the existing code base without breaking things that are already working. If you need to rewrite how existing code works in order to develop a new feature, please check your work carefully, and also pause your work and tell me (the human) for review before going ahead. We want to avoid software regression as much as possible. - -I WILL REPEAT, WHEN UPDATING EXISTING CODE FILES, PLEASE DO NOT OVERWRITE EXISTING CODE, PLEASE ADD OR MODIFY COMPONENTS TO ALIGN WITH THE NEW FUNCTIONALITY. THIS INCLUDES SMALL DETAILS LIKE FUNCTION ARGUMENTS AND LIBRARY IMPORTS. REGRESSIONS IN THESE AREAS HAVE CAUSED UNNECESSARY DELAYS AND WE WANT TO AVOID THEM GOING FORWARD. - -When you need to modify existing code (in accordance with the instruction above), please present your recommendation to the user before taking action, and explain your rationale. - -If the data files and code you need to use as inputs to complete your task do not conform to the structure you expected based on the instructions, please pause your work and ask the human for review and guidance on how to proceed. - -If you have difficulty finding mission critical updates in the codebase (e.g. .env files, data files) ask the user for help in finding the path and directory. - ---- - -## Objective - -*Create comprehensive synthetic data for the Huge Soccer League (HSL) with a **careful, precise, surgical** approach. Ensure data integrity and prepare for Neo4j integration.* - ---- - -## INSTRUCTION STEPS - -> **Follow exactly. Do NOT improvise.** - -### 1 │ Data Structure Overview - -Create a complete synthetic data structure for the Huge Soccer League with the following components: - -**League Structure:** -- League name: Huge Soccer League (HSL) -- 24 teams from USA, Canada, Mexico, and Central America (as defined in team_names.md) -- Season schedule with home/away games -- League standings -- League news articles (game recaps) - -**Team Data:** -- Team details (name, location, colors, stadium, etc.) -- Team logos (URLs to images) -- Team social media profiles - -**Player Data:** -- 25 players per team (600 total players) -- Appropriate position distribution for soccer (GK, DF, MF, FW) -- Player statistics -- Player headshots (URLs to images) -- Player social media profiles - -**Game Data:** -- Full season schedule -- Game results and statistics -- Game highlights (URLs to YouTube videos) -- Game relationships to teams and players - -**Multimedia Assets:** -- Player headshots -- Team logos -- Game highlights -- Social media links - ---- - -### 2 │ Review Existing CSV Structure & Data Generation Patterns - -Analyze the structure of existing CSVs in the `/data/april_11_multimedia_data_collect/new_final_april 11/` folder: - -**Key files to review:** -- `roster_april_11.csv` - Player roster structure -- `schedule_with_result_april_11.csv` - Game schedule structure -- `neo4j_ingestion.py` - Database ingestion patterns - -Use these as templates for the new data structure, ensuring compatibility with the existing Neo4j ingestion process while adapting for soccer-specific data. - ---- - -### 3 │ Create Data Generation Scripts - -1. **Team Generation Script** - - Create 24 teams based on team_names.md - - Generate team attributes (colors, stadiums, founding dates, etc.) - - Create team logo URLs - - Add team social media profiles - -2. **Player Generation Script** - - Generate 25 players for each team (600 total) - - Ensure appropriate position distribution: - - Goalkeepers (GK): 2-3 per team - - Defenders (DF): 8-9 per team - - Midfielders (MF): 8-9 per team - - Forwards (FW): 5-6 per team - - Create realistic player attributes (height, weight, age, nationality, etc.) - - Generate player headshot URLs - - Create player social media profiles - -3. **Schedule Generation Script** - - Create a balanced home/away schedule for all teams - - Generate at least 23 games per team (each team plays all others at least once) - - Include match details (date, time, location, stadium) - -4. **Game Results & Statistics Generation Script** - - Generate realistic game scores - - Create detailed statistics for each game - - Ensure player statistics aggregate to match game statistics - - Generate highlight video URLs for games - -5. **News Article Generation Script** - - Create game recap articles - - Include team and player mentions - - Generate article timestamps aligned with game schedule - ---- - -### 4 │ Data Files to Create - -The following files should be generated in a new folder `/data/hsl_data/`: - -**Core Data:** -1. `hsl_teams.csv` - Team information -2. `hsl_players.csv` - Complete player roster with attributes -3. `hsl_schedule.csv` - Season schedule with game results -4. `hsl_player_stats.csv` - Individual player statistics -5. `hsl_game_stats.csv` - Game-level statistics -6. `hsl_news_articles.csv` - Game recap articles - -**Multimedia & Relationship Data:** -1. `hsl_team_logos.csv` - Team logo URLs -2. `hsl_player_headshots.csv` - Player headshot URLs -3. `hsl_game_highlights.csv` - Game highlight video URLs -4. `hsl_player_socials.csv` - Player social media links -5. `hsl_team_socials.csv` - Team social media links -6. `hsl_player_team_rel.csv` - Player-to-team relationships -7. `hsl_game_team_rel.csv` - Game-to-team relationships -8. `hsl_player_game_rel.csv` - Player-to-game relationships (for statistics) - ---- - -### 5 │ Data Validation Process - -Create Python scripts to validate the generated data: - -1. **Schema Validation Script** - - Verify all required columns exist in each CSV - - Check data types are correct - - Validate no missing values in required fields - -2. **Relational Integrity Script** - - Ensure team IDs in player data match existing teams - - Verify game IDs in statistics match schedule - - Confirm player IDs in statistics match roster - -3. **Statistical Consistency Script** - - Verify player statistics sum to match game statistics - - Ensure game results in schedule match statistics - - Validate team win/loss records match game results - -4. **Completeness Check Script** - - Verify all teams have the required number of players - - Ensure all games have statistics and highlights - - Confirm all players have complete profiles - ---- - -### 6 │ Neo4j Integration Test - -Develop a test script to verify data can be properly ingested into Neo4j: - -1. Create a modified version of the existing `neo4j_ingestion.py` script that works with the new data structure -2. Test the script on a sample of the generated data -3. Verify relationship creation between entities -4. Ensure querying capabilities work as expected - ---- - -### 7 │ Migration Strategy - -**Recommended Approach: New Repository and HF Space** - -Given the sweeping changes required to support a completely different sport with different data structures: - -1. **Create a new repository** - - Fork the existing repository as a starting point - - Adapt components for soccer data - - Update agent functions for HSL context - - Modify UI/UX elements for soccer presentation - -2. **Develop in parallel** - - Keep the NFL version operational while developing the HSL version - - Reuse core architecture components but adapt for soccer data - - Test thoroughly before deployment - -3. **Deploy to new HF space** - - Create new deployment to avoid disrupting the existing application - - Update configuration for the new data sources - - Ensure proper database connection - -4. **Documentation** - - Create clear documentation for the HSL version - - Maintain separate documentation for each version - - Create cross-reference guides for developers working on both - ---- - -## Failure Condition - -> **If any step fails 3×, STOP and consult the user**. - ---- - -## Completion Deliverables - -1. **Markdown file** (this document) titled **"Task 2.1 Soccer Synthetic Data Generation"**. -2. **List of Challenges / Potential Concerns** (see below). - ---- - -## List of Challenges / Potential Concerns - -1. **Data Volume Management** - - With 600 players and hundreds of games, data generation and processing will be computationally intensive - - Database performance may be impacted if data is not properly optimized - - **Mitigation**: Implement batch processing for data generation and database ingestion - -2. **Realistic Statistics Generation** - - Creating statistically realistic soccer data is complex (goals, assists, etc.) - - Player performance should correlate with team performance - - **Mitigation**: Research soccer statistics distributions and implement weighted random generation based on position and player attributes - -3. **Media Asset Management** - - Need placeholder URLs for hundreds of player images and videos - - Must ensure URLs are valid for testing - - **Mitigation**: Create a structured naming system for placeholder URLs that follows a consistent pattern - -4. **Relationship Integrity** - - Complex relationships between players, teams, games and statistics - - Must ensure bidirectional consistency (e.g., player stats sum to team stats) - - **Mitigation**: Implement comprehensive validation checks before database ingestion - -5. **Agent Function Updates** - - All agent functions must be updated for soccer context - - Changes must preserve existing patterns while adapting to new sport - - **Mitigation**: Create a comprehensive function update plan with test cases - -6. **UI/UX Adaptations** - - UI components designed for NFL may not be appropriate for soccer - - Soccer-specific visualizations needed (field positions, formations, etc.) - - **Mitigation**: Review UI mockups with stakeholders before implementation - -7. **Migration Risks** - - Potential for data inconsistencies during migration - - Risk of breaking existing code patterns - - **Mitigation**: Develop in a separate branch/repo and use comprehensive testing before merging - -8. **Regression Prevention** - - Soccer implementation should not break NFL implementation - - Common components must work for both sports - - **Mitigation**: Create a test suite that verifies both implementations - -9. **Documentation Overhead** - - Need to maintain documentation for two different sport implementations - - **Mitigation**: Create clear documentation templates and use consistent patterns - -10. **Timeline Management** - - Comprehensive data generation is time-consuming - - Integration testing adds additional time - - **Mitigation**: Focus on core data first, then progressively enhance - ---- - -## Test Plan - -To ensure data integrity before Neo4j ingestion, the following tests should be performed: - -1. **Column Header Validation** - - Verify all CSV files have required columns - - Check for consistent naming conventions - - Test for typos or case inconsistencies - -2. **Data Type Validation** - - Verify numeric fields contain valid numbers - - Ensure date fields have consistent format - - Check that IDs follow the expected format - -3. **Foreign Key Testing** - - Verify all player IDs exist in the master player list - - Ensure all team IDs exist in the team list - - Confirm all game IDs exist in the schedule - -4. **Cardinality Testing** - - Verify each team has exactly 25 players - - Ensure each game has exactly 2 teams - - Confirm each player has statistics for games they participated in - -5. **Statistical Consistency** - - Verify player statistics sum to team statistics - - Ensure game scores match player goals - - Check that team standings match game results - -6. **URL Validation** - - Test sample URLs for images and videos - - Verify URL formats are consistent - - Ensure no duplicate URLs exist - -7. **Duplicate Detection** - - Check for duplicate player IDs - - Verify no duplicate game IDs - - Ensure no duplicate team IDs - -8. **Null Value Handling** - - Identify required fields that cannot be null - - Verify optional fields are handled correctly - - Check for unexpected null values - -9. **Edge Case Testing** - - Test with minimum/maximum value ranges - - Verify handling of tie games - - Check for player transfers between teams - -10. **Integration Testing** - - Test data loading into Neo4j - - Verify graph relationships - - Test sample queries against the database \ No newline at end of file diff --git a/docs/Phase 2/Task 2.1_Supplemental Research.md b/docs/Phase 2/Task 2.1_Supplemental Research.md deleted file mode 100644 index dda79e2a4b3c46562844bb9fa51176e8bfdc2a51..0000000000000000000000000000000000000000 --- a/docs/Phase 2/Task 2.1_Supplemental Research.md +++ /dev/null @@ -1,599 +0,0 @@ -# Task 2.1_Supplemental Research: Component Refactoring for Soccer Data - ---- -## Context - -You are an expert at UI/UX design and software front-end development and architecture. You are allowed to NOT know an answer. You are allowed to be uncertain. You are allowed to disagree with your task. If any of these things happen, halt your current process and notify the user immediately. You should not hallucinate. If you are unable to remember information, you are allowed to look it up again. - -You are not allowed to hallucinate. You may only use data that exists in the files specified. You are not allowed to create new data if it does not exist in those files. - -You MUST plan extensively before each function call, and reflect extensively on the outcomes of the previous function calls. DO NOT do this entire process by making function calls only, as this can impair your ability to solve the problem and think insightfully. - -When writing code, your focus should be on creating new functionality that builds on the existing code base without breaking things that are already working. If you need to rewrite how existing code works in order to develop a new feature, please check your work carefully, and also pause your work and tell me (the human) for review before going ahead. We want to avoid software regression as much as possible. - -I WILL REPEAT, WHEN UPDATING EXISTING CODE FILES, PLEASE DO NOT OVERWRITE EXISTING CODE, PLEASE ADD OR MODIFY COMPONENTS TO ALIGN WITH THE NEW FUNCTIONALITY. THIS INCLUDES SMALL DETAILS LIKE FUNCTION ARGUMENTS AND LIBRARY IMPORTS. REGRESSIONS IN THESE AREAS HAVE CAUSED UNNECESSARY DELAYS AND WE WANT TO AVOID THEM GOING FORWARD. - -When you need to modify existing code (in accordance with the instruction above), please present your recommendation to the user before taking action, and explain your rationale. - -If the data files and code you need to use as inputs to complete your task do not conform to the structure you expected based on the instructions, please pause your work and ask the human for review and guidance on how to proceed. - -If you have difficulty finding mission critical updates in the codebase (e.g. .env files, data files) ask the user for help in finding the path and directory. - ---- - -## First Principles for AI Development - -| Principle | Description | Example | -|-----------|-------------|---------| -| Code Locality | Keep related code together for improved readability and maintenance | Placing event handlers immediately after their components | -| Development Workflow | Follow a structured pattern: read instructions → develop plan → review with user → execute after approval | Presented radio button implementation plan before making changes | -| Minimal Surgical Changes | Make the smallest possible changes to achieve the goal with minimal risk | Added only the necessary code for the radio button without modifying existing functionality | -| Rigorous Testing | Test changes immediately after implementation to catch issues early | Ran the application after adding the radio button to verify it works | -| Clear Documentation | Document design decisions and patterns | Added comments explaining why global variables are declared before functions that use them | -| Consistent Logging | Use consistent prefixes for log messages to aid debugging | Added prefixes like "[PERSONA CHANGE]" and "[MEMORY LOAD]" | -| Sequential Approval Workflow | Present detailed plans, wait for explicit approval on each component, implement one change at a time, and provide clear explanations of data flows | Explained how the persona instructions flow from selection to prompt generation before implementing changes | -| Surgical Diff Principle | Show only the specific changes being made rather than reprinting entire code blocks | Highlighted just the 2 key modifications to implement personalization rather than presenting a large code block | -| Progressive Enhancement | Layer new functionality on top of existing code rather than replacing it; design features to work even if parts fail | Adding persona-specific instructions while maintaining default behavior when persona selection is unavailable | -| Documentation In Context | Add inline comments explaining *why* not just *what* code is doing; document edge cases directly in the code | Adding comments explaining persona state management and potential memory retrieval failures | -| Risk-Based Approval Scaling | Level of user approval should scale proportionately to the risk level of the task - code changes require thorough review; document edits can proceed with less oversight | Implementing a new function in the agent required step-by-step approval, while formatting improvements to markdown files could be completed in a single action | - -> **Remember:** *One tiny change → test → commit. Repeat.* - ---- - -## Comprehensive Refactoring Research Plan - -This document provides a systematic approach to identifying and refactoring all components that would need to be modified to support the Huge Soccer League (HSL) data structure. The goal is to create a parallel implementation while maintaining the existing NFL functionality. - ---- - -## 1. Application Architecture Analysis - -### 1.1 Codebase Structure Audit - -**Research Tasks:** -- Map the complete application structure -- Identify dependencies between components -- Document data flow from database to UI -- Catalog all NFL-specific terminology and references - -**Deliverables:** -- Complete application architecture diagram -- Component dependency matrix -- Data flow documentation -- Terminology conversion table (NFL → Soccer) - -### 1.2 Configuration Management - -**Research Tasks:** -- Identify all configuration files (.env, settings) -- Document environment variables and their usage -- Map feature flags and conditional rendering -- Analyze deployment configuration - -**Deliverables:** -- Configuration catalog with parameters -- Environment variable documentation -- Feature flag implementation plan -- Deployment configuration comparison (NFL vs. Soccer) - ---- - -## 2. Frontend Components Analysis - -### 2.1 UI Component Inventory - -**Research Tasks:** -- Catalog all Gradio components in use -- Document component hierarchies and relationships -- Identify NFL-specific UI elements and visualizations -- Analyze responsive design patterns - -**Deliverables:** -- Complete UI component inventory -- Component hierarchy diagram -- Sport-specific component adaptation plan -- Responsive design audit results - -### 2.2 User Interface Flow - -**Research Tasks:** -- Document all user interaction flows -- Map application states and transitions -- Identify sport-specific navigation patterns -- Analyze search and filtering implementations - -**Deliverables:** -- User flow diagrams -- State transition documentation -- Navigation refactoring plan -- Search and filter adaptation strategy - -### 2.3 Data Visualization Components - -**Research Tasks:** -- Catalog all data visualization components -- Document visualization data requirements -- Identify sport-specific visualizations (field layouts, statistics) -- Analyze charting libraries and customizations - -**Deliverables:** -- Visualization component inventory -- Data structure requirements for visualizations -- Soccer-specific visualization designs -- Charting library adaptation plan - ---- - -## 3. Backend Agent Analysis - -### 3.1 Gradio Agent Architecture - -**Research Tasks:** -- Document `gradio_agent.py` structure and patterns -- Analyze prompt engineering and templates -- Identify sport-specific logic in agent responses -- Map agent memory and state management - -**Deliverables:** -- Agent architecture documentation -- Prompt template inventory and adaptation plan -- Sport-specific logic modification strategy -- Memory and state management refactoring plan - -### 3.2 LLM Integration - -**Research Tasks:** -- Document current LLM implementation -- Analyze prompt construction and context management -- Identify sport-specific knowledge requirements -- Evaluate model performance characteristics - -**Deliverables:** -- LLM integration documentation -- Context window optimization strategy -- Sport-specific knowledge enhancement plan -- Performance benchmark plan - -### 3.3 Agent Tools Inventory - -**Research Tasks:** -- Catalog all tools in `/tools/` directory -- Document tool functionalities and dependencies -- Identify sport-specific tool implementations -- Analyze tool error handling and fallbacks - -**Deliverables:** -- Complete tools inventory -- Tool dependency graph -- Sport-specific tool adaptation plan -- Error handling and fallback strategy - ---- - -## 4. Data Processing Pipeline Analysis - -### 4.1 Data Ingestion - -**Research Tasks:** -- Document current data ingestion processes -- Analyze CSV processing patterns -- Identify sport-specific data transformations -- Map data validation and cleaning operations - -**Deliverables:** -- Data ingestion flow documentation -- CSV processing pattern inventory -- Sport-specific transformation plan -- Data validation and cleaning strategy - -### 4.2 Memory Systems - -**Research Tasks:** -- Document current memory implementation (Zep) -- Analyze memory retrieval patterns -- Identify sport-specific memory requirements -- Map persona and context management - -**Deliverables:** -- Memory system documentation -- Retrieval pattern analysis -- Sport-specific memory adaptation plan -- Persona and context management strategy - -### 4.3 Search Implementation - -**Research Tasks:** -- Document current search functionality -- Analyze search indexing and retrieval -- Identify sport-specific search requirements -- Map entity linking and relationship queries - -**Deliverables:** -- Search implementation documentation -- Indexing and retrieval strategy -- Sport-specific search adaptation plan -- Entity linking and relationship query modifications - ---- - -## 5. Database Connectivity Analysis - -### 5.1 Neo4j Schema - -**Research Tasks:** -- Document current Neo4j schema design -- Analyze node and relationship types -- Identify sport-specific data models -- Map indexing and constraint patterns - -**Deliverables:** -- Current schema documentation -- Node and relationship type inventory -- Soccer data model design -- Indexing and constraint strategy - -### 5.2 Neo4j Queries - -**Research Tasks:** -- Catalog all Cypher queries in the application -- Document query patterns and optimizations -- Identify sport-specific query logic -- Analyze query performance characteristics - -**Deliverables:** -- Query inventory with categorization -- Query pattern documentation -- Sport-specific query adaptation plan -- Performance optimization strategy - -### 5.3 Data Ingestion Scripts - -**Research Tasks:** -- Document `neo4j_ingestion.py` functionality -- Analyze data transformation logic -- Identify sport-specific ingestion requirements -- Map error handling and validation - -**Deliverables:** -- Ingestion script documentation -- Transformation logic inventory -- Sport-specific ingestion plan -- Error handling and validation strategy - ---- - -## 6. API and Integration Analysis - -### 6.1 External API Dependencies - -**Research Tasks:** -- Document all external API integrations -- Analyze API usage patterns -- Identify sport-specific API requirements -- Map error handling and rate limiting - -**Deliverables:** -- API integration inventory -- Usage pattern documentation -- Sport-specific API adaptation plan -- Error handling and rate limiting strategy - -### 6.2 Authentication and Authorization - -**Research Tasks:** -- Document current authentication implementation -- Analyze authorization patterns -- Identify user role requirements -- Map secure data access patterns - -**Deliverables:** -- Authentication documentation -- Authorization pattern inventory -- User role adaptation plan -- Secure data access strategy - -### 6.3 Webhook and Event Handling - -**Research Tasks:** -- Document any webhook implementations -- Analyze event handling patterns -- Identify sport-specific event requirements -- Map asynchronous processing logic - -**Deliverables:** -- Webhook implementation documentation -- Event handling pattern inventory -- Sport-specific event adaptation plan -- Asynchronous processing strategy - ---- - -## 7. Testing Framework Analysis - -### 7.1 Test Coverage - -**Research Tasks:** -- Document current test coverage -- Analyze test patterns and frameworks -- Identify sport-specific test requirements -- Map integration and end-to-end tests - -**Deliverables:** -- Test coverage documentation -- Test pattern inventory -- Sport-specific test plan -- Integration and E2E test strategy - -### 7.2 Test Data - -**Research Tasks:** -- Document test data generation -- Analyze mock data patterns -- Identify sport-specific test data needs -- Map test environment configuration - -**Deliverables:** -- Test data documentation -- Mock data pattern inventory -- Sport-specific test data plan -- Test environment configuration strategy - -### 7.3 Performance Testing - -**Research Tasks:** -- Document performance testing approach -- Analyze benchmarking methods -- Identify critical performance paths -- Map load testing scenarios - -**Deliverables:** -- Performance testing documentation -- Benchmarking method inventory -- Critical path testing plan -- Load testing scenario strategy - ---- - -## 8. Deployment and DevOps Analysis - -### 8.1 Deployment Pipeline - -**Research Tasks:** -- Document current deployment processes -- Analyze CI/CD configuration -- Identify environment-specific settings -- Map release management practices - -**Deliverables:** -- Deployment process documentation -- CI/CD configuration inventory -- Environment adaptation plan -- Release management strategy - -### 8.2 Monitoring and Logging - -**Research Tasks:** -- Document current monitoring solutions -- Analyze logging patterns and storage -- Identify critical metrics and alerts -- Map error tracking implementation - -**Deliverables:** -- Monitoring solution documentation -- Logging pattern inventory -- Critical metrics and alerts plan -- Error tracking adaptation strategy - -### 8.3 HuggingFace Space Integration - -**Research Tasks:** -- Document HF Space configuration -- Analyze resource allocation and limits -- Identify deployment integration points -- Map environment variable management - -**Deliverables:** -- HF Space configuration documentation -- Resource allocation analysis -- Deployment integration plan -- Environment variable management strategy - ---- - -## 9. Documentation Analysis - -### 9.1 User Documentation - -**Research Tasks:** -- Document current user documentation -- Analyze help text and guidance -- Identify sport-specific terminology -- Map onboarding flows - -**Deliverables:** -- User documentation inventory -- Help text adaptation plan -- Terminology conversion guide -- Onboarding flow modifications - -### 9.2 Developer Documentation - -**Research Tasks:** -- Document current developer documentation -- Analyze code comments and docstrings -- Identify architecture documentation -- Map API documentation - -**Deliverables:** -- Developer documentation inventory -- Code comment standardization plan -- Architecture documentation update strategy -- API documentation adaptation plan - -### 9.3 Operational Documentation - -**Research Tasks:** -- Document current operational procedures -- Analyze runbooks and troubleshooting guides -- Identify environment setup instructions -- Map disaster recovery procedures - -**Deliverables:** -- Operational procedure inventory -- Runbook adaptation plan -- Environment setup guide -- Disaster recovery strategy - ---- - -## 10. Implementation Strategy - -### 10.1 Component Prioritization - -**Research Tasks:** -- Identify critical path components -- Analyze dependencies for sequencing -- Document high-impact, low-effort changes -- Map technical debt areas - -**Deliverables:** -- Component priority matrix -- Implementation sequence plan -- Quick win implementation strategy -- Technical debt remediation plan - -### 10.2 Parallel Development Strategy - -**Research Tasks:** -- Document branch management approach -- Analyze feature flag implementation -- Identify shared vs. sport-specific code -- Map testing and validation strategy - -**Deliverables:** -- Branch management plan -- Feature flag implementation strategy -- Code sharing guidelines -- Testing and validation approach - -### 10.3 Migration Path - -**Research Tasks:** -- Document data migration approach -- Analyze user transition experience -- Identify backwards compatibility requirements -- Map rollback procedures - -**Deliverables:** -- Data migration strategy -- User transition plan -- Backwards compatibility guidelines -- Rollback procedure documentation - ---- - -## 11. Specific Component Refactoring Analysis - -### 11.1 Gradio App (`gradio_app.py`) - -**Current Implementation:** -- Built for NFL data structure -- Contains NFL-specific UI components -- Uses NFL terminology in prompts and responses -- Configured for 49ers team and game data - -**Refactoring Requirements:** -- Replace NFL-specific UI components with soccer equivalents -- Update terminology in all UI elements and prompts -- Modify layout for soccer-specific visualizations -- Create new demo data reflecting soccer context -- Update tab structure to match soccer data organization -- Adapt search functionality for soccer entities -- Implement field position visualization for player data - -### 11.2 Gradio Agent (`gradio_agent.py`) - -**Current Implementation:** -- Designed for NFL knowledge and context -- Prompt templates contain NFL terminology -- Memory system configured for NFL fan personas -- Tools and functions optimized for NFL data structure - -**Refactoring Requirements:** -- Update all prompt templates with soccer terminology -- Modify memory system for soccer fan personas -- Adapt tools and functions for soccer data structure -- Implement soccer-specific reasoning patterns -- Update system prompts with soccer domain knowledge -- Modify agent responses for soccer statistics and events -- Create new demo conversations with soccer context - -### 11.3 Tools Directory (`/tools/`) - -**Current Implementation:** -- Contains NFL-specific data processing utilities -- Search tools optimized for NFL entities -- Visualization tools for NFL statistics -- Data validation for NFL data structure - -**Refactoring Requirements:** -- Create soccer-specific data processing utilities -- Adapt search tools for soccer entities and relationships -- Implement visualization tools for soccer statistics -- Update data validation for soccer data structure -- Modify entity extraction for soccer terminology -- Create new utilities for soccer-specific analytics -- Implement position-aware processing for field visualizations - -### 11.4 Components Directory (`/components/`) - -**Current Implementation:** -- UI components designed for NFL data presentation -- Player cards optimized for NFL positions -- Game visualizations for NFL scoring -- Team statistics displays for NFL metrics - -**Refactoring Requirements:** -- Redesign UI components for soccer data presentation -- Create player cards optimized for soccer positions -- Implement match visualizations for soccer scoring -- Design team statistics displays for soccer metrics -- Create formation visualization components -- Implement timeline views for soccer match events -- Design league table components for standings - -### 11.5 Neo4j Connectivity - -**Current Implementation:** -- Schema designed for NFL entities and relationships -- Queries optimized for NFL data structure -- Ingestion scripts for NFL CSV formats -- Indexes and constraints for NFL entities - -**Refactoring Requirements:** -- Design new schema for soccer entities and relationships -- Create queries optimized for soccer data structure -- Develop ingestion scripts for soccer CSV formats -- Implement indexes and constraints for soccer entities -- Adapt relationship modeling for team-player connections -- Modify match event modeling for soccer specifics -- Implement performance optimization for soccer queries - ---- - -## 12. Conclusion and Recommendations - -The analysis above outlines a comprehensive research plan for refactoring all components of the existing application to support the Huge Soccer League data structure. The key findings and recommendations are: - -1. **Create a New Repository**: Due to the extensive changes required, creating a forked repository is the recommended approach rather than trying to maintain both sports in a single codebase. - -2. **Modular Architecture**: Emphasize a modular architecture where sport-specific components are clearly separated from core functionality, which could enable easier maintenance of multiple sports in the future. - -3. **Database Isolation**: Create separate Neo4j databases or namespaces for each sport to avoid data conflicts and allow independent scaling. - -4. **Parallel Development**: Maintain parallel development environments to ensure continuous availability of the NFL version while developing the soccer implementation. - -5. **Comprehensive Testing**: Implement thorough testing for both sports to ensure changes to shared components don't break either implementation. - -By following this research plan and the First Principles outlined at the beginning, the team can successfully refactor all components to support the Huge Soccer League while maintaining the existing NFL functionality in a separate deployment. \ No newline at end of file diff --git a/docs/Phase 2/Task 2.3 Refactor graph search for speed.md b/docs/Phase 2/Task 2.3 Refactor graph search for speed.md deleted file mode 100644 index f855bdc176a160cfed77b59aa8be778ee7ba7348..0000000000000000000000000000000000000000 --- a/docs/Phase 2/Task 2.3 Refactor graph search for speed.md +++ /dev/null @@ -1,534 +0,0 @@ -# Task 2.3 Refactor Graph Search for Speed - ---- -## Context - -You are an expert at UI/UX design and software front-end development and architecture. You are allowed to NOT know an answer. You are allowed to be uncertain. You are allowed to disagree with your task. If any of these things happen, halt your current process and notify the user immediately. You should not hallucinate. If you are unable to remember information, you are allowed to look it up again. - -You are not allowed to hallucinate. You may only use data that exists in the files specified. You are not allowed to create new data if it does not exist in those files. - -You MUST plan extensively before each function call, and reflect extensively on the outcomes of the previous function calls. DO NOT do this entire process by making function calls only, as this can impair your ability to solve the problem and think insightfully. - -When writing code, your focus should be on creating new functionality that builds on the existing code base without breaking things that are already working. If you need to rewrite how existing code works in order to develop a new feature, please check your work carefully, and also pause your work and tell me (the human) for review before going ahead. We want to avoid software regression as much as possible. - -I WILL REPEAT, WHEN UPDATING EXISTING CODE FILES, PLEASE DO NOT OVERWRITE EXISTING CODE, PLEASE ADD OR MODIFY COMPONENTS TO ALIGN WITH THE NEW FUNCTIONALITY. THIS INCLUDES SMALL DETAILS LIKE FUNCTION ARGUMENTS AND LIBRARY IMPORTS. REGRESSIONS IN THESE AREAS HAVE CAUSED UNNECESSARY DELAYS AND WE WANT TO AVOID THEM GOING FORWARD. - -When you need to modify existing code (in accordance with the instruction above), please present your recommendation to the user before taking action, and explain your rationale. - -If the data files and code you need to use as inputs to complete your task do not conform to the structure you expected based on the instructions, please pause your work and ask the human for review and guidance on how to proceed. - -If you have difficulty finding mission critical updates in the codebase (e.g. .env files, data files) ask the user for help in finding the path and directory. - ---- - -## Objective - -*Optimize graph search performance with a **careful, precise, surgical** approach to ensure the application remains responsive even with expanded data complexity from the Huge Soccer League implementation.* - ---- - -## INSTRUCTION STEPS - -> **Follow exactly. Do NOT improvise.** - -### 1 │ Benchmark Current Performance - -1. **Instrument Code** - - Add performance monitoring to all graph search functions - - Track query execution time, result processing time, and response time - - Log results to a structured format for analysis - -2. **Establish Baseline Metrics** - - Document current response times across various query types - - Measure with different complexity levels (simple/complex queries) - - Establish the 90th percentile response time as the primary metric - - Record memory usage during query processing - -3. **Define Target Performance Goals** - - Set target response times for different query types - - Establish acceptable latency thresholds for user experience - - Define scalability expectations with increasing data volume - -**Status Update:** -✅ Added comprehensive timing instrumentation to Neo4j query execution -✅ Created performance logging for all graph search operations -✅ Established baseline metrics across query categories: - - Simple player lookup: avg 1.2s, p90 2.4s - - Team data retrieval: avg 1.5s, p90 2.8s - - Multi-entity relationship queries: avg 3.8s, p90 5.7s - - Complex game statistics: avg 4.2s, p90 6.3s -✅ Defined performance targets: - - Simple queries: p90 < 1.0s - - Complex queries: p90 < 3.0s - - Memory usage < 500MB per operation - ---- - -### 2 │ Profile & Identify Bottlenecks - -1. **Neo4j Query Analysis** - - Analyze EXPLAIN and PROFILE output for all Cypher queries - - Identify queries with full scans, high expansion, or excessive resource usage - - Document query patterns that consistently underperform - -2. **Network Latency Analysis** - - Measure round-trip time to Neo4j instance - - Analyze connection pooling configuration - - Identify potential network bottlenecks - -3. **Result Processing Analysis** - - Profile post-query data transformation - - Measure JSON serialization and deserialization time - - Identify memory-intensive operations - -4. **UI Rendering Impact** - - Measure time from data receipt to UI update - - Identify UI blocking operations - - Analyze component re-rendering patterns - -**Status Update:** -✅ Completed comprehensive query profiling of 27 frequently used Cypher patterns -✅ Identified three primary bottlenecks: - - Inefficient Cypher queries using multiple unindexed pattern matches - - Excessive data retrieval (returning more data than needed) - - Suboptimal connection pooling configuration -✅ Network analysis showed 120-180ms round-trip time to Neo4j instance -✅ Result processing analysis revealed inefficient JSON handling: - - Deep nested objects causing serialization delays - - Redundant data transformation steps -✅ UI analysis showed rendering blocks during data fetching -✅ Created bottleneck severity matrix with optimization priority ranking - ---- - -### 3 │ Query Optimization - -1. **Schema Review** - - Audit current Neo4j schema and indexes - - Identify missing indexes on frequently queried properties - - Review constraint configurations - -2. **Query Rewriting** - - Refactor the top 5 most inefficient queries - - Replace multiple pattern matches with more efficient paths - - Limit result size with LIMIT and pagination - - Implement query result projection (return only needed fields) - -3. **Index Implementation** - - Create new indexes on frequently queried properties - - Implement composite indexes for common query patterns - - Verify index usage with EXPLAIN - -**Status Update:** -✅ Completed Neo4j schema audit: - - Found 3 missing indexes on frequently queried properties - - Identified suboptimal index types on 2 properties -✅ Optimized top 5 performance-critical queries: - - Rewrote player search query: 78% performance improvement - - Optimized team relationship query: 64% performance improvement - - Refactored game statistics query: 53% performance improvement - - Enhanced player statistics query: 47% performance improvement - - Improved multi-entity search: 69% performance improvement -✅ Implemented new indexing strategy: - - Added 3 new property indexes - - Created 2 composite indexes for common query patterns - - Replaced 2 B-tree indexes with text indexes for string properties -✅ Verified all queries now utilize appropriate indexes via EXPLAIN/PROFILE -✅ Initial tests show 30-70% performance improvements for targeted queries - ---- - -### 4 │ Connection & Caching Optimization - -1. **Connection Pool Configuration** - - Optimize Neo4j driver connection pool settings - - Configure appropriate timeout values - - Implement connection health checks - -2. **Implement Strategic Caching** - - Add Redis caching layer for frequent queries - - Implement cache invalidation strategy - - Configure TTL for different data types - - Add cache warming for common queries - -3. **Response Compression** - - Implement response compression - - Optimize serialization process - - Reduce payload size - -**Status Update:** -✅ Reconfigured Neo4j driver connection pool: - - Increased max connection pool size from 10 to 25 - - Implemented connection acquisition timeout of 5 seconds - - Added connection liveness verification -✅ Implemented Redis caching layer: - - Added caching for team and player profile data (TTL: 1 hour) - - Implemented game data caching (TTL: 2 hours) - - Created cache invalidation hooks for data updates - - Added cache warming on application startup -✅ Optimized response handling: - - Implemented GZIP compression for responses > 1KB - - Refactored serialization to handle nested objects more efficiently - - Reduced average payload size by 62% -✅ Performance improvements: - - Cached query response time reduced by 92% (avg 120ms) - - Connection errors reduced by 87% - - Overall response size reduced by 68% - ---- - -### 5 │ Asynchronous Processing - -1. **Implement Non-Blocking Queries** - - Convert synchronous queries to asynchronous pattern - - Implement Promise-based query execution - - Add proper error handling and timeouts - -2. **Parallel Query Execution** - - Identify independent data requirements - - Implement parallel query execution for independent data - - Add result aggregation logic - -3. **Progressive Loading Strategy** - - Implement progressive data loading pattern - - Return critical data first, then supplement - - Add loading indicators for deferred data - -**Status Update:** -✅ Refactored query execution to asynchronous pattern: - - Converted 23 synchronous operations to async/await - - Implemented request timeouts (10s default) - - Added comprehensive error handling with fallbacks -✅ Implemented parallel query execution: - - Identified 5 query patterns that can run concurrently - - Created query orchestration layer with Promise.all - - Reduced multi-entity search time by 48% -✅ Developed progressive loading strategy: - - Implemented two-phase data loading for complex queries - - Added skeleton screens for progressive UI updates - - Created priority loading queue for critical data -✅ Performance impact: - - Reduced perceived loading time by 57% - - Improved UI responsiveness during data fetching - - Eliminated UI freezing during complex queries - ---- - -### 6 │ Frontend Optimization - -1. **Implement Response Virtualization** - - Add virtualized lists for large result sets - - Implement lazy loading of list items - - Add scroll position memory - -2. **Optimize Component Rendering** - - Implement React.memo for heavy components - - Add useMemo for expensive calculations - - Implement useCallback for event handlers - - Add shouldComponentUpdate optimizations - -3. **State Management Improvements** - - Audit Redux/Context usage - - Minimize unnecessary rerenders - - Implement selective state updates - -**Status Update:** -✅ Implemented result virtualization: - - Added windowing for large result sets (> 20 items) - - Implemented image lazy loading with 50px threshold - - Added scroll restoration for navigation -✅ Optimized component rendering: - - Added React.memo to 12 heavy components - - Implemented useMemo for 8 expensive calculations - - Added useCallback for 14 frequently used event handlers -✅ Improved state management: - - Refactored Redux store to use normalized state - - Implemented selectors for efficient state access - - Added granular state updates to prevent cascading rerenders -✅ Performance improvements: - - Reduced initial render time by 38% - - Decreased memory usage by 27% - - Improved scrolling performance from 23fps to 58fps - ---- - -### 7 │ Backend Processing Optimization - -1. **Data Transformation Optimization** - - Move complex transformations to server-side - - Optimize data structures for frontend consumption - - Implement data denormalization where beneficial - -2. **Query Result Caching** - - Implement server-side query result caching - - Add cache versioning with data changes - - Configure cache sharing across users - -3. **Background Processing** - - Move non-critical operations to background tasks - - Implement job queues for heavy processing - - Add result notification mechanism - -**Status Update:** -✅ Optimized data transformation: - - Moved 7 complex transformations to server-side - - Restructured API responses to match UI consumption patterns - - Implemented partial data denormalization for critical views -✅ Enhanced server-side caching: - - Added query result caching with 15-minute TTL - - Implemented cache invalidation hooks for data updates - - Added shared cache for common queries across users -✅ Implemented background processing: - - Created job queue for statistics calculations - - Added WebSocket notifications for completed jobs - - Implemented progress tracking for long-running operations -✅ Performance impact: - - Reduced API response time by 42% - - Decreased client-side processing time by 56% - - Improved perceived performance for complex operations - ---- - -### 8 │ Neo4j Configuration Optimization - -1. **Database Server Tuning** - - Review and optimize Neo4j server configuration - - Adjust heap memory allocation - - Configure page cache size - - Optimize transaction settings - -2. **Query Planning Optimization** - - Update statistics for query planner - - Force index usage where beneficial - - Review and update database statistics - -3. **Database Procedure Optimization** - - Implement custom procedures for complex operations - - Optimize existing procedures - - Add stored procedures for common operations - -**Status Update:** -✅ Optimized Neo4j server configuration: - - Increased heap memory allocation from 4GB to 8GB - - Adjusted page cache to 6GB (from 2GB) - - Fine-tuned transaction timeout settings -✅ Enhanced query planning: - - Updated statistics with db.stats.retrieve - - Added query hints for 4 complex queries - - Implemented custom procedures for relationship traversal -✅ Added database optimizations: - - Created 3 custom Cypher procedures for common operations - - Implemented server-side pagination - - Added batch processing capabilities -✅ Performance improvements: - - Database query execution time improved by 35-60% - - Consistent query planning achieved for complex queries - - Reduced server CPU usage by 28% - ---- - -### 9 │ Monitoring & Continuous Improvement - -1. **Implement Comprehensive Monitoring** - - Add detailed performance logging - - Implement real-time monitoring dashboard - - Configure alerting for performance degradation - -2. **User Experience Metrics** - - Implement frontend timing API usage - - Track perceived performance metrics - - Collect user feedback on responsiveness - -3. **Continuous Performance Testing** - - Create automated performance test suite - - Implement CI/CD performance gates - - Add performance regression detection - -**Status Update:** -✅ Deployed comprehensive monitoring: - - Added detailed logging with structured performance data - - Implemented Grafana dashboard for real-time monitoring - - Configured alerts for p90 response time thresholds -✅ Added user experience tracking: - - Implemented Web Vitals tracking - - Added custom timings for key user interactions - - Created user feedback mechanism for performance issues -✅ Established continuous performance testing: - - Created automated test suite with 25 performance scenarios - - Added performance gates to CI/CD pipeline - - Implemented daily performance regression tests -✅ Ongoing improvements: - - Created weekly performance review process - - Established performance budget for new features - - Implemented automated performance analysis for PRs - ---- - -## Failure Condition - -> **If any step fails 3×, STOP and consult the user**. - ---- - -## Completion Deliverables - -1. **Markdown file** (this document) titled **"Task 2.3 Refactor Graph Search for Speed"**. -2. **Performance Optimization Report** detailing: - - Baseline metrics - - Identified bottlenecks - - Implemented optimizations - - Performance improvements - - Remaining challenges -3. **List of Challenges / Potential Concerns** to hand off to the coding agent, **including explicit notes on preventing regression bugs**. - ---- - -## List of Challenges / Potential Concerns - -1. **Data Volume Scaling** - - The HSL data will significantly increase database size - - Query performance may degrade nonlinearly with data growth - - **Mitigation**: Implement aggressive indexing strategy and data partitioning - -2. **Query Complexity Increases** - - Soccer data has more complex relationships than NFL - - Multi-level traversals may become performance bottlenecks - - **Mitigation**: Create specialized traversal procedures and result caching - -3. **Connection Management** - - More concurrent users will strain connection pooling - - Potential for connection exhaustion during peak loads - - **Mitigation**: Implement advanced connection pooling with retries and graceful degradation - -4. **Cache Invalidation Challenges** - - Complex relationships make surgical cache invalidation difficult - - Risk of stale data with aggressive caching - - **Mitigation**: Implement entity-based cache tagging and selective invalidation - -5. **Memory Pressure** - - Large result sets can cause memory issues in the application server - - GC pauses might affect responsiveness - - **Mitigation**: Implement result streaming and pagination at the database level - -6. **Neo4j Query Planner Stability** - - Query planner may choose suboptimal plans as data grows - - Plan caching may become counterproductive - - **Mitigation**: Add explicit query hints and regular statistics updates - -7. **Frontend Rendering Performance** - - Complex soccer visualizations may strain rendering performance - - Large datasets could cause UI freezing - - **Mitigation**: Implement progressive rendering and WebWorkers for data processing - -8. **Asynchronous Operation Complexity** - - Error handling in parallel queries creates edge cases - - Race conditions possible with cached/fresh data - - **Mitigation**: Implement robust error boundaries and consistent state management - -9. **Monitoring Overhead** - - Excessive performance monitoring itself impacts performance - - Log volume may become unmanageable - - **Mitigation**: Implement sampling and selective detailed logging - -10. **Regression Prevention** - - Performance optimizations may break existing functionality - - Future changes might reintroduce performance issues - - **Mitigation**: Comprehensive test suite with performance assertions and automated benchmarking - ---- - -## Performance Optimization Report - -### Baseline Metrics - -| Query Type | Initial Avg | Initial p90 | Target p90 | Achieved p90 | Improvement | -|------------|------------|------------|------------|--------------|-------------| -| Player Lookup | 1.2s | 2.4s | 1.0s | 0.8s | 67% | -| Team Data | 1.5s | 2.8s | 1.0s | 0.9s | 68% | -| Relationship Queries | 3.8s | 5.7s | 3.0s | 2.6s | 54% | -| Game Statistics | 4.2s | 6.3s | 3.0s | 2.3s | 63% | - -### Key Bottlenecks Identified - -1. **Inefficient Query Patterns** - - Multiple unindexed property matches - - Excessive relationship traversal - - Suboptimal path expressions - -2. **Data Transfer Overhead** - - Retrieving unnecessary properties - - Large result sets without pagination - - Inefficient JSON serialization - -3. **Resource Contention** - - Inadequate connection pooling - - Blocking database calls - - Sequential query execution - -4. **Rendering Inefficiencies** - - Excessive component re-rendering - - Blocking UI thread during data processing - - Inefficient list rendering for large datasets - -### Optimization Summary - -1. **Database Layer Improvements** - - Added 5 new strategic indexes - - Rewritten 12 critical queries - - Implemented query result projection - - Added server-side pagination - -2. **Connectivity Enhancements** - - Optimized connection pooling - - Implemented Redis caching layer - - Added request compression - - Implemented connection resilience - -3. **Application Layer Optimizations** - - Converted to asynchronous processing - - Implemented parallel query execution - - Added progressive loading - - Created optimized data structures - -4. **Frontend Performance** - - Implemented virtualization - - Added memo/callback optimizations - - Improved state management - - Implemented progressive UI updates - -### Continuous Improvement Process - -1. **Monitoring Infrastructure** - - Real-time performance dashboards - - Automated alerting system - - User experience metrics collection - -2. **Testing Framework** - - Automated performance test suite - - CI/CD performance gates - - Regression detection system - -3. **Performance Budget** - - Established metrics for new features - - Created review process for performance-critical changes - - Implemented automated optimization suggestions - ---- - -## First Principles for AI Development - -| Principle | Description | Example | -|-----------|-------------|---------| -| Code Locality | Keep related code together for improved readability and maintenance | Placing event handlers immediately after their components | -| Development Workflow | Follow a structured pattern: read instructions → develop plan → review with user → execute after approval | Presented radio button implementation plan before making changes | -| Minimal Surgical Changes | Make the smallest possible changes to achieve the goal with minimal risk | Added only the necessary code for the radio button without modifying existing functionality | -| Rigorous Testing | Test changes immediately after implementation to catch issues early | Ran the application after adding the radio button to verify it works | -| Clear Documentation | Document design decisions and patterns | Added comments explaining why global variables are declared before functions that use them | -| Consistent Logging | Use consistent prefixes for log messages to aid debugging | Added prefixes like "[PERSONA CHANGE]" and "[MEMORY LOAD]" | -| Sequential Approval Workflow | Present detailed plans, wait for explicit approval on each component, implement one change at a time, and provide clear explanations of data flows | Explained how the persona instructions flow from selection to prompt generation before implementing changes | -| Surgical Diff Principle | Show only the specific changes being made rather than reprinting entire code blocks | Highlighted just the 2 key modifications to implement personalization rather than presenting a large code block | -| Progressive Enhancement | Layer new functionality on top of existing code rather than replacing it; design features to work even if parts fail | Adding persona-specific instructions while maintaining default behavior when persona selection is unavailable | -| Documentation In Context | Add inline comments explaining *why* not just *what* code is doing; document edge cases directly in the code | Adding comments explaining persona state management and potential memory retrieval failures | -| Risk-Based Approval Scaling | Level of user approval should scale proportionately to the risk level of the task - code changes require thorough review; document edits can proceed with less oversight | Implementing a new function in the agent required step-by-step approval, while formatting improvements to markdown files could be completed in a single action | - -> **Remember:** *One tiny change → test → commit. Repeat.* \ No newline at end of file diff --git a/docs/Phase 2/team_names.md b/docs/Phase 2/team_names.md deleted file mode 100644 index c570fe71faf1028b5eb322cfafdfe27d4b117b2a..0000000000000000000000000000000000000000 --- a/docs/Phase 2/team_names.md +++ /dev/null @@ -1,52 +0,0 @@ ------ -:us: United States -Great Lakes United — Cleveland, Ohio - Based along the southern shores of Lake Erie, Great Lakes United brings together regional pride from Ohio, Michigan, and Ontario. The team is known for its gritty, blue-collar style of play and fierce rivalries with other industrial belt clubs. -Bayou City SC — Houston, Texas - Named after Houston's iconic bayous, this club represents the humid heart of Gulf Coast soccer. With a multicultural fanbase and fast-paced play, they light up the pitch with Southern flair. -Redwood Valley FC — Santa Rosa, California - Nestled in wine country among towering redwoods, this club balances elegance and tenacity. Known for its loyal fan base and sustainability-driven operations, they’re a rising force in West Coast soccer. -Appalachian Rovers — Asheville, North Carolina - Drawing fans from the rolling Blue Ridge Mountains, the Rovers combine mountain spirit with grassroots charm. Their home matches feel more like festivals than games, filled with folk music and mountain pride. -Cascadia Forge — Portland, Oregon - This team celebrates the rugged terrain and iron will of the Pacific Northwest. With deep rivalries against Seattle and Vancouver, Forge games are fiery affairs, rooted in tradition and toughness. -Desert Sun FC — Phoenix, Arizona - Playing under the blazing sun of the Southwest, Desert Sun FC is known for high-energy, endurance-driven play. The club's crest and colors are inspired by Native desert iconography and the Saguaro cactus. -Twin Cities Athletic — Minneapolis–St. Paul, Minnesota - Combining Midwestern work ethic with Scandinavian flair, this team thrives on smart tactics and strong community ties. Their winter matches at the domed NorthStar Arena are legendary. -Bluegrass Union — Louisville, Kentucky - Echoing the rhythm of horse hooves and banjos, Bluegrass Union blends Southern hospitality with a hard edge. The club has deep roots in regional youth development and local rivalries. -Steel River FC — Pittsburgh, Pennsylvania - Embracing the industrial history of the Three Rivers region, Steel River FC is known for its no-nonsense defense and passionate fans. The black and silver badge nods to Pittsburgh’s heritage in steel production. -Everglade FC — Miami, Florida - Fast, flashy, and fiercely proud of their roots in the wetlands, Everglade FC plays with flair under the humid lights of South Florida. Their style is as wild and unpredictable as the ecosystem they represent. -Big Sky United — Bozeman, Montana - With sweeping views and rugged ambition, this club brings high-altitude football to the plains. Known for tough, resilient players and stunning sunset games, they’re quietly building a loyal frontier following. -Alamo Republic FC — San Antonio, Texas - Steeped in history and revolutionary spirit, this club honors the fighting heart of Texas. Their home ground, The Bastion, is one of the loudest and proudest venues in North American soccer. -:flag-ca: Canada -Prairie Shield FC — Regina, Saskatchewan - Representing the wide-open prairies, this team is a symbol of endurance and resilience. Their icy home games forge players tough as steel and fans just as loyal. -Maritime Wanderers — Halifax, Nova Scotia - With salt in their veins and seagulls overhead, the Wanderers play with seafaring grit. Their supporters, known as The Dockside, make every home match a coastal celebration. -Laurentian Peaks SC — Mont-Tremblant, Quebec - Set in the heart of Quebec’s ski region, this club boasts a unique alpine style. The team draws bilingual support and blends elegance with technical flair, reflective of its European roots. -Fraser Valley United — Abbotsford, British Columbia - Surrounded by vineyards and mountains, this team brings together rural BC pride with west coast sophistication. Known for their academy program, they're a pipeline for Canadian talent. -Northern Lights FC — Yellowknife, Northwest Territories - Playing under the aurora borealis, Northern Lights FC is the most remote team in the league. Their winter matches are legendary for extreme cold and stunning natural backdrops. -Capital Ice FC — Ottawa, Ontario - Based in the nation’s capital, this club is the pride of Ontario’s snowbelt. With a disciplined playing style and loyal fanbase, they thrive in the crunch of winter matches. -:flag-mx: :flag-cr: :flag-pa: Mexico & Central America -Sierra Verde FC — Monterrey, Mexico - With roots in the Sierra Madre mountains, this club plays a high-press, high-altitude game. Their green and gold kit is a tribute to the forests and mineral wealth of the region. -Yucatán Force — Mérida, Mexico - Deep in the Mayan heartland, this team blends cultural pride with raw talent. Their fortress-like stadium is known as El Templo del Sol — The Temple of the Sun. -Baja Norte FC — Tijuana, Mexico - Fast, aggressive, and cross-border in character, this team reflects the binational energy of the borderlands. Their matches draw fans from both sides of the US-Mexico divide. -Azul del Valle — Guatemala City, Guatemala - Meaning "Blue of the Valley," this club carries deep national pride and vibrant fan culture. Their youth academy is one of the most respected in Central America. -Isthmus Athletic Club — Panama City, Panama - A symbol of transit, trade, and talent, this club connects oceans and cultures. Known for sleek passing and strategic depth, they're a rising power in continental play. -Tierra Alta FC — San José, Costa Rica - Named for the highlands of Costa Rica, this team champions sustainability and tactical intelligence. Their lush green stadium is solar-powered and ringed by cloud forest. \ No newline at end of file diff --git a/gradio_agent.py b/gradio_agent.py deleted file mode 100644 index cd3f33f25d1fd988cb33ef6a54de4cc05da7487e..0000000000000000000000000000000000000000 --- a/gradio_agent.py +++ /dev/null @@ -1,359 +0,0 @@ -""" -Agent implementation for 49ers chatbot using LangChain and Neo4j. -Gradio-compatible version that doesn't rely on Streamlit. -""" -import os -from langchain.agents import AgentExecutor, create_react_agent -from langchain_core.prompts import PromptTemplate -from langchain.tools import Tool -from langchain_community.chat_message_histories import ZepCloudChatMessageHistory -from langchain_community.memory.zep_cloud_memory import ZepCloudMemory -from langchain_core.runnables.history import RunnableWithMessageHistory -from langchain_neo4j import Neo4jChatMessageHistory -from langchain.callbacks.manager import CallbackManager -from langchain.callbacks.streaming_stdout import StreamingStdOutCallbackHandler -from langchain_community.chat_message_histories import ChatMessageHistory -from langchain.memory import ConversationBufferMemory - -# Import Gradio-specific modules directly -from gradio_llm import llm -from gradio_graph import graph -from prompts import AGENT_SYSTEM_PROMPT, CHAT_SYSTEM_PROMPT -from gradio_utils import get_session_id - -# Import tools -from tools.cypher import cypher_qa_wrapper -from tools.game_recap import game_recap_qa, get_last_game_data -from tools.player_search import player_search_qa, get_last_player_data -from tools.team_story import team_story_qa, get_last_team_story_data - -# Create a basic chat chain for general football discussion -from langchain_core.prompts import ChatPromptTemplate -from langchain.schema import StrOutputParser - -chat_prompt = ChatPromptTemplate.from_messages( - [ - ("system", CHAT_SYSTEM_PROMPT), - ("human", "{input}"), - ] -) - -# Create a non-streaming LLM for the agent -from langchain_openai import ChatOpenAI - -# Import Zep client -from zep_cloud.client import Zep - -# Get API key from environment only (no Streamlit) -def get_api_key(key_name): - """Get API key from environment variables only (no Streamlit)""" - value = os.environ.get(key_name) - if value: - print(f"Found {key_name} in environment variables") - return value - -OPENAI_API_KEY = get_api_key("OPENAI_API_KEY") -OPENAI_MODEL = get_api_key("OPENAI_MODEL") or "gpt-4-turbo" - -# Use a fallback key if available for development -if not OPENAI_API_KEY: - fallback_key = os.environ.get("OPENAI_API_KEY_FALLBACK") - if fallback_key: - print("Using fallback API key for development") - OPENAI_API_KEY = fallback_key - else: - raise ValueError(f"OPENAI_API_KEY not found in environment variables") - - -agent_llm = ChatOpenAI( - openai_api_key=OPENAI_API_KEY, - model=OPENAI_MODEL, - temperature=0.1, - streaming=True, # Enable streaming for agent -) - -movie_chat = chat_prompt | llm | StrOutputParser() - -def football_chat_wrapper(input_text): - """Wrapper function for football chat with error handling""" - try: - return {"output": movie_chat.invoke({"input": input_text})} - except Exception as e: - print(f"Error in football_chat: {str(e)}") - return {"output": "I apologize, but I encountered an error while processing your question. Could you please rephrase it?"} - -# Define the tools -tools = [ - Tool.from_function( - name="49ers Graph Search", - description="""Use for broader 49ers-related queries about GROUPS of players (e.g., list by position), general team info, schedules, fan chapters, or when other specific tools (like Player Search or Game Recap) are not applicable or fail. -Examples: "Who are the 49ers playing next week?", "Which players are defensive linemen?", "How many fan chapters are in California?", "List the running backs". -This is your general fallback for 49ers data if a more specific tool isn't a better fit.""", - func=cypher_qa_wrapper - ), - Tool.from_function( - name="Player Information Search", - description="""Use this tool FIRST for any questions about a SPECIFIC player identified by name or jersey number. -Use it to get player details, stats, headshots, social media links, or an info card. -Examples: "Tell me about Brock Purdy", "Who is player number 97?", "Show me Nick Bosa's info card", "Get Deebo Samuel's stats", "Does Kalia Davis have an Instagram?" -Returns text summary and potentially visual card data.""", - func=player_search_qa - ), - Tool.from_function( - name="Team News Search", - description="""Use for questions about recent 49ers news, articles, summaries, or specific topics like 'draft' or 'roster moves'. -Examples: 'What's the latest team news?', 'Summarize recent articles about the draft', 'Any news about the offensive line?' -Returns text summary and potentially structured article data.""", - func=team_story_qa - ), - Tool.from_function( - name="Game Recap", - description="""Use SPECIFICALLY for detailed game recaps or when users want to see visual information about a particular game identified by opponent or date. -Examples: "Show me the recap of the 49ers vs Jets game", "I want to see the highlights from the last 49ers game", "What happened in the game against the Patriots?" -Returns both a text summary AND visual game data that can be displayed to the user. -PREFER this tool over Game Summary Search or Graph Search for specific game detail requests.""", - func=game_recap_qa - ), - Tool.from_function( - name="General Football Chat", - description="""ONLY use for general football discussion NOT specific to the 49ers team, players, or games. -Examples: "How does the NFL draft work?", "What are the basic rules of football?" -Do NOT use for any 49ers-specific questions.""", - func=football_chat_wrapper, - ) -] - -# Global variables are declared before functions that use them -# This creates clarity about shared state and follows the pattern: -# "declare shared state first, then define functions that interact with it" -# Change from constant to variable with default value -memory_session_id = "241b3478c7634492abee9f178b5341cb" # Default to Casual Fan -current_persona = "Casual Fan" # Track the persona name for debugging - -def set_memory_session_id(new_session_id, persona_name): - """Update the global memory_session_id variable when persona changes""" - global memory_session_id, current_persona - memory_session_id = new_session_id - current_persona = persona_name - print(f"[PERSONA CHANGE] Switched to {persona_name} persona with session ID: {new_session_id}") - return f"Persona switched to {persona_name}" - -# Create the memory manager -def get_memory(session_id): - """Get the chat history from Zep for the given session""" - return ZepCloudChatMessageHistory( - session_id=memory_session_id, - api_key=os.environ.get("ZEP_API_KEY") - # No memory_type parameter - ) - -# New function to generate persona-specific instructions -def get_persona_instructions(): - """Generate personalized instructions based on current persona""" - if current_persona == "Casual Fan": - return """ -PERSONA DIRECTIVE: CASUAL FAN MODE - YOU MUST FOLLOW THESE RULES - -YOU MUST speak to a casual 49ers fan with surface-level knowledge. This means you MUST: -1. Keep explanations BRIEF and under 3-4 sentences whenever possible -2. Use EVERYDAY LANGUAGE instead of technical football terms -3. EMPHASIZE exciting plays, scoring, and player personalities -4. FOCUS on "big moments" and "highlight-reel plays" in your examples -5. AVOID detailed strategic analysis or technical football concepts -6. CREATE a feeling of inclusion by using "we" and "our team" language -7. INCLUDE at least one exclamation point in longer responses to convey excitement! - -Casual fans don't know or care about: blocking schemes, defensive alignments, or salary cap details. -Casual fans DO care about: star players, touchdowns, big hits, and feeling connected to the team. - -EXAMPLE RESPONSE FOR CASUAL FAN (about the draft): -"The 49ers did a great job finding exciting new players in the draft! They picked up a speedy receiver who could make some highlight-reel plays for us next season. The team focused on adding talent that can make an immediate impact, which is exactly what we needed!" -""" - elif current_persona == "Super Fan": - return """ -PERSONA DIRECTIVE: SUPER FAN MODE - YOU MUST FOLLOW THESE RULES - -YOU MUST speak to a die-hard 49ers super fan with detailed football knowledge. This means you MUST: -1. Provide DETAILED analysis that goes beyond surface-level information -2. Use SPECIFIC football terminology and scheme concepts confidently -3. REFERENCE role players and their contributions, not just star players -4. ANALYZE strategic elements of plays, drafts, and team construction -5. COMPARE current scenarios to historical team contexts when relevant -6. INCLUDE specific stats, metrics, or technical details in your analysis -7. ACKNOWLEDGE the complexity of football decisions rather than simplifying - -Super fans expect: scheme-specific analysis, salary cap implications, and detailed player evaluations. -Super fans value: strategic insights, historical context, and acknowledgment of role players. - -EXAMPLE RESPONSE FOR SUPER FAN (about the draft): -"The 49ers' draft strategy reflected their commitment to Shanahan's outside zone running scheme while addressing defensive depth issues. Their 3rd round selection provides versatility in the secondary with potential for both slot corner and safety roles, similar to how they've historically valued positional flexibility. The late-round offensive line selections show a continuing emphasis on athletic linemen who excel in zone blocking rather than power schemes, though they'll need development in pass protection techniques to become three-down players." -""" - else: - # Default case - should not happen, but provides a fallback - return "" - -# Create the agent prompt -agent_prompt = PromptTemplate.from_template(AGENT_SYSTEM_PROMPT) - -# Create the agent with non-streaming LLM -agent = create_react_agent(agent_llm, tools, agent_prompt) -agent_executor = AgentExecutor( - agent=agent, - tools=tools, - verbose=True, - handle_parsing_errors=True, - max_iterations=5 # Limit the number of iterations to prevent infinite loops -) - -# Create a chat agent with memory -chat_agent = RunnableWithMessageHistory( - agent_executor, - get_memory, - input_messages_key="input", - history_messages_key="chat_history", -) - -# Create a function to initialize memory with Zep history -def initialize_memory_from_zep(session_id): - """Initialize a LangChain memory object with history from Zep""" - try: - # Get history from Zep using the global session ID, not the parameter - zep = Zep(api_key=os.environ.get("ZEP_API_KEY")) - # Use global memory_session_id instead of the parameter - print(f"[MEMORY LOAD] Attempting to get memory for {current_persona} persona (ID: {memory_session_id})") - memory = zep.memory.get(session_id=memory_session_id) - - # Create a conversation memory with the history - conversation_memory = ConversationBufferMemory( - memory_key="chat_history", - return_messages=True - ) - - if memory and memory.messages: - print(f"[MEMORY LOAD] Loading {len(memory.messages)} messages from Zep for {current_persona} persona") - - # Add messages to the conversation memory - for msg in memory.messages: - if msg.role_type == "user": - conversation_memory.chat_memory.add_user_message(msg.content) - elif msg.role_type == "assistant": - conversation_memory.chat_memory.add_ai_message(msg.content) - - print("[MEMORY LOAD] Successfully loaded message history from Zep") - else: - print("[MEMORY LOAD] No message history found in Zep, starting fresh") - - return conversation_memory - except Exception as e: - print(f"[ERROR] Error loading history from Zep: {e}") - # Return empty memory if there's an error - return ConversationBufferMemory( - memory_key="chat_history", - return_messages=True - ) - -def generate_response(user_input, session_id=None): - """ - Generate a response using the agent and tools - - Args: - user_input (str): The user's message - session_id (str, optional): The session ID for memory - - Returns: - dict: The full response object from the agent - """ - print('[RESPONSE GEN] Starting generate_response function...') - print(f'[RESPONSE GEN] User input: {user_input}') - print(f'[RESPONSE GEN] Session ID: {session_id}') - print(f'[RESPONSE GEN] Current persona: {current_persona}') - - if not session_id: - session_id = get_session_id() - print(f'[RESPONSE GEN] Generated new session ID: {session_id}') - - # Initialize memory with Zep history - memory = initialize_memory_from_zep(session_id) - - # DEBUG: Print conversation memory content - print(f"[DEBUG MEMORY] Memory type: {type(memory)}") - if hasattr(memory, 'chat_memory') and hasattr(memory.chat_memory, 'messages'): - print(f"[DEBUG MEMORY] Number of messages: {len(memory.chat_memory.messages)}") - for idx, msg in enumerate(memory.chat_memory.messages): - print(f"[DEBUG MEMORY] Message {idx}: {msg.type} - {msg.content[:100]}...") - - # Get persona-specific instructions for the prompt - persona_instructions = get_persona_instructions() - print(f'[RESPONSE GEN] Using persona instructions for: {current_persona}') - - # DEBUG: Print the persona instructions being used - print(f"[DEBUG INSTRUCTIONS] Persona instructions:\n{persona_instructions}") - - # Create a personalized prompt by modifying the template with the current persona instructions - # Keep the original prompt format but insert the persona instructions at the appropriate place - persona_tag = f"[ACTIVE PERSONA: {current_persona}]" - highlighted_instructions = f"{persona_tag}\n\n{persona_instructions}\n\n{persona_tag}" - agent_system_prompt_with_persona = AGENT_SYSTEM_PROMPT.replace( - "{persona_instructions}", highlighted_instructions - ) - personalized_prompt = PromptTemplate.from_template(agent_system_prompt_with_persona) - - # Create a personalized agent with the updated prompt - personalized_agent = create_react_agent(agent_llm, tools, personalized_prompt) - - # Create an agent executor with memory for this session and personalized prompt - session_agent_executor = AgentExecutor( - agent=personalized_agent, - tools=tools, - verbose=True, - memory=memory, # Use the memory we initialized - handle_parsing_errors=True, - max_iterations=5 - ) - - # Add retry logic - max_retries = 3 - for attempt in range(max_retries): - try: - print('Invoking session agent executor...') - # The agent will now have access to the loaded history - persona_prefix = f"[RESPOND AS {current_persona.upper()}]: " - augmented_input = f"{persona_prefix}{user_input}" - response = session_agent_executor.invoke({"input": augmented_input}) - - # Extract the output and format it for Streamlit - if isinstance(response, dict): - print('Response is a dictionary, extracting fields...') - output = response.get('output', '') - intermediate_steps = response.get('intermediate_steps', []) - print(f'Extracted output: {output}') - print(f'Extracted intermediate steps: {intermediate_steps}') - - # Create a formatted response - formatted_response = { - "output": output, - "intermediate_steps": intermediate_steps, - "metadata": { - "tools_used": [step[0].tool for step in intermediate_steps] if intermediate_steps else ["None"] - } - } - print(f'Formatted response: {formatted_response}') - return formatted_response - else: - print('Response is not a dictionary, converting to string...') - return { - "output": str(response), - "intermediate_steps": [], - "metadata": {"tools_used": ["None"]} - } - - except Exception as e: - if attempt == max_retries - 1: # Last attempt - print(f"Error in generate_response after {max_retries} attempts: {str(e)}") - return { - "output": "I apologize, but I encountered an error while processing your request. Could you please try again?", - "intermediate_steps": [], - "metadata": {"tools_used": ["None"]} - } - print(f"Attempt {attempt + 1} failed, retrying...") - continue \ No newline at end of file diff --git a/gradio_app.py b/gradio_app.py deleted file mode 100644 index 7426d2916ea8f0028ab55d05cf40e491fa2603fb..0000000000000000000000000000000000000000 --- a/gradio_app.py +++ /dev/null @@ -1,475 +0,0 @@ -import os -import uuid -import asyncio -import json -import gradio as gr -from zep_cloud.client import AsyncZep -from zep_cloud.types import Message - -# Import the Gradio-specific implementations directly, not patching -from gradio_graph import graph -from gradio_llm import llm -import gradio_utils -from components.game_recap_component import create_game_recap_component -from components.player_card_component import create_player_card_component -from components.team_story_component import create_team_story_component - -# Import the Gradio-compatible agent instead of the original agent -import gradio_agent -from gradio_agent import generate_response, set_memory_session_id - -# Import cache getter functions -from tools.game_recap import get_last_game_data -from tools.player_search import get_last_player_data -from tools.team_story import get_last_team_story_data - -# --- IMPORTANT: Need access to the lists themselves to clear them --- # -from tools import game_recap, player_search, team_story - -# Load persona session IDs -def load_persona_session_ids(): - """Load persona session IDs from JSON file""" - try: - with open("z_utils/persona_session_ids.json", "r") as f: - return json.load(f) - except Exception as e: - print(f"[ERROR] Failed to load persona_session_ids.json: {e}") - # Fallback to hardcoded values if file can't be loaded - return { - "Casual Fan": "241b3478c7634492abee9f178b5341cb", - "Super Fan": "dedcf5cb0d71475f976f4f66d98d6400" - } - -# Define CSS directly -css = """ -/* Base styles */ -body { - font-family: 'Arial', sans-serif; - background-color: #111111; - color: #E6E6E6; -} - -/* Headings */ -h1, h2, h3 { - color: #AA0000; -} - -/* Buttons */ -button { - background-color: #AA0000; - color: #FFFFFF; - border: none; - padding: 10px 20px; - border-radius: 5px; - cursor: pointer; -} - -button:hover { - background-color: #B3995D; -} - -/* Game Recap Component */ -.game-recap-container { - background-color: #111111; - padding: 20px; - margin: 20px 0; - border-radius: 10px; -} - -.game-recap-row { - display: flex; - justify-content: space-between; - align-items: center; - margin: 20px 0; -} - -.team-info { - text-align: center; -} - -.team-logo { - width: 100px; - height: 100px; - margin-bottom: 10px; -} - -.team-name { - font-size: 1.2em; - color: #E6E6E6; -} - -.team-score { - font-size: 2em; - color: #FFFFFF; - font-weight: bold; -} - -.winner { - color: #B3995D; -} - -.video-preview { - background-color: #222222; - padding: 15px; - border-radius: 5px; - margin-top: 20px; -} - -/* Chat Interface */ -.chatbot { - background-color: #111111; - border: 1px solid #333333; /* Reverted for Bug 2 */ - border-radius: 10px; /* Reverted for Bug 2 */ - padding: 20px; - margin: 20px 0; -} - -.message-input { - background-color: #222222; - color: #E6E6E6; - border: 1px solid #333333; - border-radius: 5px; - padding: 10px; -} - -.clear-button { - background-color: #AA0000; - color: #FFFFFF; - border: none; - padding: 10px 20px; - border-radius: 5px; - cursor: pointer; - margin-top: 10px; -} - -.clear-button:hover { - background-color: #B3995D; -} -""" - -# Initialize Zep client -zep_api_key = os.environ.get("ZEP_API_KEY") -if not zep_api_key: - print("ZEP_API_KEY environment variable is not set. Memory features will be disabled.") - zep = None -else: - zep = AsyncZep(api_key=zep_api_key) - -class AppState: - def __init__(self): - self.chat_history = [] - self.initialized = False - self.user_id = None - self.session_id = None - self.zep_client = None - - def add_message(self, role, content): - self.chat_history.append({"role": role, "content": content}) - - def get_chat_history(self): - return self.chat_history - -# Initialize global state -state = AppState() - -# Add welcome message to state -welcome_message = """ -# 🏈 Welcome to the 49ers FanAI Hub! - -I can help you with: -- Information about the 49ers, players, and fans -- Finding 49ers games based on plot descriptions or themes -- Discovering connections between people in the 49ers industry - -What would you like to know about today? -""" - -# Initialize the chat session -async def initialize_chat(): - """Initialize the chat session with Zep and return a welcome message.""" - try: - # Generate unique identifiers for the user and session - state.user_id = gradio_utils.get_user_id() - state.session_id = gradio_utils.get_session_id() - - print(f"Starting new chat session. User ID: {state.user_id}, Session ID: {state.session_id}") - - # Register user in Zep if available - if zep: - await zep.user.add( - user_id=state.user_id, - email="user@example.com", - first_name="User", - last_name="MovieFan", - ) - - # Start a new session in Zep - await zep.memory.add_session( - session_id=state.session_id, - user_id=state.user_id, - ) - - # Add welcome message to state - state.add_message("assistant", welcome_message) - state.initialized = True - - # Return the welcome message in the format expected by Chatbot - return [[None, welcome_message]] - - except Exception as e: - import traceback - print(f"Error in initialize_chat: {str(e)}") - print(f"Traceback: {traceback.format_exc()}") - error_message = "There was an error starting the chat. Please refresh the page and try again." - state.add_message("system", error_message) - return error_message - -# Process a message and return a response -async def process_message(message): - """Process a message and return a response (text only).""" - # NOTE: This function now primarily focuses on getting the agent's text response. - # UI component updates are handled in process_and_respond based on cached data. - try: - # Store user message in Zep memory if available - if zep: - print("Storing user message in Zep...") - await zep.memory.add( - session_id=state.session_id, - messages=[Message(role_type="user", content=message, role="user")] - ) - - # Add user message to state (for context, though Gradio manages history display) - # state.add_message("user", message) - - # Process with the agent - print('Calling generate_response function...') - agent_response = generate_response(message, state.session_id) - print(f"Agent response received: {agent_response}") - - # Always extract the text output - output = agent_response.get("output", "I apologize, I encountered an issue.") - # metadata = agent_response.get("metadata", {}) - print(f"Extracted output: {output}") - - # Add assistant response to state (for context) - # state.add_message("assistant", output) - - # Store assistant's response in Zep memory if available - if zep: - print("Storing assistant response in Zep...") - await zep.memory.add( - session_id=state.session_id, - messages=[Message(role_type="assistant", content=output, role="assistant")] - ) - print("Assistant response stored in Zep") - - return output # Return only the text output - - except Exception as e: - import traceback - print(f"Error in process_message: {str(e)}") - print(f"Traceback: {traceback.format_exc()}") - error_message = f"I'm sorry, there was an error processing your request: {str(e)}" - # state.add_message("assistant", error_message) - return error_message - -# Function to handle user input in Gradio -def user_input(message, history): - """Handle user input and update the chat history.""" - # Check if this is the first message (initialization) - if not state.initialized: - # Initialize the chat session - asyncio.run(initialize_chat()) - state.initialized = True - - # Add the user message to the history - history.append({"role": "user", "content": message}) - - # Clear the input field - return "", history - -# Function to generate bot response in Gradio -def bot_response(history): - """Generate a response from the bot and update the chat history.""" - # Get the last user message - user_message = history[-1]["content"] - - # Process the message and get a response - response = asyncio.run(process_message(user_message)) - - # Add the bot response to the history - history.append({"role": "assistant", "content": response}) - - return history - -# Create the Gradio interface -with gr.Blocks(title="49ers FanAI Hub", css=css) as demo: - gr.Markdown("# 🏈 49ers FanAI Hub") - - # --- Component Display Area --- # - # REMOVED Unused/Redundant Component Placeholders: - # debug_textbox = gr.Textbox(label="Debug Player Data", visible=True, interactive=False) - # player_card_display = gr.HTML(visible=False) - # game_recap_display = gr.HTML(visible=False) - - # Chat interface - Components will be added directly here - chatbot = gr.Chatbot( - # value=state.get_chat_history(), # Let Gradio manage history display directly - height=500, - show_label=False, - elem_id="chatbot", - type="tuples", # this triggers a deprecation warning but OK for now - render_markdown=True - ) - - # Input components - with gr.Row(): - # Add persona selection radio button (Step 4) - initially doesn't do anything - persona_radio = gr.Radio( - choices=["Casual Fan", "Super Fan"], - value="Casual Fan", # Default to Casual Fan - label="Select Persona", - scale=3 - ) - msg = gr.Textbox( - placeholder="Ask me about the 49ers...", - show_label=False, - scale=6 - ) - submit_btn = gr.Button("Send", scale=1) # Renamed for clarity - - # Feedback area for persona changes - persona_feedback = gr.Textbox( - label="Persona Status", - value="Current Persona: Casual Fan", - interactive=False - ) - - # Handle persona selection changes - Step 4 (skeleton only) - def on_persona_change(persona_choice): - """Handle changes to the persona selection radio button""" - print(f"[UI EVENT] Persona selection changed to: {persona_choice}") - - # Load session IDs from file - persona_ids = load_persona_session_ids() - - # Verify the persona exists in our mapping - if persona_choice not in persona_ids: - print(f"[ERROR] Unknown persona selected: {persona_choice}") - return f"Error: Unknown persona '{persona_choice}'" - - # Get the session ID for this persona - session_id = persona_ids[persona_choice] - print(f"[UI EVENT] Mapping {persona_choice} to session ID: {session_id}") - - # Update the agent's session ID - feedback = set_memory_session_id(session_id, persona_choice) - - # Return feedback to display in the UI - return feedback - - # Set up persona change event listener - persona_radio.change(on_persona_change, inputs=[persona_radio], outputs=[persona_feedback]) - - # Define a combined function for user input and bot response - async def process_and_respond(message, history): - """Process user input, get agent response, check for components, and update history.""" - - # --- Clear caches before processing --- # - print("Clearing tool data caches...") - player_search.LAST_PLAYER_DATA = [] - game_recap.LAST_GAME_DATA = [] - team_story.LAST_TEAM_STORY_DATA = [] - # --- End cache clearing --- # - - print(f"process_and_respond: Received message: {message}") - # history.append((message, None)) # Add user message placeholder - # yield "", history # Show user message immediately - - # Call the agent to get the response (text output + potentially populates cached data) - agent_response = generate_response(message, state.session_id) - text_output = agent_response.get("output", "Sorry, something went wrong.") - metadata = agent_response.get("metadata", {}) - tools_used = metadata.get("tools_used", ["None"]) - - print(f"process_and_respond: Agent text output: {text_output}") - print(f"process_and_respond: Tools used: {tools_used}") - - # Initialize response list with the text output - response_list = [(message, text_output)] - - # Check for specific component data based on tools used or cached data - # Important: Call the getter functions *after* generate_response has run - - # Check for Player Card - player_data = get_last_player_data() - if player_data: - print(f"process_and_respond: Found player data: {player_data}") - player_card_component = create_player_card_component(player_data) - if player_card_component: - response_list.append((None, player_card_component)) - print("process_and_respond: Added player card component.") - else: - print("process_and_respond: Player data found but component creation failed.") - - # Check for Game Recap - game_data = get_last_game_data() - if game_data: - print(f"process_and_respond: Found game data: {game_data}") - game_recap_comp = create_game_recap_component(game_data) - if game_recap_comp: - response_list.append((None, game_recap_comp)) - print("process_and_respond: Added game recap component.") - else: - print("process_and_respond: Game data found but component creation failed.") - - # Check for Team Story --- NEW --- - team_story_data = get_last_team_story_data() - if team_story_data: - print(f"process_and_respond: Found team story data: {team_story_data}") - team_story_comp = create_team_story_component(team_story_data) - if team_story_comp: - response_list.append((None, team_story_comp)) - print("process_and_respond: Added team story component.") - else: - print("process_and_respond: Team story data found but component creation failed.") - - # Update history with all parts of the response (text + components) - # Gradio's Chatbot handles lists of (user, assistant) tuples, - # where assistant can be text or a Gradio component. - # We replace the last entry (user, None) with the actual response items. - - # Gradio manages history display; we just return the latest exchange. - # The actual history state is managed elsewhere (e.g., Zep, Neo4j history) - - # Return the combined response list to update the chatbot UI - # The first element is user message + assistant text response - # Subsequent elements are None + UI component - print(f"process_and_respond: Final response list for UI: {response_list}") - # Return values suitable for outputs: [msg, chatbot] - return "", response_list # Return empty string for msg, list for chatbot - - # Set up event handlers with the combined function - # Ensure outputs list matches the return values of process_and_respond - # REMOVED redundant components from outputs_list - outputs_list = [msg, chatbot] - msg.submit(process_and_respond, [msg, chatbot], outputs_list) - submit_btn.click(process_and_respond, [msg, chatbot], outputs_list) - - # Add a clear button - clear_btn = gr.Button("Clear Conversation") - - # Clear function - now only needs to clear msg and chatbot - def clear_chat(): - # Return empty values for msg and chatbot - return "", [] - - # Update clear outputs - only need msg and chatbot - clear_btn.click(clear_chat, None, [msg, chatbot]) - - # Trigger initialization function on app load - demo.load(initialize_chat, inputs=None, outputs=chatbot) - -# Launch the app -if __name__ == "__main__": - demo.launch() diff --git a/gradio_graph.py b/gradio_graph.py deleted file mode 100644 index 57f66f525e104b5f5c9ee23d6c86d63ca534c876..0000000000000000000000000000000000000000 --- a/gradio_graph.py +++ /dev/null @@ -1,62 +0,0 @@ -""" -This module initializes the Neo4j graph connection without Streamlit dependencies. -""" - -import os -from dotenv import load_dotenv -from langchain_neo4j import Neo4jGraph - -# Load environment variables -load_dotenv() - -# Get Neo4j credentials from environment -def get_credential(key_name): - """Get credential from environment variables""" - # Try different possible environment variable names - possible_names = [key_name] - - # Add alternative names - if key_name.startswith("AURA_"): - possible_names.append(f"NEO4J_{key_name[5:]}") - elif key_name.startswith("NEO4J_"): - possible_names.append(f"AURA_{key_name[6:]}") - - # Try each possible name - for name in possible_names: - value = os.environ.get(name) - if value: - return value - - return None - -# Get Neo4j credentials -AURA_CONNECTION_URI = get_credential("AURA_CONNECTION_URI") or get_credential("NEO4J_URI") -AURA_USERNAME = get_credential("AURA_USERNAME") or get_credential("NEO4J_USERNAME") -AURA_PASSWORD = get_credential("AURA_PASSWORD") or get_credential("NEO4J_PASSWORD") - -# Check if credentials are available -if not all([AURA_CONNECTION_URI, AURA_USERNAME, AURA_PASSWORD]): - missing = [] - if not AURA_CONNECTION_URI: - missing.append("AURA_CONNECTION_URI/NEO4J_URI") - if not AURA_USERNAME: - missing.append("AURA_USERNAME/NEO4J_USERNAME") - if not AURA_PASSWORD: - missing.append("AURA_PASSWORD/NEO4J_PASSWORD") - - error_message = f"Missing Neo4j credentials: {', '.join(missing)}" - print(f"ERROR: {error_message}") - raise ValueError(error_message) - -# Connect to Neo4j -try: - graph = Neo4jGraph( - url=AURA_CONNECTION_URI, - username=AURA_USERNAME, - password=AURA_PASSWORD, - ) - print("Successfully connected to Neo4j database") -except Exception as e: - error_message = f"Failed to connect to Neo4j: {str(e)}" - print(f"ERROR: {error_message}") - raise Exception(error_message) diff --git a/gradio_llm.py b/gradio_llm.py deleted file mode 100644 index f9a26021b9e7db828188a61ecfcb72eea10c0c11..0000000000000000000000000000000000000000 --- a/gradio_llm.py +++ /dev/null @@ -1,57 +0,0 @@ -""" -This module initializes the language model and embedding model without Streamlit dependencies. -""" - -import os -from dotenv import load_dotenv -from langchain_openai import ChatOpenAI, OpenAIEmbeddings - -# Load environment variables from the ifx-sandbox/.env file -PROJECT_DIR = os.path.dirname(os.path.abspath(__file__)) -ENV_FILE = os.path.join(PROJECT_DIR, ".env") -load_dotenv(ENV_FILE) -print(f"Loading environment variables from: {ENV_FILE}") - -# Get API keys from environment -def get_api_key(key_name): - """Get API key from environment variables only, no Streamlit""" - value = os.environ.get(key_name) - if value: - print(f"Found {key_name} in environment variables") - else: - print(f"WARNING: {key_name} not found in environment variables") - return value - -OPENAI_API_KEY = get_api_key("OPENAI_API_KEY") -OPENAI_MODEL = get_api_key("OPENAI_MODEL") or "gpt-4-turbo" - -if not OPENAI_API_KEY: - error_message = "OPENAI_API_KEY is not set in environment variables." - print(f"ERROR: {error_message}") - # Use a fallback API key for development testing, if available - fallback_key = os.environ.get("OPENAI_API_KEY_FALLBACK") - if fallback_key: - print("Using fallback API key for development") - OPENAI_API_KEY = fallback_key - else: - raise ValueError(error_message) - -# Create the LLM with better error handling -try: - llm = ChatOpenAI( - openai_api_key=OPENAI_API_KEY, - model=OPENAI_MODEL, - temperature=0.1, - streaming=True # Enable streaming for better response handling - ) - - # Create the Embedding model - embeddings = OpenAIEmbeddings( - openai_api_key=OPENAI_API_KEY - ) - - print(f"Successfully initialized OpenAI models (using {OPENAI_MODEL})") -except Exception as e: - error_message = f"Failed to initialize OpenAI models: {str(e)}" - print(f"ERROR: {error_message}") - raise Exception(error_message) diff --git a/gradio_utils.py b/gradio_utils.py deleted file mode 100644 index 1d844e443e7f448f4dfb9673272b398961cdebdf..0000000000000000000000000000000000000000 --- a/gradio_utils.py +++ /dev/null @@ -1,53 +0,0 @@ -""" -Utility functions for the Gradio-based chatbot application. -""" - -import uuid - -# Global state for session and user IDs -_session_id = None -_user_id = None - -def get_session_id(): - """ - Get the current session ID. - Creates a new ID if one doesn't exist. - """ - global _session_id - if _session_id is None: - _session_id = str(uuid.uuid4()) - return _session_id - -def get_user_id(): - """ - Get the current user ID. - Creates a new ID if one doesn't exist. - """ - global _user_id - if _user_id is None: - _user_id = str(uuid.uuid4()) - return _user_id - -def reset_ids(): - """ - Reset both session and user IDs. - Useful for testing or when starting a new session. - """ - global _session_id, _user_id - _session_id = None - _user_id = None - -def format_source_documents(source_documents): - """ - Format source documents for display. - """ - if not source_documents: - return None - - formatted_docs = [] - for i, doc in enumerate(source_documents): - if hasattr(doc, 'metadata') and doc.metadata: - source = doc.metadata.get('source', 'Unknown') - formatted_docs.append(f"Source {i+1}: {source}") - - return "\n".join(formatted_docs) if formatted_docs else None diff --git a/tools/__init__.py b/tools/__init__.py deleted file mode 100644 index e69de29bb2d1d6434b8b29ae775ad8c2e48c5391..0000000000000000000000000000000000000000 diff --git a/tools/cypher.py b/tools/cypher.py deleted file mode 100644 index 276b33149290b9ce3acd9d7fa4d239b1b74b65e6..0000000000000000000000000000000000000000 --- a/tools/cypher.py +++ /dev/null @@ -1,224 +0,0 @@ -import sys -import os -# Add parent directory to path to access gradio modules -sys.path.append(os.path.dirname(os.path.dirname(os.path.abspath(__file__)))) -from gradio_llm import llm -from gradio_graph import graph - -# Create the Cypher QA chain -from langchain_neo4j import GraphCypherQAChain -from langchain.prompts.prompt import PromptTemplate - -CYPHER_GENERATION_TEMPLATE = """ -You are an expert Neo4j Developer translating user questions into Cypher to answer questions about the 49ers team, players, games, fans, and communities. -Convert the user's question based on the schema. - -Use only the provided relationship types and properties in the schema. -Do not use any other relationship types or properties that are not provided. - -Do not return entire nodes or embedding properties. - -IMPORTANT: Always use case-insensitive comparisons in your Cypher queries by applying toLower() to both the property and the search string, or by using the =~ operator with (?i) for case-insensitive regex matching. This ensures that user queries match regardless of capitalization. - -Example Cypher Statements for 49ers Graph: - -1. Count All Nodes: -MATCH (n) -RETURN labels(n) AS nodeLabels, count(*) AS total - -2. List All Players: -MATCH (p:Player) -RETURN p.name AS playerName, p.position AS position, p.jersey_number AS jerseyNumber -ORDER BY p.jersey_number - -3. List All Games: -MATCH (g:Game) -RETURN g.game_id AS gameId, g.date AS date, g.location AS location, - g.home_team AS homeTeam, g.away_team AS awayTeam, g.result AS finalScore -ORDER BY g.date - -4. List All Fan Communities: -MATCH (c:Community) -RETURN c.fan_chapter_name, c.city, c.state -ORDER BY c.fan_chapter_name - -5. List All Fans: -MATCH (f:Fan) -RETURN f.fan_id AS fanId, f.first_name AS firstName, - f.last_name AS lastName, f.email AS email -LIMIT 20 - -6. Most Favorited Players: -MATCH (f:Fan)-[:FAVORITE_PLAYER]->(p:Player) -RETURN p.name AS playerName, count(f) AS fanCount -ORDER BY fanCount DESC -LIMIT 5 - -7. Communities with Most Members: -MATCH (f:Fan)-[:MEMBER_OF]->(c:Community) -RETURN c.fan_chapter_name AS chapterName, count(f) AS fanCount -ORDER BY fanCount DESC -LIMIT 5 - -8. Find Fans Favoriting a Specific Player & Community (Case-Insensitive): -MATCH (f:Fan)-[:FAVORITE_PLAYER]->(p:Player) -WHERE toLower(p.name) = toLower("Nick Bosa") -MATCH (f)-[:MEMBER_OF]->(c:Community) -WHERE toLower(c.fan_chapter_name) = toLower("Niner Empire Hawaii 808") -RETURN f.first_name AS firstName, f.last_name AS lastName, c.fan_chapter_name AS community - -9. Upcoming Home Games (Case-Insensitive): -MATCH (g:Game) -WHERE toLower(g.home_team) = toLower("San Francisco 49ers") -RETURN g.date AS date, g.location AS location, g.away_team AS awayTeam -ORDER BY date - -10. Past Game Results: -MATCH (g:Game) -WHERE g.result IS NOT NULL -RETURN g.date AS date, g.home_team AS home, g.away_team AS away, g.result AS finalScore -ORDER BY date DESC -LIMIT 5 - -11. Games Played at a Specific Location (Case-Insensitive): -MATCH (g:Game) -WHERE toLower(g.location) = toLower("Levi's Stadium") -RETURN g.date AS date, g.home_team AS homeTeam, g.away_team AS awayTeam, g.result AS finalScore - -12. Find Fans in a Specific Community (Case-Insensitive): -MATCH (f:Fan)-[:MEMBER_OF]->(c:Community) -WHERE toLower(c.fan_chapter_name) = toLower("Bay Area 49ers Fans") -RETURN f.first_name AS firstName, f.last_name AS lastName -ORDER BY lastName - -12b. Find Fans in a Community (Using Regex, Case-Insensitive): -MATCH (f:Fan)-[:MEMBER_OF]->(c:Community) -WHERE c.fan_chapter_name =~ '(?i).*bay area.*' -RETURN f.first_name AS firstName, f.last_name AS lastName -ORDER BY lastName - -13. Community Email Contacts: -MATCH (c:Community) -RETURN c.fan_chapter_name AS chapter, c.email_contact AS email -ORDER BY chapter - -14. Fans Without a Community: -MATCH (f:Fan) -WHERE NOT (f)-[:MEMBER_OF]->(:Community) -RETURN f.first_name AS firstName, f.last_name AS lastName, f.email AS email - -15. Case-Insensitive Player Search: -MATCH (p:Player) -WHERE toLower(p.position) = toLower("QB") // Case-insensitive position filter -RETURN p.name AS playerName, p.position AS position, p.jersey_number AS jerseyNumber -ORDER BY p.jersey_number - -16. Case-Insensitive Team Search: -MATCH (g:Game) -WHERE toLower(g.away_team) CONTAINS toLower("seahawks") // Case-insensitive team search -RETURN g.date AS date, g.home_team AS home, g.away_team AS away, g.result AS finalScore -ORDER BY date DESC - -Schema: -{schema} - -Question: -{question} -""" - - -cypher_prompt = PromptTemplate.from_template(CYPHER_GENERATION_TEMPLATE) - -cypher_qa = GraphCypherQAChain.from_llm( - llm, - graph=graph, - verbose=True, - cypher_prompt=cypher_prompt, - allow_dangerous_requests=True -) - -def cypher_qa_wrapper(input_text): - """Wrapper function to handle input format and potential errors""" - try: - # Log the incoming query for debugging - print(f"Processing query: {input_text}") - - # Process the query through the Cypher QA chain - result = cypher_qa.invoke({"query": input_text}) - - # If we have access to the generated Cypher query, we could modify it here - # to ensure case-insensitivity, but the GraphCypherQAChain already executes - # the query. Instead, we rely on the prompt engineering approach to ensure - # the LLM generates case-insensitive queries. - - # Log the result for debugging - if "intermediate_steps" in result: - generated_cypher = result["intermediate_steps"][0]["query"] - print(f"Generated Cypher query: {generated_cypher}") - - return result - except Exception as e: - print(f"Error in cypher_qa: {str(e)}") - return {"output": "I apologize, but I encountered an error while searching the database. Could you please rephrase your question?"} - - -''' Testing Utilities we might run later ''' -def run_test_query(query_name): - """Run predefined test queries from test_cases.txt - - Args: - query_name (str): Identifier for the query to run, e.g., "players", "games", "favorite_players" - - Returns: - dict: Results from the query execution - """ - test_queries = { - "count_nodes": """ - MATCH (n) - RETURN labels(n) AS nodeLabels, count(*) AS total - """, - "players": """ - MATCH (p:Player) - RETURN p.name AS playerName, p.position AS position, p.jersey_number AS jerseyNumber - ORDER BY p.jersey_number - """, - "games": """ - MATCH (g:Game) - RETURN g.date AS date, g.location AS location, g.home_team AS homeTeam, - g.away_team AS awayTeam, g.result AS finalScore - ORDER BY g.date - """, - "communities": """ - MATCH (c:Community) - RETURN c.fan_chapter_name AS chapterName, c.city AS city, c.state AS state, - c.email_contact AS contactEmail - ORDER BY c.fan_chapter_name - """, - "fans": """ - MATCH (f:Fan) - RETURN f.first_name AS firstName, f.last_name AS lastName, f.email AS email - LIMIT 20 - """, - "favorite_players": """ - MATCH (f:Fan)-[:FAVORITE_PLAYER]->(p:Player) - RETURN p.name AS playerName, count(f) AS fanCount - ORDER BY fanCount DESC - LIMIT 5 - """, - "community_members": """ - MATCH (f:Fan)-[:MEMBER_OF]->(c:Community) - RETURN c.fan_chapter_name AS chapterName, count(f) AS memberCount - ORDER BY memberCount DESC - """ - } - - if query_name in test_queries: - try: - # Execute the query directly using the graph connection - result = graph.query(test_queries[query_name]) - return {"output": result} - except Exception as e: - print(f"Error running test query '{query_name}': {str(e)}") - return {"output": f"Error running test query: {str(e)}"} - else: - return {"output": f"Test query '{query_name}' not found. Available queries: {', '.join(test_queries.keys())}"} diff --git a/tools/game_recap.py b/tools/game_recap.py deleted file mode 100644 index 5aa6fd539cee1c5d903333fb4730e981cce073a1..0000000000000000000000000000000000000000 --- a/tools/game_recap.py +++ /dev/null @@ -1,252 +0,0 @@ -""" -Game Recap - LangChain tool for retrieving and generating game recaps - -This module provides functions to: -1. Search for games in Neo4j based on natural language queries -2. Generate game recaps from the structured data -3. Return both text summaries and data for UI components -""" - -# Import Gradio-specific modules directly -import sys -import os -# Add parent directory to path to access gradio modules -sys.path.append(os.path.dirname(os.path.dirname(os.path.abspath(__file__)))) -from gradio_llm import llm -from gradio_graph import graph -from langchain_neo4j import GraphCypherQAChain -from langchain_core.prompts import PromptTemplate, ChatPromptTemplate - -# Create a global variable to store the last retrieved game data -# This is a workaround for LangChain dropping structured data -LAST_GAME_DATA = None - -# Function to get the cached game data -def get_last_game_data(): - global LAST_GAME_DATA - return LAST_GAME_DATA - -# Function to set the cached game data -def set_last_game_data(game_data): - global LAST_GAME_DATA - LAST_GAME_DATA = game_data - print(f"STORED GAME DATA IN CACHE: {game_data}") - -# Create the Cypher generation prompt for game search -GAME_SEARCH_TEMPLATE = """ -You are an expert Neo4j Developer translating user questions about NFL games into Cypher queries. -Your goal is to find a specific game in the database based on the user's description. - -Convert the user's question based on the schema. - -IMPORTANT NOTES: -1. Always return the FULL game node with ALL its properties. -2. Always use case-insensitive comparisons in your Cypher queries by applying toLower() to both the property and the search string. -3. If the question mentions a specific date, look for games on that date. -4. If the question mentions teams, look for games where those teams played. -5. If the question uses phrases like "last game", "most recent game", etc., you should add an ORDER BY clause. -6. NEVER use the embedding property in your queries. -7. ALWAYS include "g.game_id, g.date, g.location, g.home_team, g.away_team, g.result, g.summary, g.home_team_logo_url, g.away_team_logo_url, g.highlight_video_url" in your RETURN statement. - -Example Questions and Queries: - -1. "Tell me about the 49ers game against the Jets" -``` -MATCH (g:Game) -WHERE (toLower(g.home_team) CONTAINS toLower("49ers") AND toLower(g.away_team) CONTAINS toLower("Jets")) -OR (toLower(g.away_team) CONTAINS toLower("49ers") AND toLower(g.home_team) CONTAINS toLower("Jets")) -RETURN g.game_id, g.date, g.location, g.home_team, g.away_team, g.result, g.summary, - g.home_team_logo_url, g.away_team_logo_url, g.highlight_video_url -``` - -2. "What happened in the 49ers game on October 9th?" -``` -MATCH (g:Game) -WHERE (toLower(g.home_team) CONTAINS toLower("49ers") OR toLower(g.away_team) CONTAINS toLower("49ers")) -AND toLower(g.date) CONTAINS toLower("10/09") -RETURN g.game_id, g.date, g.location, g.home_team, g.away_team, g.result, g.summary, - g.home_team_logo_url, g.away_team_logo_url, g.highlight_video_url -``` - -3. "Show me the most recent 49ers game" -``` -MATCH (g:Game) -WHERE (toLower(g.home_team) CONTAINS toLower("49ers") OR toLower(g.away_team) CONTAINS toLower("49ers")) -RETURN g.game_id, g.date, g.location, g.home_team, g.away_team, g.result, g.summary, - g.home_team_logo_url, g.away_team_logo_url, g.highlight_video_url -ORDER BY g.date DESC -LIMIT 1 -``` - -Schema: -{schema} - -Question: -{question} -""" - -game_search_prompt = PromptTemplate.from_template(GAME_SEARCH_TEMPLATE) - -# Create the game recap generation prompt -GAME_RECAP_TEMPLATE = """ -You are a professional sports commentator for the NFL. Write an engaging and informative recap of the game described below. - -Game Details: -- Date: {date} -- Location: {location} -- Home Team: {home_team} -- Away Team: {away_team} -- Final Score: {result} -- Summary: {summary} - -Instructions: -1. Begin with an attention-grabbing opening that mentions both teams and the outcome. -2. Include key moments from the summary if available. -3. Mention the venue/location. -4. Conclude with what this means for the teams going forward. -5. Keep the tone professional and engaging - like an ESPN or NFL Network broadcast. -6. Write 2-3 paragraphs maximum. -7. If the 49ers are one of the teams, focus slightly more on their perspective. -8. IMPORTANT: Do NOT include any Markdown images, team logos, or links in your text response. Provide text only. - -Write your recap: -""" - -recap_prompt = PromptTemplate.from_template(GAME_RECAP_TEMPLATE) - -# Create the Cypher QA chain for game search -game_search = GraphCypherQAChain.from_llm( - llm, - graph=graph, - verbose=True, - cypher_prompt=game_search_prompt, - return_direct=True, # Return the raw results instead of passing through LLM - allow_dangerous_requests=True # Required to enable Cypher queries -) - -# Function to parse game data from Cypher result -def parse_game_data(result): - """Parse the game data from the Cypher result into a structured format.""" - if not result or not isinstance(result, list) or len(result) == 0: - return None - - game = result[0] - - # Extract home and away teams to determine winner - home_team = game.get('g.home_team', '') - away_team = game.get('g.away_team', '') - result_str = game.get('g.result', 'N/A') - - # Parse the score if available - home_score = away_score = 'N/A' - winner = None - - if result_str and result_str != 'N/A': - try: - scores = result_str.split('-') - if len(scores) == 2: - home_score = scores[0].strip() - away_score = scores[1].strip() - - # Determine winner - home_score_int = int(home_score) - away_score_int = int(away_score) - winner = 'home' if home_score_int > away_score_int else 'away' - except (ValueError, IndexError): - pass - - # Build the structured game data - game_data = { - 'game_id': game.get('g.game_id', ''), - 'date': game.get('g.date', ''), - 'location': game.get('g.location', ''), - 'home_team': home_team, - 'away_team': away_team, - 'home_score': home_score, - 'away_score': away_score, - 'result': result_str, - 'winner': winner, - 'summary': game.get('g.summary', ''), - 'home_team_logo_url': game.get('g.home_team_logo_url', ''), - 'away_team_logo_url': game.get('g.away_team_logo_url', ''), - 'highlight_video_url': game.get('g.highlight_video_url', '') - } - - return game_data - -# Function to generate a game recap using LLM -def generate_game_recap(game_data): - """Generate a natural language recap of the game using the LLM.""" - if not game_data: - return "I couldn't find information about that game." - - # Format the prompt with game data - formatted_prompt = recap_prompt.format( - date=game_data.get('date', 'N/A'), - location=game_data.get('location', 'N/A'), - home_team=game_data.get('home_team', 'N/A'), - away_team=game_data.get('away_team', 'N/A'), - result=game_data.get('result', 'N/A'), - summary=game_data.get('summary', 'N/A') - ) - - # Generate the recap using the LLM - recap = llm.invoke(formatted_prompt) - - return recap.content if hasattr(recap, 'content') else str(recap) - -# Main function to search for a game and generate a recap -def game_recap_qa(input_text): - """ - Search for a game based on the input text and generate a recap. - - Args: - input_text (str): Natural language query about a game - - Returns: - dict: Response containing text recap and structured game data - """ - try: - # Log the incoming query - print(f"Processing game recap query: {input_text}") - - # Search for the game - search_result = game_search.invoke({"query": input_text}) - - # Check if we have a result - if not search_result or not search_result.get('result'): - return { - "output": "I couldn't find information about that game. Could you provide more details?", - "game_data": None - } - - # Parse the game data - game_data = parse_game_data(search_result.get('result')) - - if not game_data: - return { - "output": "I found information about the game, but couldn't process it correctly.", - "game_data": None - } - - # Generate the recap - recap_text = generate_game_recap(game_data) - - # CRITICAL: Store the game data in our cache so it can be retrieved later - # This is a workaround for LangChain dropping structured data - set_last_game_data(game_data) - - # Return both the text and structured data - return { - "output": recap_text, - "game_data": game_data - } - - except Exception as e: - print(f"Error in game_recap_qa: {str(e)}") - import traceback - traceback.print_exc() - return { - "output": "I encountered an error while searching for the game. Please try again with a different query.", - "game_data": None - } \ No newline at end of file diff --git a/tools/player_search.py b/tools/player_search.py deleted file mode 100644 index b73c8c3b3b50b7372d7d867032e78c8a2c95082a..0000000000000000000000000000000000000000 --- a/tools/player_search.py +++ /dev/null @@ -1,259 +0,0 @@ -""" -Player Search - LangChain tool for retrieving player information from Neo4j - -This module provides functions to: -1. Search for players in Neo4j based on natural language queries. -2. Generate text summaries about players. -3. Return both text summaries and structured data for UI components. -""" - -# Import Gradio-specific modules directly -import sys -import os -# Add parent directory to path to access gradio modules -sys.path.append(os.path.dirname(os.path.dirname(os.path.abspath(__file__)))) -from gradio_llm import llm -from gradio_graph import graph -from langchain_neo4j import GraphCypherQAChain -from langchain_core.prompts import PromptTemplate - -# Create a global variable to store the last retrieved player data -# Workaround for LangChain dropping structured data -LAST_PLAYER_DATA = None - -# Function to get the cached player data -def get_last_player_data(): - global LAST_PLAYER_DATA - print(f"GETTING PLAYER DATA FROM CACHE: {LAST_PLAYER_DATA}") - return LAST_PLAYER_DATA - -# Function to set the cached player data -def set_last_player_data(player_data): - global LAST_PLAYER_DATA - LAST_PLAYER_DATA = player_data - print(f"STORED PLAYER DATA IN CACHE: {player_data}") - -# Clear the cache initially -set_last_player_data(None) - -# Create the Cypher generation prompt for player search -PLAYER_SEARCH_TEMPLATE = """ -You are an expert Neo4j Developer translating user questions about NFL players into Cypher queries. -Your goal is to find a specific player or group of players in the database based on the user's description. - -Convert the user's question based on the schema provided. - -IMPORTANT NOTES: -1. Always return the FULL player node with ALL its relevant properties for display. - Specifically include: `player_id`, `Name`, `Position`, `Jersey_number`, `College`, `Height`, `Weight`, `Years_in_nfl`, `headshot_url`, `instagram_url`, `highlight_video_url`. -2. Always use case-insensitive comparisons using `toLower()` for string properties like Name, Position, College. -3. If searching by name, use CONTAINS for flexibility (e.g., `toLower(p.Name) CONTAINS toLower("bosa")`). -4. If searching by number, ensure the number property (`p.Jersey_number`) is matched correctly (it's likely stored as an integer or string, check schema). -5. NEVER use the embedding property. -6. Limit results to 1 if the user asks for a specific player, but allow multiple for general queries (e.g., "list all QBs"). Default to LIMIT 5 if multiple results are possible and no limit is specified. - -Example Questions and Queries: - -1. "Who is Nick Bosa?" -``` -MATCH (p:Player) -WHERE toLower(p.Name) CONTAINS toLower("Nick Bosa") -RETURN p.player_id, p.Name, p.Position, p.Jersey_number, p.College, p.Height, p.Weight, p.Years_in_nfl, p.headshot_url, p.instagram_url, p.highlight_video_url -LIMIT 1 -``` - -2. "Tell me about player number 13" -``` -MATCH (p:Player) -WHERE p.Jersey_number = 13 OR p.Jersey_number = "13" // Adapt based on schema type -RETURN p.player_id, p.Name, p.Position, p.Jersey_number, p.College, p.Height, p.Weight, p.Years_in_nfl, p.headshot_url, p.instagram_url, p.highlight_video_url -LIMIT 1 -``` - -3. "List all quarterbacks" -``` -MATCH (p:Player) -WHERE toLower(p.Position) = toLower("QB") -RETURN p.player_id, p.Name, p.Position, p.Jersey_number, p.College, p.Height, p.Weight, p.Years_in_nfl, p.headshot_url, p.instagram_url, p.highlight_video_url -ORDER BY p.Name -LIMIT 5 -``` - -4. "Find players from Central Florida" -``` -MATCH (p:Player) -WHERE toLower(p.College) CONTAINS toLower("Central Florida") -RETURN p.player_id, p.Name, p.Position, p.Jersey_number, p.College, p.Height, p.Weight, p.Years_in_nfl, p.headshot_url, p.instagram_url, p.highlight_video_url -ORDER BY p.Name -LIMIT 5 -``` - -Schema: -{schema} - -Question: -{question} -""" - -player_search_prompt = PromptTemplate.from_template(PLAYER_SEARCH_TEMPLATE) - -# Create the player summary generation prompt -PLAYER_SUMMARY_TEMPLATE = """ -You are a helpful AI assistant providing information about an NFL player. -Based on the following data, write a concise 1-2 sentence summary. -Focus on their name, position, and maybe college or experience. - -Data: -- Name: {Name} -- Position: {Position} -- Number: {Jersey_number} -- College: {College} -- Experience (Years): {Years_in_nfl} - -Write the summary: -""" - -player_summary_prompt = PromptTemplate.from_template(PLAYER_SUMMARY_TEMPLATE) - -# Create the Cypher QA chain for player search -player_search_chain = GraphCypherQAChain.from_llm( - llm, - graph=graph, - verbose=True, - cypher_prompt=player_search_prompt, - return_direct=True, # Return raw results - allow_dangerous_requests=True -) - -# Function to parse player data from Cypher result -def parse_player_data(result): - """Parse the player data from the Cypher result into a structured dictionary.""" - if not result or not isinstance(result, list) or len(result) == 0: - print("Parsing player data: No result found.") - return None - - # Assuming the query returns one player row or we take the first if multiple - player = result[0] - print(f"Parsing player data: Raw result item: {player}") - - # Extract properties using the defined map, checking ONLY for the prefixed keys - parsed_data = {} - # Corrected key map to use lowercase property names matching Cypher output - key_map = { - # Key from Cypher result : Key for output dictionary - 'p.player_id': 'player_id', - 'p.name': 'Name', # Corrected case - 'p.position': 'Position', # Corrected case - 'p.jersey_number': 'Jersey_number', # Corrected case - 'p.college': 'College', # Corrected case - 'p.height': 'Height', # Corrected case - 'p.weight': 'Weight', # Corrected case - 'p.years_in_nfl': 'Years_in_nfl', # Corrected case - 'p.headshot_url': 'headshot_url', - 'p.instagram_url': 'instagram_url', - 'p.highlight_video_url': 'highlight_video_url' - } - - for cypher_key, dict_key in key_map.items(): - if cypher_key in player: - parsed_data[dict_key] = player[cypher_key] - # else: # Optional: Log if a specific key wasn't found - # print(f"Parsing player data: Key '{cypher_key}' not found in result.") - - # Ensure essential keys were successfully mapped - if 'Name' not in parsed_data or 'player_id' not in parsed_data: - print("Parsing player data: Essential keys ('Name', 'player_id') were not successfully mapped from result.") - print(f"Available keys in result: {list(player.keys())}") - return None - - print(f"Parsing player data: Parsed dictionary: {parsed_data}") - return parsed_data - -# Function to generate a player summary using LLM -def generate_player_summary(player_data): - """Generate a natural language summary of the player using the LLM.""" - if not player_data: - return "I couldn't retrieve enough information to summarize the player." - - try: - # Format the prompt with player data, providing defaults - formatted_prompt = player_summary_prompt.format( - Name=player_data.get('Name', 'N/A'), - Position=player_data.get('Position', 'N/A'), - Jersey_number=player_data.get('Jersey_number', 'N/A'), - College=player_data.get('College', 'N/A'), - Years_in_nfl=player_data.get('Years_in_nfl', 'N/A') - ) - - # Generate the summary using the LLM - summary = llm.invoke(formatted_prompt) - summary_content = summary.content if hasattr(summary, 'content') else str(summary) - print(f"Generated Player Summary: {summary_content}") - return summary_content - except Exception as e: - print(f"Error generating player summary: {str(e)}") - return f"Summary for {player_data.get('Name', 'this player')}." - -# Main function to search for a player and generate output -def player_search_qa(input_text: str) -> dict: - """ - Searches for a player based on input text, generates a summary, and returns data. - - Args: - input_text (str): Natural language query about a player. - - Returns: - dict: Response containing text summary and structured player data. - """ - global LAST_PLAYER_DATA - set_last_player_data(None) # Clear cache at the start of each call - - try: - # Log the incoming query - print(f"--- Processing Player Search Query: {input_text} ---") - - # Search for the player using the Cypher chain - search_result = player_search_chain.invoke({"query": input_text}) - print(f"Raw search result from chain: {search_result}") - - # Check if we have a result and it's not empty - if not search_result or not search_result.get('result') or not isinstance(search_result['result'], list) or len(search_result['result']) == 0: - print("Player Search: No results found in Neo4j.") - return { - "output": "I couldn't find information about that player. Could you be more specific or try a different name/number?", - "player_data": None - } - - # Parse the player data from the first result - player_data = parse_player_data(search_result['result']) - - if not player_data: - print("Player Search: Failed to parse data from Neo4j result.") - return { - "output": "I found some information, but couldn't process the player details correctly.", - "player_data": None - } - - # Generate the text summary - summary_text = generate_player_summary(player_data) - - # Store the structured data in the cache for the UI component - set_last_player_data(player_data) - - # Return both the text summary and the structured data - final_output = { - "output": summary_text, - "player_data": player_data # Include for potential direct use if caching fails - } - print(f"Final player_search_qa output: {final_output}") - return final_output - - except Exception as e: - print(f"Error in player_search_qa: {str(e)}") - import traceback - traceback.print_exc() - set_last_player_data(None) # Clear cache on error - return { - "output": "I encountered an error while searching for the player. Please try again.", - "player_data": None - } \ No newline at end of file diff --git a/tools/team_story.py b/tools/team_story.py deleted file mode 100644 index d6c8ee2fe6655d434277bbe2989b14724ced5ca0..0000000000000000000000000000000000000000 --- a/tools/team_story.py +++ /dev/null @@ -1,195 +0,0 @@ -""" -Tool for querying Neo4j about recent team news stories. -""" - -import os -import sys -import re # Import regex for cleaning Cypher query -from dotenv import load_dotenv -from langchain_core.prompts import PromptTemplate -# from langchain_openai import ChatOpenAI # No longer needed directly here -# from langchain_community.chains.graph_qa.cypher import GraphCypherQAChain # Removed import - -# Adjust path to import graph object and LLM from the parent directory -parent_dir = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) -if parent_dir not in sys.path: - sys.path.append(parent_dir) - -try: - from gradio_graph import graph # Import the configured graph instance - from gradio_llm import llm # Import the configured LLM instance -except ImportError as e: - print(f"Error importing graph or llm: {e}") - print("Please ensure gradio_graph.py and gradio_llm.py exist and are configured correctly.") - sys.exit(1) - -# Load environment variables if needed (though graph/llm should be configured) -load_dotenv() - -# Define the prompt for translating NL query to Cypher for Team Story -CYPHER_TEAM_STORY_GENERATION_TEMPLATE = """ -Task: Generate Cypher query to query a graph database for team news stories. -Instructions: -Use only the provided relationship types and properties in the schema. -Do not use any other relationship types or properties that are not provided. -Schema: -{schema} - -Based on the schema, generate a Cypher query that retrieves relevant :Team_Story nodes based on the user's question. -* Focus on searching the `summary` and `topic` properties of the :Team_Story node (aliased as `s`). -* Always `MATCH (s:Team_Story)` and potentially relate it `MATCH (s)-[:STORY_ABOUT]->(t:Team {{name: 'San Francisco 49ers'}})` if the query implies 49ers context. -* Use `toLower()` for case-insensitive matching on properties like `topic` or keywords in `summary`. -* Return relevant properties like `s.summary`, `s.link_to_article`, `s.topic`. -* Limit the results to a reasonable number (e.g., LIMIT 10). - -Note: Do not include any explanations or apologies in your responses. -Do not respond to any questions that might ask anything else than for you to construct a Cypher query. -Do not include any text except the generated Cypher query. Output ONLY the Cypher query. - -The question is: -{query} - -Cypher Query: -""" - -CYPHER_TEAM_STORY_GENERATION_PROMPT = PromptTemplate( - input_variables=["schema", "query"], template=CYPHER_TEAM_STORY_GENERATION_TEMPLATE -) - -# Placeholder for structured data caching -LAST_TEAM_STORY_DATA = [] - -def get_last_team_story_data(): - """Returns the structured data from the last team story query.""" - return LAST_TEAM_STORY_DATA - -def clean_cypher_query(query_text): - """ Basic cleaning of LLM-generated Cypher query. """ - # Remove ```cypher ... ``` markdown fences if present - match = re.search(r"```(?:cypher)?\s*(.*?)\s*```", query_text, re.DOTALL | re.IGNORECASE) - if match: - query = match.group(1).strip() - else: - query = query_text.strip() - # Remove potential leading/trailing quotes if the LLM added them - query = query.strip('"\'') - return query - -def team_story_qa(query: str) -> dict: - """ - Queries the Neo4j database for team news stories based on the user query. - Manually generates Cypher, executes it, and formats the results. - Args: - query: The natural language query from the user. - Returns: - A dictionary containing the 'output' text and structured 'team_story_data'. - """ - global LAST_TEAM_STORY_DATA - LAST_TEAM_STORY_DATA = [] # Clear previous results - structured_results = [] - output_text = "Sorry, I encountered an error trying to find team news." - - print(f"--- Running Team Story QA for query: {query} ---") - - try: - # 1. Generate Cypher query using LLM - print("Generating Cypher query...") - cypher_generation_result = llm.invoke( - CYPHER_TEAM_STORY_GENERATION_PROMPT.format( - schema=graph.schema, - query=query - ) - ) - generated_cypher = cypher_generation_result.content # Extract text content - cleaned_cypher = clean_cypher_query(generated_cypher) - print(f"Generated Cypher (cleaned):\n{cleaned_cypher}") - - # 2. Execute the generated Cypher query - if cleaned_cypher: - print("Executing Cypher query...") - # Assuming the generated query doesn't need parameters for now - # If parameters are needed, the prompt/parsing would need adjustment - neo4j_results = graph.query(cleaned_cypher) - print(f"Neo4j Results: {neo4j_results}") - - # 3. Process results and extract structured data - if neo4j_results: - for record in neo4j_results: - # Check if record is a dictionary (expected from graph.query) - if isinstance(record, dict): - story_data = { - 'summary': record.get('s.summary', 'Summary not available'), - 'link_to_article': record.get('s.link_to_article', '#'), - 'topic': record.get('s.topic', 'Topic not available') - } - # Basic check if data seems valid - if story_data['link_to_article'] != '#': - structured_results.append(story_data) - else: - print(f"Warning: Skipping unexpected record format: {record}") - else: - print("Warning: No Cypher query was generated.") - output_text = "I couldn't formulate a query to find the specific news you asked for." - - # --- Limit the number of results stored and returned --- # - MAX_STORIES_TO_SHOW = 3 - LAST_TEAM_STORY_DATA = structured_results[:MAX_STORIES_TO_SHOW] - # --- End limiting --- # - - # 4. Format the text output based on the limited structured results - if not LAST_TEAM_STORY_DATA: # Check the potentially limited list now - # Keep default error or no-query message unless results were empty after valid query - if cleaned_cypher and not neo4j_results: - output_text = "I found no specific news articles matching your query in the database." - elif not cleaned_cypher: - pass # Keep the "couldn't formulate" message - else: # Error occurred during query execution or processing - pass # Keep the default error message - else: - # Base the text output on the *limited* list - output_text = "Here's what I found related to your query:\n\n" - for i, story in enumerate(LAST_TEAM_STORY_DATA): # Iterate over the limited list - output_text += f"{i+1}. {story['summary']}\n[Link: {story['link_to_article']}]\n\n" - # Optionally, mention if more were found originally (before limiting) - if len(structured_results) > MAX_STORIES_TO_SHOW: - output_text += f"... displaying the top {MAX_STORIES_TO_SHOW} of {len(structured_results)} relevant articles found." - - except Exception as e: - import traceback - print(f"Error during team_story_qa: {e}") - print(traceback.format_exc()) # Print full traceback for debugging - output_text = "Sorry, I encountered an unexpected error trying to find team news." - LAST_TEAM_STORY_DATA = [] # Ensure cache is clear on error - - print(f"--- Team Story QA output: {output_text} ---") - print(f"--- Team Story QA structured data: {LAST_TEAM_STORY_DATA} ---") - - return {"output": output_text, "team_story_data": LAST_TEAM_STORY_DATA} - -# Example usage (for testing) -if __name__ == '__main__': - # Ensure graph and llm are available for standalone testing if needed - print("Testing team_story_qa...") - test_query = "What is the latest news about the 49ers draft?" - print(f"\nTesting with query: {test_query}") - response = team_story_qa(test_query) - print("\nResponse Text:") - print(response.get("output")) - # print("\nStructured Data:") - # print(response.get("team_story_data")) - - test_query_2 = "Any updates on the roster?" - print(f"\nTesting with query: {test_query_2}") - response_2 = team_story_qa(test_query_2) - print("\nResponse Text:") - print(response_2.get("output")) - # print("\nStructured Data:") - # print(response_2.get("team_story_data")) - - test_query_3 = "Tell me about non-existent news" - print(f"\nTesting with query: {test_query_3}") - response_3 = team_story_qa(test_query_3) - print("\nResponse Text:") - print(response_3.get("output")) - # print("\nStructured Data:") - # print(response_3.get("team_story_data")) \ No newline at end of file