Advertisement
cookertron

Python Pygame OpenGL Particle Demo

Apr 2nd, 2025 (edited)
318
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 17.77 KB | Source Code | 0 0
  1. import pygame
  2. from pygame.locals import *
  3. import random
  4. import math
  5. import colorsys
  6. import numpy as np
  7. import ctypes # Needed for c_void_p
  8.  
  9. # Import OpenGL specific modules
  10. from OpenGL.GL import *
  11. from OpenGL.GL import shaders
  12. # PyOpenGL_accelerate might improve performance if available
  13. try:
  14.     from OpenGL.GL.ARB.vertex_buffer_object import *
  15.     _VBO_SUPPORT = True
  16. except ImportError:
  17.     _VBO_SUPPORT = False
  18.     print("VBO support not found. Performance may be reduced.")
  19.  
  20.  
  21. # --- Shader Code ---
  22. VERTEX_SHADER = """
  23. #version 330 core
  24. layout (location = 0) in vec2 aPos;      // Vertex position (x, y)
  25. layout (location = 1) in vec4 aColor;    // Vertex color (r, g, b, a)
  26. layout (location = 2) in float aSize;     // Vertex size
  27.  
  28. out vec4 vColor; // Pass color to fragment shader
  29.  
  30. uniform mat4 projection; // Projection matrix
  31.  
  32. void main()
  33. {
  34.    gl_Position = projection * vec4(aPos.x, aPos.y, 0.0, 1.0);
  35.    gl_PointSize = aSize; // Set the point size
  36.    vColor = aColor;      // Pass color through
  37. }
  38. """
  39.  
  40. FRAGMENT_SHADER = """
  41. #version 330 core
  42. in vec4 vColor; // Receive color from vertex shader
  43. out vec4 FragColor; // Output fragment color
  44.  
  45. void main()
  46. {
  47.    // Optional: Make points round instead of square
  48.    // vec2 coord = gl_PointCoord - vec2(0.5);
  49.    // if(length(coord) > 0.5) {
  50.    //     discard;
  51.    // }
  52.    FragColor = vColor; // Output the interpolated color
  53. }
  54. """
  55.  
  56. # --- OpenGL Helper Functions ---
  57.  
  58. def create_shader_program():
  59.     """Compiles and links the vertex and fragment shaders."""
  60.     try:
  61.         vertex_shader = shaders.compileShader(VERTEX_SHADER, GL_VERTEX_SHADER)
  62.         fragment_shader = shaders.compileShader(FRAGMENT_SHADER, GL_FRAGMENT_SHADER)
  63.         program = shaders.compileProgram(vertex_shader, fragment_shader)
  64.         return program
  65.     except shaders.ShaderCompilationError as e:
  66.         print("Shader compilation error:")
  67.         # Attempt to decode error message if bytes
  68.         error_msg = e.args[0]
  69.         if isinstance(error_msg, bytes):
  70.             try:
  71.                 error_msg = error_msg.decode()
  72.             except UnicodeDecodeError:
  73.                 error_msg = str(error_msg) # Fallback if decoding fails
  74.         print(error_msg)
  75.         print("Source:")
  76.         # Attempt to decode source if bytes
  77.         shader_source = e.source
  78.         if isinstance(shader_source, bytes):
  79.              try:
  80.                  shader_source = shader_source.decode()
  81.              except UnicodeDecodeError:
  82.                  shader_source = str(shader_source) # Fallback
  83.         print(shader_source)
  84.         raise
  85.  
  86. def create_orthographic_matrix(left, right, bottom, top, near, far):
  87.     """Creates an orthographic projection matrix."""
  88.     matrix = np.identity(4, dtype=np.float32)
  89.     matrix[0, 0] = 2.0 / (right - left)
  90.     matrix[1, 1] = 2.0 / (top - bottom)
  91.     matrix[2, 2] = -2.0 / (far - near)
  92.     matrix[0, 3] = -(right + left) / (right - left)
  93.     matrix[1, 3] = -(top + bottom) / (top - bottom)
  94.     matrix[2, 3] = -(far + near) / (far - near)
  95.     return matrix
  96.  
  97. # --- Constants ---
  98. WIDTH, HEIGHT = 1000, 700
  99.  
  100. # --- Particle Class (Physics logic remains mostly the same) ---
  101. class Particle:
  102.     def __init__(self, x, y, color, size=2, velocity=None, life=None):
  103.         self.x = float(x) # Ensure float
  104.         self.y = float(y) # Ensure float
  105.         self.original_color_rgb = color[:3] # Store RGB separately
  106.         self.alpha = float(color[3] / 255.0) # Store alpha as 0.0-1.0
  107.         self.size = float(size)
  108.         self.original_size = float(size)
  109.         self.life = float(life if life else random.randint(50, 200)) # Adjusted life for GL
  110.         self.max_life = float(self.life)
  111.         self.velocity = velocity if velocity else [random.uniform(-1, 1), random.uniform(-1, 1)]
  112.         self.velocity = [float(v) for v in self.velocity] # Ensure float
  113.         self.gravity = 0.03
  114.         self.decay = random.uniform(0.97, 0.995) # Slightly adjusted decay
  115.  
  116.     def update(self, mouse_pos, particles, attract=True):
  117.         # Update position
  118.         self.x += self.velocity[0]
  119.         self.y += self.velocity[1]
  120.  
  121.         # Apply gravity toward/away from mouse
  122.         dx = mouse_pos[0] - self.x
  123.         dy = mouse_pos[1] - self.y
  124.         # Add small epsilon to prevent division by zero if distance is exactly 0
  125.         distance_sq = dx*dx + dy*dy
  126.         distance = max(math.sqrt(distance_sq), 1e-6) # Avoid sqrt(0) and div by zero
  127.  
  128.         force_dir_x = dx / distance
  129.         force_dir_y = dy / distance
  130.  
  131.         if attract:
  132.             self.velocity[0] += force_dir_x * self.gravity
  133.             self.velocity[1] += force_dir_y * self.gravity
  134.         else:
  135.             self.velocity[0] -= force_dir_x * self.gravity * 2
  136.             self.velocity[1] -= force_dir_y * self.gravity * 2
  137.  
  138.         # Apply velocity decay
  139.         self.velocity[0] *= self.decay
  140.         self.velocity[1] *= self.decay
  141.  
  142.         # --- Particle interaction removed for simplicity/performance focus ---
  143.  
  144.         # Bounce off edges
  145.         bounce_dampening = -0.5
  146.         if self.x <= 0:
  147.             self.velocity[0] *= bounce_dampening
  148.             self.x = 1.0 # Prevent sticking slightly inside
  149.         elif self.x >= WIDTH:
  150.              self.velocity[0] *= bounce_dampening
  151.              self.x = float(WIDTH - 1) # Prevent sticking slightly inside
  152.  
  153.         if self.y <= 0:
  154.             self.velocity[1] *= bounce_dampening
  155.             self.y = 1.0 # Prevent sticking slightly inside
  156.         elif self.y >= HEIGHT:
  157.             self.velocity[1] *= bounce_dampening
  158.             self.y = float(HEIGHT - 1) # Prevent sticking slightly inside
  159.  
  160.  
  161.         # Update life and appearance
  162.         self.life -= 1.0
  163.         # Ensure max_life is not zero before division
  164.         life_ratio = max(0.0, self.life / self.max_life if self.max_life > 0 else 0.0)
  165.         self.size = self.original_size * life_ratio
  166.         self.alpha = life_ratio # Alpha directly tied to life ratio
  167.  
  168.     # No draw method needed; data is collected externally
  169.  
  170.     def is_dead(self):
  171.         return self.life <= 0 or self.size < 0.5 # Remove if too small
  172.  
  173.     def get_data(self):
  174.         """Returns data tuple for VBO: (x, y, r, g, b, a, size)"""
  175.         r, g, b = [c / 255.0 for c in self.original_color_rgb] # Normalize color
  176.         # Ensure all data are floats
  177.         return (float(self.x), float(self.y),
  178.                 float(r), float(g), float(b), float(self.alpha),
  179.                 float(self.size))
  180.  
  181. # --- Helper Functions (Color, Creation) ---
  182. def get_color(hue):
  183.     r, g, b = colorsys.hsv_to_rgb(hue, 1.0, 1.0)
  184.     # Return RGBA tuple (alpha is set in Particle based on life)
  185.     return (int(r * 255), int(g * 255), int(b * 255), 255) # Initial alpha 255
  186.  
  187. # Function to create burst particles
  188. def create_burst(x, y, hue, count=5, vel_scale=2):
  189.     particles = []
  190.     for _ in range(count):
  191.         size = random.uniform(2, 8)
  192.         color = get_color(hue)
  193.         vel = [random.uniform(-vel_scale, vel_scale), random.uniform(-vel_scale, vel_scale)]
  194.         life = random.randint(40, 150) # Adjusted life
  195.         particles.append(Particle(x, y, color, size, vel, life))
  196.     return particles
  197.  
  198. # Function to create explosion particles
  199. def create_explosion(x, y, hue, count=50):
  200.     return create_burst(x, y, hue, count, vel_scale=5)
  201.  
  202.  
  203. # --- Main Function ---
  204. def main():
  205.     pygame.init()
  206.     # Setup OpenGL context flags
  207.     pygame.display.gl_set_attribute(pygame.GL_CONTEXT_MAJOR_VERSION, 3)
  208.     pygame.display.gl_set_attribute(pygame.GL_CONTEXT_MINOR_VERSION, 3)
  209.     pygame.display.gl_set_attribute(pygame.GL_CONTEXT_PROFILE_MASK, pygame.GL_CONTEXT_PROFILE_CORE)
  210.     pygame.display.gl_set_attribute(pygame.GL_DOUBLEBUFFER, 1) # Use double buffering
  211.     pygame.display.gl_set_attribute(pygame.GL_DEPTH_SIZE, 24) # Optional depth buffer
  212.  
  213.     # Create window with OpenGL support
  214.     screen = pygame.display.set_mode((WIDTH, HEIGHT), DOUBLEBUF | OPENGL)
  215.     pygame.display.set_caption("Cosmic Particle Galaxy (OpenGL - Fixed)")
  216.     clock = pygame.time.Clock()
  217.  
  218.     # --- OpenGL Initialization ---
  219.     print("OpenGL Vendor:", glGetString(GL_VENDOR).decode())
  220.     print("OpenGL Renderer:", glGetString(GL_RENDERER).decode())
  221.     print("OpenGL Version:", glGetString(GL_VERSION).decode())
  222.     print("GLSL Version:", glGetString(GL_SHADING_LANGUAGE_VERSION).decode())
  223.  
  224.     # Compile and link shaders
  225.     shader_program = create_shader_program()
  226.     glUseProgram(shader_program) # Use program once to set uniforms
  227.  
  228.     # Get uniform location for projection matrix
  229.     proj_location = glGetUniformLocation(shader_program, "projection")
  230.     if proj_location == -1:
  231.          print("Warning: 'projection' uniform not found in shader.")
  232.  
  233.     # Create orthographic projection matrix (maps pixel coords to OpenGL coords)
  234.     projection_matrix = create_orthographic_matrix(0, WIDTH, HEIGHT, 0, -1, 1) # Top-left origin
  235.     # Apply the projection matrix
  236.     glUniformMatrix4fv(proj_location, 1, GL_TRUE, projection_matrix)
  237.     glUseProgram(0) # Unbind shader after setting uniform
  238.  
  239.  
  240.     # --- VAO & VBO Setup ---
  241.     if not _VBO_SUPPORT:
  242.         print("Cannot run without VBO support. Exiting.")
  243.         return
  244.  
  245.     # ** 1. Generate VAO **
  246.     vao = glGenVertexArrays(1)
  247.     # 2. Generate VBO
  248.     vbo = glGenBuffers(1)
  249.  
  250.     # ** 3. Bind VAO **
  251.     glBindVertexArray(vao)
  252.  
  253.     # 4. Bind VBO
  254.     glBindBuffer(GL_ARRAY_BUFFER, vbo)
  255.  
  256.     # --- Get attribute locations (need shader bound) ---
  257.     glUseProgram(shader_program)
  258.     pos_loc = glGetAttribLocation(shader_program, "aPos")
  259.     col_loc = glGetAttribLocation(shader_program, "aColor")
  260.     size_loc = glGetAttribLocation(shader_program, "aSize")
  261.     glUseProgram(0) # Unbind shader again
  262.  
  263.     if -1 in (pos_loc, col_loc, size_loc):
  264.         print("Warning: Could not get all attribute locations (aPos, aColor, aSize).")
  265.         print(f"Pos: {pos_loc}, Color: {col_loc}, Size: {size_loc}")
  266.         # Consider exiting or handling this more gracefully if locations are missing
  267.  
  268.     # ** 5. Configure vertex attribute pointers **
  269.     #    (These settings are stored in the bound VAO)
  270.     stride = 7 * np.dtype(np.float32).itemsize # 7 floats, calculate size robustly
  271.     offset_pos = ctypes.c_void_p(0)
  272.     offset_col = ctypes.c_void_p(2 * np.dtype(np.float32).itemsize) # Offset after 2 pos floats
  273.     offset_size = ctypes.c_void_p(6 * np.dtype(np.float32).itemsize) # Offset after pos (2) + color (4) floats
  274.  
  275.     # Position (Attribute 0)
  276.     glVertexAttribPointer(pos_loc, 2, GL_FLOAT, GL_FALSE, stride, offset_pos)
  277.     glEnableVertexAttribArray(pos_loc)
  278.     # Color (Attribute 1)
  279.     glVertexAttribPointer(col_loc, 4, GL_FLOAT, GL_FALSE, stride, offset_col)
  280.     glEnableVertexAttribArray(col_loc)
  281.     # Size (Attribute 2)
  282.     glVertexAttribPointer(size_loc, 1, GL_FLOAT, GL_FALSE, stride, offset_size)
  283.     glEnableVertexAttribArray(size_loc)
  284.  
  285.     # ** 6. Unbind VBO first, then VAO **
  286.     #    (Order matters less here, but good practice)
  287.     glBindBuffer(GL_ARRAY_BUFFER, 0)
  288.     glBindVertexArray(0)
  289.  
  290.  
  291.     # --- OpenGL State ---
  292.     glClearColor(0.0, 0.0, 0.0, 1.0) # Black background
  293.     glEnable(GL_BLEND) # Enable blending for transparency
  294.     glBlendFunc(GL_SRC_ALPHA, GL_ONE_MINUS_SRC_ALPHA) # Standard alpha blending
  295.     glEnable(GL_PROGRAM_POINT_SIZE) # Allow shaders to set point size
  296.  
  297.  
  298.     # --- Game Variables ---
  299.     particles = []
  300.     hue = 0.0
  301.     attract_mode = True
  302.     last_click_time = 0
  303.     max_particles = 10000 # Can usually handle more particles now
  304.  
  305.     # --- Text Setup ---
  306.     font = pygame.font.Font(None, 24)
  307.     ui_dirty = True # Flag to rerender text only when needed
  308.     text_surfaces = [] # Initialize list
  309.  
  310.     # --- Main Loop ---
  311.     running = True
  312.     while running:
  313.         current_time = pygame.time.get_ticks()
  314.         mouse_pos = pygame.mouse.get_pos()
  315.         dt = clock.tick(60) / 1000.0 # Delta time in seconds
  316.  
  317.         # --- Event Handling ---
  318.         for event in pygame.event.get():
  319.             if event.type == pygame.QUIT:
  320.                 running = False
  321.             elif event.type == pygame.KEYDOWN:
  322.                 if event.key == pygame.K_ESCAPE:
  323.                      running = False
  324.                 elif event.key == pygame.K_SPACE:
  325.                     attract_mode = not attract_mode
  326.                     ui_dirty = True
  327.                 elif event.key == pygame.K_c:
  328.                     particles = []
  329.             elif event.type == pygame.MOUSEBUTTONDOWN:
  330.                 if event.button == 1: # Left click
  331.                      if current_time - last_click_time > 100:
  332.                          particles.extend(create_explosion(mouse_pos[0], mouse_pos[1], hue))
  333.                          last_click_time = current_time
  334.  
  335.         # --- Particle Creation ---
  336.         if pygame.mouse.get_rel() != (0, 0):
  337.              if random.random() < 0.5:
  338.                  particles.extend(create_burst(mouse_pos[0], mouse_pos[1], hue, count=2, vel_scale=1.5))
  339.  
  340.         hue = (hue + 0.002) % 1.0
  341.  
  342.         if random.random() < 0.05:
  343.             angle = random.uniform(0, math.pi * 2)
  344.             dist = random.uniform(50, 200)
  345.             x = mouse_pos[0] + math.cos(angle) * dist
  346.             y = mouse_pos[1] + math.sin(angle) * dist
  347.             if 0 <= x < WIDTH and 0 <= y < HEIGHT:
  348.                  color = get_color(hue)
  349.                  particles.append(Particle(x, y, color, random.uniform(2, 5), life=random.randint(60,180)))
  350.  
  351.  
  352.         # --- Particle Update and Data Collection ---
  353.         live_particle_data = []
  354.         num_live_particles = 0
  355.         for i in range(len(particles) - 1, -1, -1):
  356.             p = particles[i]
  357.             p.update(mouse_pos, particles, attract_mode)
  358.             if p.is_dead():
  359.                 del particles[i]
  360.             else:
  361.                 live_particle_data.extend(p.get_data())
  362.                 num_live_particles += 1 # Count live particles correctly
  363.  
  364.         # Limit particle count
  365.         if num_live_particles > max_particles:
  366.             # Remove oldest particles (those added first)
  367.             num_to_remove = num_live_particles - max_particles
  368.             del particles[0 : num_to_remove]
  369.             # Need to regenerate data if particles were removed this way
  370.             live_particle_data = []
  371.             num_live_particles = 0
  372.             for p in particles:
  373.                  live_particle_data.extend(p.get_data())
  374.                  num_live_particles += 1
  375.  
  376.         # Set flag to update UI particle count
  377.         if 'particle_count_text' not in locals() or particle_count_text != f"Particles: {num_live_particles}":
  378.             ui_dirty = True
  379.  
  380.  
  381.         # --- OpenGL Rendering ---
  382.         glClear(GL_COLOR_BUFFER_BIT) # Clear the screen (color buffer)
  383.  
  384.         if live_particle_data and num_live_particles > 0:
  385.              # Convert collected data to a NumPy array
  386.              vertex_data = np.array(live_particle_data, dtype=np.float32)
  387.  
  388.              # Bind the VBO and upload the data
  389.              glBindBuffer(GL_ARRAY_BUFFER, vbo)
  390.              # Use glBufferData: potentially faster for rapidly changing data
  391.              glBufferData(GL_ARRAY_BUFFER, vertex_data.nbytes, vertex_data, GL_DYNAMIC_DRAW)
  392.              # Alternative: glBufferSubData if buffer size rarely changes (might be slower here)
  393.              # glBufferSubData(GL_ARRAY_BUFFER, 0, vertex_data.nbytes, vertex_data)
  394.              glBindBuffer(GL_ARRAY_BUFFER, 0) # Unbind VBO after upload
  395.  
  396.              # Activate the shader program
  397.              glUseProgram(shader_program)
  398.  
  399.              # ** BIND THE VAO **
  400.              # This sets up the VBO binding and attribute pointers automatically
  401.              glBindVertexArray(vao)
  402.  
  403.              # Draw the points!
  404.              glDrawArrays(GL_POINTS, 0, num_live_particles) # Use correct count
  405.  
  406.              # ** Unbind VAO ** and shader program
  407.              glBindVertexArray(0)
  408.              glUseProgram(0)
  409.  
  410.  
  411.              # Bind the VBO and upload the data
  412.              glBindBuffer(GL_ARRAY_BUFFER, vbo)
  413.              glBufferData(GL_ARRAY_BUFFER, vertex_data.nbytes, vertex_data, GL_DYNAMIC_DRAW)
  414.              glBindBuffer(GL_ARRAY_BUFFER, 0) # Unbind VBO after upload
  415.  
  416.              # Activate the shader program
  417.              glUseProgram(shader_program)
  418.  
  419.              # ** BIND THE VAO **
  420.              glBindVertexArray(vao)
  421.  
  422.              # Draw the points!
  423.              glDrawArrays(GL_POINTS, 0, num_live_particles) # Use correct count
  424.  
  425.              # ** Unbind VAO ** and shader program
  426.              glBindVertexArray(0)
  427.              glUseProgram(0)
  428.  
  429.         # --- UI Text Rendering (Using Pygame Surface Blitting) ---
  430.         if ui_dirty: # Only render text if mode or count changed
  431.              mode_text = f"{'Attraction' if attract_mode else 'Repulsion'} Mode (SPACE)"
  432.              clear_text = "Press C to clear"
  433.              click_text = "Click to create explosions"
  434.              particle_count_text = f"Particles: {num_live_particles}"
  435.  
  436.              text_surfaces = [
  437.                  font.render(mode_text, True, (255, 255, 255)),
  438.                  font.render(clear_text, True, (255, 255, 255)),
  439.                  font.render(click_text, True, (255, 255, 255)),
  440.                  font.render(particle_count_text, True, (255, 255, 255))
  441.              ]
  442.              ui_dirty = False # Reset flag
  443.  
  444.         # Blit cached text surfaces
  445.         for i, text_surface in enumerate(text_surfaces):
  446.              screen.blit(text_surface, (10, 10 + i * 25))
  447.  
  448.  
  449.         # --- Display Update ---
  450.         pygame.display.flip() # Swaps the front and back buffers
  451.  
  452.     # --- Cleanup ---
  453.     print("Cleaning up OpenGL objects...")
  454.     # Delete OpenGL objects (VAO first, then VBO, then Shader)
  455.     glDeleteVertexArrays(1, [vao])
  456.     glDeleteBuffers(1, [vbo])
  457.     glDeleteProgram(shader_program)
  458.     print("Cleanup complete.")
  459.     pygame.quit()
  460.  
  461.  
  462. if __name__ == "__main__":
  463.     main()
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement