Advertisement
Bewin

musicPlayer

Apr 2nd, 2025
405
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 27.43 KB | None | 0 0
  1. from tkinter import *
  2. from tkinter import filedialog
  3. from tkinter import ttk
  4. import customtkinter as ctk
  5. from pygame import mixer
  6. from mutagen.mp3 import MP3
  7. import numpy as np
  8. import threading
  9. import time
  10. import random
  11. import os
  12. from PIL import Image, ImageTk
  13.  
  14. # Set appearance mode and default theme
  15. ctk.set_appearance_mode("dark")
  16. ctk.set_default_color_theme("blue")
  17.  
  18.  
  19. class ModernPlayer:
  20.     def __init__(self, window):
  21.         self.window = window
  22.         window.geometry('900x650')
  23.         window.title('🎵 Modern MP3 Player')
  24.         window.minsize(800, 600)
  25.  
  26.         # Initialize mixer with a higher buffer for audio analysis
  27.         mixer.init(frequency=44100, size=-16, channels=2, buffer=4096)
  28.  
  29.         # Main frame
  30.         self.main_frame = ctk.CTkFrame(window)
  31.         self.main_frame.pack(fill=BOTH, expand=True, padx=20, pady=20)
  32.  
  33.         # Create sidebar for playlist
  34.         self.create_sidebar()
  35.  
  36.         # Create player controls area
  37.         self.create_player_controls()
  38.  
  39.         # Create visualization area
  40.         self.create_visualization_area()
  41.  
  42.         # Variables initialization
  43.         self.music_file = None
  44.         self.playing_state = False
  45.         self.song_length = 0
  46.         self.current_pos = 0
  47.         self.visualization_running = False
  48.         self.current_vis_style = "Bars"
  49.         self.playlist = []
  50.         self.current_song_index = -1
  51.         self.audio_data = np.zeros(40)  # Initialize audio data array
  52.         self.seeking = False  # Flag to prevent progress updates during seeking
  53.  
  54.         # Track song position for better seeking
  55.         self.song_start_time = 0
  56.         self.paused_position = 0
  57.         self.is_paused = False
  58.  
  59.         # Progress update timer
  60.         self.update_progress()
  61.  
  62.         # Create initial visualization items
  63.         self.visualization_items = []
  64.         self.initialize_visualization()
  65.  
  66.         # Setup audio analysis
  67.         self.setup_audio_analysis()
  68.  
  69.     def setup_audio_analysis(self):
  70.         # Create a separate thread for audio analysis
  71.         self.analysis_running = False
  72.         self.audio_thread = threading.Thread(target=self.analyze_audio)
  73.         self.audio_thread.daemon = True  # Thread will close when app closes
  74.  
  75.     def analyze_audio(self):
  76.         """Analyze the currently playing audio to extract intensity data"""
  77.         self.analysis_running = True
  78.  
  79.         # We'll use pygame's mixer to analyze the current sound buffer
  80.         while self.analysis_running:
  81.             if self.playing_state and mixer.music.get_busy():
  82.                 try:
  83.                     # Calculate a more complex intensity based on current position and song characteristics
  84.                     current_time = time.time()
  85.                     if self.is_paused:
  86.                         position = self.paused_position
  87.                     else:
  88.                         position = current_time - self.song_start_time + self.paused_position
  89.  
  90.                     # Generate and store frequency data (40 bands)
  91.                     for i in range(40):
  92.                         # More complex frequency simulation with beat detection
  93.                         # Add a beat every 0.5 seconds (120 BPM) with varying intensity
  94.                         beat_phase = (position * 2) % 1  # Normalized phase for beat (0-1)
  95.                         beat_intensity = max(0, 1 - beat_phase * 4) if beat_phase < 0.25 else 0
  96.  
  97.                         # Basic frequency intensity (different for each frequency band)
  98.                         freq_intensity = 0.3 + 0.5 * abs(np.sin(position + i * 0.1) *
  99.                                                          np.sin(position * 1.5 + i * 0.2))
  100.  
  101.                         # Combine beat and frequency intensity
  102.                         intensity = freq_intensity + beat_intensity * (0.8 if i < 8 else 0.2)
  103.  
  104.                         # Add some randomness to simulate actual audio
  105.                         intensity += random.uniform(-0.05, 0.05)
  106.                         intensity = max(0.05, min(1.0, intensity))  # Clamp values
  107.  
  108.                         # Apply smoothing
  109.                         self.audio_data[i] = self.audio_data[i] * 0.7 + intensity * 0.3
  110.  
  111.                 except Exception as e:
  112.                     print(f"Audio analysis error: {e}")
  113.                     # Reset audio data if there's an error
  114.                     self.audio_data = np.zeros(40)
  115.             else:
  116.                 # When not playing, slowly fade the visualization
  117.                 self.audio_data = self.audio_data * 0.95
  118.                 if all(x < 0.05 for x in self.audio_data):
  119.                     self.audio_data = np.zeros(40)
  120.  
  121.             # Sleep to prevent high CPU usage
  122.             time.sleep(0.05)
  123.  
  124.     def create_sidebar(self):
  125.         # Sidebar frame
  126.         self.sidebar = ctk.CTkFrame(self.main_frame, width=250)
  127.         self.sidebar.pack(side=LEFT, fill=Y, padx=(0, 20), pady=0)
  128.  
  129.         # Playlist label
  130.         playlist_label = ctk.CTkLabel(self.sidebar, text="PLAYLIST", font=("Arial", 16, "bold"))
  131.         playlist_label.pack(pady=(20, 10), padx=10)
  132.  
  133.         # Add button
  134.         self.add_button = ctk.CTkButton(self.sidebar, text="+ Add Songs", command=self.add_to_playlist)
  135.         self.add_button.pack(pady=(0, 10), padx=20, fill=X)
  136.  
  137.         # Clear button
  138.         self.clear_button = ctk.CTkButton(self.sidebar, text="Clear Playlist",
  139.                                           command=self.clear_playlist, fg_color="#FF5555", hover_color="#FF3333")
  140.         self.clear_button.pack(pady=(0, 20), padx=20, fill=X)
  141.  
  142.         # Playlist container with scrollbar
  143.         playlist_container = ctk.CTkFrame(self.sidebar)
  144.         playlist_container.pack(fill=BOTH, expand=True, padx=10, pady=(0, 10))
  145.  
  146.         # Scrollable frame for playlist items
  147.         self.playlist_frame = ctk.CTkScrollableFrame(playlist_container)
  148.         self.playlist_frame.pack(fill=BOTH, expand=True)
  149.  
  150.     def create_player_controls(self):
  151.         # Right side (player) container
  152.         self.player_frame = ctk.CTkFrame(self.main_frame)
  153.         self.player_frame.pack(side=RIGHT, fill=BOTH, expand=True)
  154.  
  155.         # Now playing area
  156.         self.now_playing_frame = ctk.CTkFrame(self.player_frame)
  157.         self.now_playing_frame.pack(fill=X, padx=20, pady=20)
  158.  
  159.         # Song label
  160.         self.song_label = ctk.CTkLabel(self.now_playing_frame, text="No song loaded",
  161.                                        font=("Arial", 18, "bold"))
  162.         self.song_label.pack(pady=10)
  163.  
  164.         # Artist label (placeholder for ID3 tag support)
  165.         self.artist_label = ctk.CTkLabel(self.now_playing_frame, text="", font=("Arial", 14))
  166.         self.artist_label.pack(pady=(0, 10))
  167.  
  168.         # Progress bar and time labels
  169.         self.progress_frame = ctk.CTkFrame(self.player_frame)
  170.         self.progress_frame.pack(fill=X, padx=20, pady=(0, 20))
  171.  
  172.         # Time labels
  173.         self.time_frame = ctk.CTkFrame(self.progress_frame, fg_color="transparent")
  174.         self.time_frame.pack(fill=X, pady=(0, 5))
  175.  
  176.         self.current_time_label = ctk.CTkLabel(self.time_frame, text="0:00")
  177.         self.current_time_label.pack(side=LEFT)
  178.  
  179.         self.total_time_label = ctk.CTkLabel(self.time_frame, text="0:00")
  180.         self.total_time_label.pack(side=RIGHT)
  181.  
  182.         # Progress slider with improved interaction
  183.         self.progress_slider = ctk.CTkSlider(self.progress_frame, from_=0, to=100)
  184.         self.progress_slider.pack(fill=X, pady=(0, 10))
  185.         self.progress_slider.set(0)
  186.  
  187.         # Bind events for better seeking experience
  188.         self.progress_slider.bind("<Button-1>", self.start_seek)
  189.         self.progress_slider.bind("<ButtonRelease-1>", self.end_seek)
  190.  
  191.         # Controls frame
  192.         self.controls_frame = ctk.CTkFrame(self.player_frame)
  193.         self.controls_frame.pack(fill=X, padx=20, pady=(0, 20))
  194.  
  195.         # Button styles
  196.         button_width = 40
  197.         button_height = 40
  198.  
  199.         # Button row
  200.         self.button_row = ctk.CTkFrame(self.controls_frame, fg_color="transparent")
  201.         self.button_row.pack(pady=10)
  202.  
  203.         # Previous button
  204.         self.prev_btn = ctk.CTkButton(self.button_row, text="⏮", width=button_width, height=button_height,
  205.                                       command=self.previous_song, font=("Arial", 16))
  206.         self.prev_btn.grid(row=0, column=0, padx=10)
  207.  
  208.         # Play button
  209.         self.play_btn = ctk.CTkButton(self.button_row, text="▶", width=button_width * 1.5, height=button_height * 1.5,
  210.                                       command=self.play, font=("Arial", 20))
  211.         self.play_btn.grid(row=0, column=1, padx=10)
  212.  
  213.         # Pause button
  214.         self.pause_btn = ctk.CTkButton(self.button_row, text="⏸", width=button_width, height=button_height,
  215.                                        command=self.pause, font=("Arial", 16))
  216.         self.pause_btn.grid(row=0, column=2, padx=10)
  217.  
  218.         # Stop button
  219.         self.stop_btn = ctk.CTkButton(self.button_row, text="⏹", width=button_width, height=button_height,
  220.                                       command=self.stop, font=("Arial", 16))
  221.         self.stop_btn.grid(row=0, column=3, padx=10)
  222.  
  223.         # Next button
  224.         self.next_btn = ctk.CTkButton(self.button_row, text="⏭", width=button_width, height=button_height,
  225.                                       command=self.next_song, font=("Arial", 16))
  226.         self.next_btn.grid(row=0, column=4, padx=10)
  227.  
  228.         # Volume and visualization control row
  229.         self.controls_bottom = ctk.CTkFrame(self.controls_frame, fg_color="transparent")
  230.         self.controls_bottom.pack(pady=(10, 0), fill=X)
  231.  
  232.         # Volume icon (placeholder - normally an image would be better)
  233.         self.volume_icon = ctk.CTkLabel(self.controls_bottom, text="🔊", font=("Arial", 14))
  234.         self.volume_icon.pack(side=LEFT, padx=(0, 10))
  235.  
  236.         # Volume slider
  237.         self.volume_slider = ctk.CTkSlider(self.controls_bottom, from_=0, to=100, command=self.set_volume)
  238.         self.volume_slider.pack(side=LEFT, fill=X, expand=True, padx=(0, 20))
  239.         self.volume_slider.set(50)  # Default volume
  240.  
  241.         # Visualization style selector
  242.         vis_label = ctk.CTkLabel(self.controls_bottom, text="Visualization:", font=("Arial", 14))
  243.         vis_label.pack(side=LEFT, padx=(0, 10))
  244.  
  245.         self.vis_styles = ["Bars", "Circles", "Wave", "Particles"]
  246.         self.vis_style_var = StringVar(value=self.vis_styles[0])
  247.  
  248.         self.vis_style_menu = ctk.CTkOptionMenu(self.controls_bottom, values=self.vis_styles,
  249.                                                 variable=self.vis_style_var, command=self.update_visualization_style)
  250.         self.vis_style_menu.pack(side=LEFT)
  251.  
  252.     def create_visualization_area(self):
  253.         # Visualization frame
  254.         self.vis_container = ctk.CTkFrame(self.player_frame)
  255.         self.vis_container.pack(fill=BOTH, expand=True, padx=20, pady=(0, 20))
  256.  
  257.         # Canvas for visualization
  258.         self.canvas = Canvas(self.vis_container, bg="#111111", highlightthickness=0)
  259.         self.canvas.pack(fill=BOTH, expand=True, padx=2, pady=2)
  260.  
  261.     def add_to_playlist(self):
  262.         files = filedialog.askopenfilenames(filetypes=[("MP3 Files", "*.mp3")])
  263.         for file in files:
  264.             self.playlist.append(file)
  265.             # Get just the filename without the path
  266.             filename = os.path.basename(file)
  267.  
  268.             # Create a frame for this playlist item
  269.             item_frame = ctk.CTkFrame(self.playlist_frame)
  270.             item_frame.pack(fill=X, pady=2)
  271.  
  272.             # Add song name label
  273.             song_label = ctk.CTkLabel(item_frame, text=filename, anchor="w",
  274.                                       font=("Arial", 12))
  275.             song_label.pack(side=LEFT, padx=10, pady=8, fill=X, expand=True)
  276.  
  277.             # Add index to the list
  278.             index = len(self.playlist) - 1
  279.  
  280.             # Add play button for this item
  281.             play_btn = ctk.CTkButton(item_frame, text="▶", width=30, height=30,
  282.                                      command=lambda idx=index: self.play_from_playlist(idx))
  283.             play_btn.pack(side=RIGHT, padx=5)
  284.  
  285.         # If this is the first song added, select it
  286.         if len(self.playlist) == 1:
  287.             self.current_song_index = 0
  288.             self.load_current_song()
  289.  
  290.         # Start audio analysis thread if not already running
  291.         if not self.analysis_running and not self.audio_thread.is_alive():
  292.             self.audio_thread.start()
  293.  
  294.     def clear_playlist(self):
  295.         self.playlist = []
  296.         self.current_song_index = -1
  297.  
  298.         # Clear the playlist frame
  299.         for widget in self.playlist_frame.winfo_children():
  300.             widget.destroy()
  301.  
  302.         # Reset player
  303.         self.stop()
  304.         self.song_label.configure(text="No song loaded")
  305.         self.artist_label.configure(text="")
  306.  
  307.     def play_from_playlist(self, index):
  308.         self.current_song_index = index
  309.         self.load_current_song()
  310.         self.play()
  311.  
  312.     def load_current_song(self):
  313.         if 0 <= self.current_song_index < len(self.playlist):
  314.             self.music_file = self.playlist[self.current_song_index]
  315.             if self.music_file:
  316.                 # Extract just the filename without path or extension
  317.                 filename = os.path.basename(self.music_file)
  318.                 self.song_label.configure(text=filename)
  319.  
  320.                 try:
  321.                     # Get song duration
  322.                     audio = MP3(self.music_file)
  323.                     self.song_length = audio.info.length
  324.  
  325.                     # Format total time
  326.                     mins, secs = divmod(int(self.song_length), 60)
  327.                     self.total_time_label.configure(text=f"{mins}:{secs:02d}")
  328.  
  329.                     # Try to get ID3 tag info
  330.                     if hasattr(audio, 'tags') and audio.tags:
  331.                         if 'TPE1' in audio.tags:  # Artist
  332.                             self.artist_label.configure(text=str(audio.tags['TPE1']))
  333.                         else:
  334.                             self.artist_label.configure(text="Unknown Artist")
  335.                     else:
  336.                         self.artist_label.configure(text="Unknown Artist")
  337.                 except Exception as e:
  338.                     print(f"Error loading MP3 metadata: {e}")
  339.                     self.song_length = 0
  340.                     self.total_time_label.configure(text="0:00")
  341.  
  342.     def next_song(self):
  343.         if self.playlist:
  344.             self.current_song_index = (self.current_song_index + 1) % len(self.playlist)
  345.             self.load_current_song()
  346.             if self.playing_state:
  347.                 self.play()
  348.  
  349.     def previous_song(self):
  350.         if self.playlist:
  351.             self.current_song_index = (self.current_song_index - 1) % len(self.playlist)
  352.             self.load_current_song()
  353.             if self.playing_state:
  354.                 self.play()
  355.  
  356.     def start_seek(self, event):
  357.         """Called when the user clicks on the progress slider"""
  358.         self.seeking = True
  359.  
  360.     def end_seek(self, event):
  361.         """Called when the user releases the progress slider"""
  362.         if self.song_length > 0 and self.music_file:
  363.             # Get slider position
  364.             position_percent = self.progress_slider.get()
  365.             position_seconds = (position_percent / 100) * self.song_length
  366.  
  367.             # Update display
  368.             self.current_pos = position_seconds
  369.             mins, secs = divmod(int(position_seconds), 60)
  370.             self.current_time_label.configure(text=f"{mins}:{secs:02d}")
  371.  
  372.             # Actually seek in the song if playing
  373.             if self.playing_state:
  374.                 # Stop the current playback
  375.                 mixer.music.stop()
  376.                 # Reload and play from new position
  377.                 mixer.music.load(self.music_file)
  378.                 mixer.music.play(start=position_seconds)
  379.  
  380.                 # Update our tracking variables for position
  381.                 self.paused_position = position_seconds
  382.                 self.song_start_time = time.time()
  383.  
  384.         # Resume progress updates
  385.         self.seeking = False
  386.  
  387.     def update_progress(self):
  388.         # Update current position if playing and not seeking
  389.         if self.playing_state and not self.seeking:
  390.             if self.is_paused:
  391.                 current_time = self.paused_position
  392.             else:
  393.                 current_time = time.time() - self.song_start_time + self.paused_position
  394.  
  395.             if current_time >= 0:
  396.                 # Update the current position
  397.                 self.current_pos = current_time
  398.  
  399.                 # Update progress slider
  400.                 if self.song_length > 0:
  401.                     progress_percent = (self.current_pos / self.song_length) * 100
  402.                     self.progress_slider.set(min(100, progress_percent))  # Ensure we don't exceed 100%
  403.  
  404.                 # Update time label
  405.                 mins, secs = divmod(int(self.current_pos), 60)
  406.                 self.current_time_label.configure(text=f"{mins}:{secs:02d}")
  407.  
  408.                 # Check if song ended based on our time tracking
  409.                 if self.current_pos >= self.song_length and not mixer.music.get_busy():
  410.                     # Song ended, play next song
  411.                     self.next_song()
  412.  
  413.         # Schedule next update
  414.         self.window.after(1000, self.update_progress)
  415.  
  416.     def initialize_visualization(self):
  417.         # Clear any existing visualization
  418.         for item in self.visualization_items:
  419.             self.canvas.delete(item)
  420.         self.visualization_items = []
  421.  
  422.         width = self.canvas.winfo_width() or 750
  423.         height = self.canvas.winfo_height() or 200
  424.  
  425.         # Initial setup based on visualization style
  426.         if self.current_vis_style == "Bars":
  427.             # Create 40 bars
  428.             bar_width = width / 50
  429.             for i in range(40):
  430.                 x = i * (bar_width + 2) + 10
  431.                 bar = self.canvas.create_rectangle(x, height, x + bar_width, height, fill="#0077ff", outline="")
  432.                 self.visualization_items.append(bar)
  433.  
  434.         elif self.current_vis_style == "Circles":
  435.             # Create 20 circles
  436.             for i in range(20):
  437.                 x = width / 2
  438.                 y = height / 2
  439.                 circle = self.canvas.create_oval(x - 5, y - 5, x + 5, y + 5, fill="#00ff77", outline="")
  440.                 self.visualization_items.append(circle)
  441.  
  442.         elif self.current_vis_style == "Wave":
  443.             # Create a single line with 100 points
  444.             points = [10, height / 2] * 100  # Initial flat line
  445.             wave = self.canvas.create_line(points, fill="#ff5500", width=2, smooth=True)
  446.             self.visualization_items.append(wave)
  447.  
  448.         elif self.current_vis_style == "Particles":
  449.             # Create 80 small particles
  450.             for i in range(80):
  451.                 x = random.randint(10, width - 10)
  452.                 y = random.randint(10, height - 10)
  453.                 particle = self.canvas.create_oval(x - 2, y - 2, x + 2, y + 2, fill="#ffff00", outline="")
  454.                 self.visualization_items.append(particle)
  455.  
  456.         # Start visualization if not already running
  457.         if not self.visualization_running:
  458.             self.visualization_running = True
  459.             self.animate_visualization()
  460.  
  461.     def update_visualization_style(self, new_style):
  462.         self.current_vis_style = new_style
  463.         self.initialize_visualization()
  464.  
  465.     def animate_visualization(self):
  466.         if not self.visualization_running:
  467.             return
  468.  
  469.         width = self.canvas.winfo_width() or 750
  470.         height = self.canvas.winfo_height() or 200
  471.  
  472.         # Use the audio data from our analyzer
  473.         values = self.audio_data
  474.  
  475.         # Update visualization based on style
  476.         if self.current_vis_style == "Bars":
  477.             for i, item in enumerate(self.visualization_items):
  478.                 if i < len(values):
  479.                     val = values[i % len(values)]
  480.                     bar_height = val * height * 0.8
  481.                     self.canvas.coords(item,
  482.                                        self.canvas.coords(item)[0],
  483.                                        height - bar_height,
  484.                                        self.canvas.coords(item)[2],
  485.                                        height)
  486.                     # Change color based on height
  487.                     r = int(min(255, val * 255 * 2))
  488.                     g = int(min(255, (1 - val) * 255 * 2))
  489.                     b = int(min(255, val * val * 255 * 3))
  490.                     color = f'#{r:02x}{g:02x}{b:02x}'
  491.                     self.canvas.itemconfig(item, fill=color)
  492.  
  493.         elif self.current_vis_style == "Circles":
  494.             center_x = width / 2
  495.             center_y = height / 2
  496.             for i, item in enumerate(self.visualization_items):
  497.                 if i < len(values):
  498.                     # Calculate position on a circle with varying radius
  499.                     angle = (i / len(self.visualization_items)) * 2 * np.pi
  500.                     radius = values[i % len(values)] * height * 0.4
  501.                     x = center_x + np.cos(angle + time.time()) * radius
  502.                     y = center_y + np.sin(angle + time.time()) * radius
  503.                     size = values[i % len(values)] * 15
  504.                     self.canvas.coords(item, x - size, y - size, x + size, y + size)
  505.  
  506.                     # Change color based on audio intensity
  507.                     intensity = values[i % len(values)]
  508.                     hue = (i / len(self.visualization_items) * 360 + time.time() * 20) % 360
  509.                     # Convert HSV to RGB (simplified)
  510.                     h = hue / 60
  511.                     c = intensity * 0.8 + 0.2  # Keep some color even at low intensities
  512.                     x_val = c * (1 - abs(h % 2 - 1))
  513.  
  514.                     r, g, b = 0, 0, 0
  515.                     if 0 <= h < 1:
  516.                         r, g, b = c, x_val, 0
  517.                     elif 1 <= h < 2:
  518.                         r, g, b = x_val, c, 0
  519.                     elif 2 <= h < 3:
  520.                         r, g, b = 0, c, x_val
  521.                     elif 3 <= h < 4:
  522.                         r, g, b = 0, x_val, c
  523.                     elif 4 <= h < 5:
  524.                         r, g, b = x_val, 0, c
  525.                     elif 5 <= h < 6:
  526.                         r, g, b = c, 0, x_val
  527.  
  528.                     color = f'#{int(r * 255):02x}{int(g * 255):02x}{int(b * 255):02x}'
  529.                     self.canvas.itemconfig(item, fill=color)
  530.  
  531.         elif self.current_vis_style == "Wave":
  532.             if self.visualization_items:
  533.                 points = []
  534.                 for i in range(100):
  535.                     x = i * width / 99
  536.                     # Create wave with intensity from audio
  537.                     t = time.time()
  538.  
  539.                     # Use audio data to influence wave height
  540.                     segment_idx = min(int(i / 100 * len(values)), len(values) - 1)
  541.                     intensity = values[segment_idx]
  542.  
  543.                     y1 = np.sin(i / 10 + t * 5) * intensity * height * 0.3
  544.                     y2 = np.sin(i / 5 - t * 3) * intensity * height * 0.2
  545.                     y = height / 2 + y1 + y2
  546.                     points.extend([x, y])
  547.  
  548.                 self.canvas.coords(self.visualization_items[0], points)
  549.  
  550.                 # Change color based on overall intensity
  551.                 avg_intensity = np.mean(values)
  552.                 r = int(255 * avg_intensity)
  553.                 g = int(128 + 127 * np.sin(time.time()))
  554.                 b = int(255 * (1 - avg_intensity))
  555.                 color = f'#{r:02x}{g:02x}{b:02x}'
  556.                 self.canvas.itemconfig(self.visualization_items[0], fill=color, width=1 + avg_intensity * 5)
  557.  
  558.         elif self.current_vis_style == "Particles":
  559.             avg_intensity = np.mean(values)
  560.             for i, item in enumerate(self.visualization_items):
  561.                 if i < len(values):
  562.                     # Get current position
  563.                     coords = self.canvas.coords(item)
  564.                     if coords:
  565.                         x = (coords[0] + coords[2]) / 2
  566.                         y = (coords[1] + coords[3]) / 2
  567.  
  568.                         # Calculate new position with audio reactivity
  569.                         center_x, center_y = width / 2, height / 2
  570.  
  571.                         # More energetic movement with higher audio intensity
  572.                         intensity_factor = values[i % len(values)] * 2
  573.  
  574.                         dx = (center_x - x) * 0.01 + (random.random() - 0.5) * 10 * intensity_factor
  575.                         dy = (center_y - y) * 0.01 + (random.random() - 0.5) * 10 * intensity_factor
  576.  
  577.                         x += dx
  578.                         y += dy
  579.  
  580.                         # Keep particles within bounds
  581.                         x = max(5, min(width - 5, x))
  582.                         y = max(5, min(height - 5, y))
  583.  
  584.                         # Size based on value and overall intensity
  585.                         size = 2 + values[i % len(values)] * 8 * (0.5 + avg_intensity)
  586.  
  587.                         self.canvas.coords(item, x - size / 2, y - size / 2, x + size / 2, y + size / 2)
  588.  
  589.                         # Color based on position, value, and intensity
  590.                         r = int(min(255, avg_intensity * 255))
  591.                         g = int(min(255, values[i % len(values)] * 255))
  592.                         b = int(min(255, (1 - avg_intensity) * 255))
  593.                         color = f'#{r:02x}{g:02x}{b:02x}'
  594.                         self.canvas.itemconfig(item, fill=color)
  595.  
  596.         # Schedule the next update
  597.         if self.visualization_running:
  598.             self.canvas.after(50, self.animate_visualization)
  599.  
  600.     def set_volume(self, volume):
  601.         mixer.music.set_volume(float(volume) / 100)
  602.  
  603.     def play(self):
  604.         if self.music_file:
  605.             if self.is_paused:
  606.                 # Resume from paused position
  607.                 mixer.music.unpause()
  608.                 self.is_paused = False
  609.                 self.song_start_time = time.time() - self.paused_position
  610.             else:
  611.                 # Start playing from the beginning or from a specific position
  612.                 mixer.music.load(self.music_file)
  613.                 start_pos = self.paused_position if self.paused_position > 0 else 0
  614.                 mixer.music.play(start=start_pos)
  615.                 self.song_start_time = time.time() - start_pos
  616.  
  617.             self.playing_state = True
  618.             self.play_btn.configure(fg_color="#44BB44")  # Change button color
  619.             self.play_btn.configure(text="⏸", command=self.pause)  # Update button
  620.  
  621.     def pause(self):
  622.         if self.playing_state:
  623.             if not self.is_paused:
  624.                 mixer.music.pause()
  625.                 self.is_paused = True
  626.                 self.paused_position = time.time() - self.song_start_time
  627.  
  628.                 self.playing_state = False
  629.                 self.play_btn.configure(fg_color="#3B8ED0")  # Reset button color
  630.                 self.play_btn.configure(text="▶", command=self.play)  # Update button
  631.             else:
  632.                 # Resume from paused position
  633.                 self.play()
  634.  
  635.     def stop(self):
  636.         mixer.music.stop()
  637.         self.playing_state = False
  638.         self.is_paused = False
  639.         self.paused_position = 0
  640.         self.play_btn.configure(text="▶", fg_color="#3B8ED0", command=self.play)  # Reset button
  641.         self.current_pos = 0
  642.         self.progress_slider.set(0)
  643.         self.current_time_label.configure(text="0:00")
  644.  
  645.  
  646. # Run the application
  647. if __name__ == "__main__":
  648.     root = ctk.CTk()
  649.     app = ModernPlayer(root)
  650.     root.mainloop()
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement