File size: 12,452 Bytes
433dab5
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
"""Animation functionality for creating MP4 videos from multi-dimensional data."""

import os
import tempfile
import subprocess
from typing import Optional, Callable, List
import numpy as np
import matplotlib.pyplot as plt
from matplotlib.animation import FuncAnimation
import xarray as xr

from .plot import plot_1d, plot_2d, plot_map, setup_matplotlib
from .utils import identify_coordinates, format_value


def check_ffmpeg():
    """Check if FFmpeg is available."""
    try:
        subprocess.run(['ffmpeg', '-version'], capture_output=True, check=True)
        return True
    except (subprocess.CalledProcessError, FileNotFoundError):
        return False


def animate_over_dim(da: xr.DataArray, dim: str, plot_func: Callable = None, 
                    fps: int = 10, out: str = "animation.mp4", 
                    figsize: tuple = (10, 8), **plot_kwargs) -> str:
    """
    Create an animation over a specified dimension.
    
    Args:
        da: Input DataArray
        dim: Dimension to animate over
        plot_func: Plotting function to use (auto-detected if None)
        fps: Frames per second
        out: Output file path
        figsize: Figure size
        **plot_kwargs: Additional plotting parameters
        
    Returns:
        Path to the created animation file
    """
    if not check_ffmpeg():
        raise RuntimeError("FFmpeg is required for creating MP4 animations")
    
    if dim not in da.dims:
        raise ValueError(f"Dimension '{dim}' not found in DataArray")
    
    setup_matplotlib()
    
    # Get coordinate values for the animation dimension
    coord_vals = da.coords[dim].values
    n_frames = len(coord_vals)
    
    if n_frames < 2:
        raise ValueError(f"Need at least 2 frames for animation, got {n_frames}")
    
    # Auto-detect plot function if not provided
    if plot_func is None:
        remaining_dims = [d for d in da.dims if d != dim]
        n_remaining = len(remaining_dims)
        
        # Check if we have geographic coordinates
        coords = identify_coordinates(da)
        has_geo = 'X' in coords and 'Y' in coords
        
        if n_remaining == 1:
            plot_func = plot_1d
        elif n_remaining == 2 and has_geo:
            plot_func = plot_map
        elif n_remaining == 2:
            plot_func = plot_2d
        else:
            raise ValueError(f"Cannot auto-detect plot type for {n_remaining}D data")
    
    # Create figure and initial plot
    fig, ax = plt.subplots(figsize=figsize)
    
    # Get initial frame
    initial_frame = da.isel({dim: 0})
    
    # Set up consistent color limits across all frames
    if 'vmin' not in plot_kwargs:
        plot_kwargs['vmin'] = float(da.min().values)
    if 'vmax' not in plot_kwargs:
        plot_kwargs['vmax'] = float(da.max().values)
    
    # Create initial plot to get the structure
    if plot_func == plot_1d:
        line, = ax.plot([], [])
        ax.set_xlim(float(initial_frame.coords[initial_frame.dims[0]].min()),
                   float(initial_frame.coords[initial_frame.dims[0]].max()))
        ax.set_ylim(plot_kwargs['vmin'], plot_kwargs['vmax'])
        
        # Set labels
        x_dim = initial_frame.dims[0]
        ax.set_xlabel(f"{x_dim} ({initial_frame.coords[x_dim].attrs.get('units', '')})")
        ax.set_ylabel(f"{da.name or 'Value'} ({da.attrs.get('units', '')})")
        
        def animate(frame_idx):
            frame_data = da.isel({dim: frame_idx})
            x_data = frame_data.coords[x_dim]
            line.set_data(x_data, frame_data)
            
            # Update title with current time/coordinate value
            coord_val = coord_vals[frame_idx]
            coord_str = format_value(coord_val, dim)
            title = f"{da.attrs.get('long_name', da.name or 'Data')} - {dim}={coord_str}"
            ax.set_title(title)
            
            return line,
    
    elif plot_func in [plot_2d, plot_map]:
        # For 2D plots, we need to recreate the plot each frame
        def animate(frame_idx):
            ax.clear()
            frame_data = da.isel({dim: frame_idx})
            
            # Create the plot
            if plot_func == plot_map:
                # Special handling for map plots
                import cartopy.crs as ccrs
                import cartopy.feature as cfeature
                
                proj = plot_kwargs.get('proj', 'PlateCarree')
                proj_map = {
                    'PlateCarree': ccrs.PlateCarree(),
                    'Robinson': ccrs.Robinson(),
                    'Mollweide': ccrs.Mollweide()
                }
                projection = proj_map.get(proj, ccrs.PlateCarree())
                
                coords = identify_coordinates(frame_data)
                lon_dim = coords['X']
                lat_dim = coords['Y']
                
                lons = frame_data.coords[lon_dim].values
                lats = frame_data.coords[lat_dim].values
                
                # Create pcolormesh plot
                cmap = plot_kwargs.get('cmap', 'viridis')
                im = ax.pcolormesh(lons, lats, frame_data.transpose(lat_dim, lon_dim).values,
                                 cmap=cmap, vmin=plot_kwargs['vmin'], vmax=plot_kwargs['vmax'],
                                 transform=ccrs.PlateCarree(), shading='auto')
                
                # Add map features
                if plot_kwargs.get('coastlines', True):
                    ax.coastlines(resolution='50m', color='black', linewidth=0.5)
                if plot_kwargs.get('gridlines', True):
                    ax.gridlines(alpha=0.5)
                
                ax.set_global()
            
            else:
                # Regular 2D plot
                coords = identify_coordinates(frame_data)
                x_dim = coords.get('X', frame_data.dims[-1])
                y_dim = coords.get('Y', frame_data.dims[-2])
                
                frame_plot = frame_data.transpose(y_dim, x_dim)
                x_coord = frame_data.coords[x_dim]
                y_coord = frame_data.coords[y_dim]
                
                im = ax.imshow(frame_plot.values,
                              extent=[float(x_coord.min()), float(x_coord.max()),
                                     float(y_coord.min()), float(y_coord.max())],
                              aspect='auto', origin='lower', 
                              cmap=plot_kwargs.get('cmap', 'viridis'),
                              vmin=plot_kwargs['vmin'], vmax=plot_kwargs['vmax'])
                
                ax.set_xlabel(f"{x_dim} ({x_coord.attrs.get('units', '')})")
                ax.set_ylabel(f"{y_dim} ({y_coord.attrs.get('units', '')})")
            
            # Update title
            coord_val = coord_vals[frame_idx]
            coord_str = format_value(coord_val, dim)
            title = f"{da.attrs.get('long_name', da.name or 'Data')} - {dim}={coord_str}"
            ax.set_title(title)
            
            return [im] if 'im' in locals() else []
    
    # Create animation
    anim = FuncAnimation(fig, animate, frames=n_frames, interval=1000//fps, blit=False)
    
    # Save animation
    try:
        # Use FFmpeg writer
        Writer = plt.matplotlib.animation.writers['ffmpeg']
        writer = Writer(fps=fps, metadata=dict(artist='TensorView'), bitrate=1800)
        anim.save(out, writer=writer)
        
        plt.close(fig)
        return out
        
    except Exception as e:
        plt.close(fig)
        raise RuntimeError(f"Failed to create animation: {str(e)}")


def create_frame_sequence(da: xr.DataArray, dim: str, plot_func: Callable = None,
                         output_dir: str = "frames", **plot_kwargs) -> List[str]:
    """
    Create a sequence of individual frame images.
    
    Args:
        da: Input DataArray
        dim: Dimension to animate over
        plot_func: Plotting function to use
        output_dir: Directory to save frames
        **plot_kwargs: Additional plotting parameters
        
    Returns:
        List of frame file paths
    """
    if dim not in da.dims:
        raise ValueError(f"Dimension '{dim}' not found in DataArray")
    
    os.makedirs(output_dir, exist_ok=True)
    
    coord_vals = da.coords[dim].values
    frame_paths = []
    
    # Auto-detect plot function if not provided
    if plot_func is None:
        remaining_dims = [d for d in da.dims if d != dim]
        n_remaining = len(remaining_dims)
        
        coords = identify_coordinates(da)
        has_geo = 'X' in coords and 'Y' in coords
        
        if n_remaining == 1:
            plot_func = plot_1d
        elif n_remaining == 2 and has_geo:
            plot_func = plot_map
        elif n_remaining == 2:
            plot_func = plot_2d
        else:
            raise ValueError(f"Cannot auto-detect plot type for {n_remaining}D data")
    
    # Set consistent color limits
    if 'vmin' not in plot_kwargs:
        plot_kwargs['vmin'] = float(da.min().values)
    if 'vmax' not in plot_kwargs:
        plot_kwargs['vmax'] = float(da.max().values)
    
    # Create frames
    for i, coord_val in enumerate(coord_vals):
        frame_data = da.isel({dim: i})
        
        # Create plot
        fig = plot_func(frame_data, **plot_kwargs)
        
        # Update title with coordinate value
        coord_str = format_value(coord_val, dim)
        fig.suptitle(f"{da.attrs.get('long_name', da.name or 'Data')} - {dim}={coord_str}")
        
        # Save frame
        frame_path = os.path.join(output_dir, f"frame_{i:04d}.png")
        fig.savefig(frame_path, dpi=150, bbox_inches='tight')
        frame_paths.append(frame_path)
        
        plt.close(fig)
    
    return frame_paths


def frames_to_mp4(frame_dir: str, output_path: str, fps: int = 10, cleanup: bool = True) -> str:
    """
    Convert a directory of frame images to MP4 video.
    
    Args:
        frame_dir: Directory containing frame images
        output_path: Output MP4 file path
        fps: Frames per second
        cleanup: Whether to delete frame files after conversion
        
    Returns:
        Path to created MP4 file
    """
    if not check_ffmpeg():
        raise RuntimeError("FFmpeg is required for MP4 conversion")
    
    # Build FFmpeg command
    cmd = [
        'ffmpeg', '-y',  # Overwrite output
        '-framerate', str(fps),
        '-pattern_type', 'glob',
        '-i', os.path.join(frame_dir, 'frame_*.png'),
        '-c:v', 'libx264',
        '-pix_fmt', 'yuv420p',
        '-crf', '18',  # High quality
        output_path
    ]
    
    try:
        subprocess.run(cmd, check=True, capture_output=True)
        
        # Clean up frame files if requested
        if cleanup:
            import glob
            for frame_file in glob.glob(os.path.join(frame_dir, 'frame_*.png')):
                os.remove(frame_file)
            
            # Remove directory if empty
            try:
                os.rmdir(frame_dir)
            except OSError:
                pass  # Directory not empty
        
        return output_path
        
    except subprocess.CalledProcessError as e:
        raise RuntimeError(f"FFmpeg failed: {e.stderr.decode()}")


def create_gif(da: xr.DataArray, dim: str, output_path: str = "animation.gif",
               duration: int = 200, plot_func: Callable = None, **plot_kwargs) -> str:
    """
    Create an animated GIF.
    
    Args:
        da: Input DataArray
        dim: Dimension to animate over
        output_path: Output GIF file path
        duration: Duration per frame in milliseconds
        plot_func: Plotting function to use
        **plot_kwargs: Additional plotting parameters
        
    Returns:
        Path to created GIF file
    """
    try:
        from PIL import Image
    except ImportError:
        raise ImportError("Pillow is required for GIF creation")
    
    # Create frame sequence
    with tempfile.TemporaryDirectory() as temp_dir:
        frame_paths = create_frame_sequence(da, dim, plot_func, temp_dir, **plot_kwargs)
        
        # Load frames and create GIF
        images = []
        for frame_path in frame_paths:
            img = Image.open(frame_path)
            images.append(img)
        
        # Save as GIF
        images[0].save(output_path, save_all=True, append_images=images[1:],
                      duration=duration, loop=0)
        
        return output_path